Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Added a guide & sample for a custom logger client implementation. #579

Merged
Show file tree
Hide file tree
Changes from 4 commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
1 change: 1 addition & 0 deletions CHANGELOG.md
Original file line number Diff line number Diff line change
Expand Up @@ -37,6 +37,7 @@ Inspired from [Keep a Changelog](https://keepachangelog.com/en/1.0.0/)
- Added guide on the document lifecycle API(s) ([#559](https://github.com/opensearch-project/opensearch-py/pull/559))
- Added Windows CI ([#569](https://github.com/opensearch-project/opensearch-py/pull/569))
- Added `client.http` JSON REST request API helpers ([#544](https://github.com/opensearch-project/opensearch-py/pull/544))
- Added guide on using a custom Python logging integration with OpenSearch logs ([#579](https://github.com/opensearch-project/opensearch-py/pull/579))
Djcarrillo6 marked this conversation as resolved.
Show resolved Hide resolved
### Changed
- Generate `tasks` client from API specs ([#508](https://github.com/opensearch-project/opensearch-py/pull/508))
- Generate `ingest` client from API specs ([#513](https://github.com/opensearch-project/opensearch-py/pull/513))
Expand Down
153 changes: 153 additions & 0 deletions guides/log_collection.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,153 @@
# Log Collection Guide
Djcarrillo6 marked this conversation as resolved.
Show resolved Hide resolved
- [Import Required Modules](#import-required-modules)
- [Setup Connection with OpenSearch Cluster](#setup-connection-with-opensearch-cluster)
- [Initialize Logger](#initialize-logger)
- [Define Custom Handler for OpenSearch](#define-custom-handler-for-opensearch)
- [Create OpenSearch Handler and Add to Logger](#create-opensearch-handler-and-add-to-logger)
- [Setup Asynchronous Logging Using Queues](#setup-asynchronous-logging-using-queues)
- [Clean Up](#clean-up)

# Log Collection Guide
In this guide, we will look at how to collect logs from your application and send them to OpenSearch.

# Import Required Modules
Djcarrillo6 marked this conversation as resolved.
Show resolved Hide resolved
Let's import the required modules:

```python
import urllib3
urllib3.disable_warnings()
from datetime import datetime
import logging
import queue
from opensearchpy import OpenSearch
from logging.handlers import QueueHandler, QueueListener
```

# Setup Connection with OpenSearch

Run the following commands to install the docker image:
```
docker pull opensearchproject/opensearch:latest
```
Djcarrillo6 marked this conversation as resolved.
Show resolved Hide resolved

Create a client instance:
```python
client = OpenSearch(
Djcarrillo6 marked this conversation as resolved.
Show resolved Hide resolved
hosts=['https://@localhost:9200'],
use_ssl=True,
verify_certs=False,
http_auth=('admin', 'admin')
)
```

# Initialize Logger
Set the OpenSearch logger level top INFO:
Djcarrillo6 marked this conversation as resolved.
Show resolved Hide resolved

```python
# Initialize a logger named "OpenSearchLogs" for OpenSearch & set log level to INFO
saimedhi marked this conversation as resolved.
Show resolved Hide resolved
print("Initializing logger...")
os_logger = logging.getLogger("OpenSearchLogs")
os_logger.setLevel(logging.INFO)

# Create a console handler
console_handler = logging.StreamHandler()
console_handler.setLevel(logging.INFO)

# Add console handler to the logger
os_logger.addHandler(console_handler)
```

# Custom Handler For Logs
Define a custom handler that logs to OpenSearch:
Djcarrillo6 marked this conversation as resolved.
Show resolved Hide resolved

```python
class OpenSearchHandler(logging.Handler):
# Initializer / Instance attributes
def __init__(self, opensearch_client):
logging.Handler.__init__(self)
self.os_client = opensearch_client
Djcarrillo6 marked this conversation as resolved.
Show resolved Hide resolved

# Build index name (e.g., "logs-YYYY-MM-DD")
def _build_index_name(self):
return f"logs-{datetime.date(datetime.now())}"

# Emit logs to the OpenSearch cluster
def emit(self, record):
Djcarrillo6 marked this conversation as resolved.
Show resolved Hide resolved
document = {
"timestamp": datetime.fromtimestamp(record.created).isoformat(),
"name": record.name,
"level": record.levelname,
"message": record.getMessage(),
"source": {
"file": record.pathname,
"line": record.lineno,
"function": record.funcName,
},
"process": {"id": record.process, "name": record.processName},
"thread": {"id": record.thread, "name": record.threadName},
}

# Write the log entry to OpenSearch, handle exceptions
try:
self.os_client.index(
index=self._build_index_name(),
body=document,
)
except Exception as e:
Djcarrillo6 marked this conversation as resolved.
Show resolved Hide resolved
print(f"Failed to send log to OpenSearch: {e}")
```

# Create OpenSearch Handler and Add to Logger
Create an instance of OpenSearchHandler and add it to the logger:

```python
print("Creating an instance of OpenSearchHandler and adding it to the logger...")
# Create an instance of OpenSearchHandler and add it to the logger
os_handler = OpenSearchHandler(opensearch_client)
os_logger.addHandler(os_handler)
```

# Setup Asynchronous Logging Using Queues
Finally, let's setup asynchronous logging using Queues:

```python
print("Setting up asynchronous logging using Queues...")
# Setup asynchronous logging using Queues
log_queue = queue.Queue(-1) # no limit on size
saimedhi marked this conversation as resolved.
Show resolved Hide resolved
os_queue_handler = QueueHandler(log_queue)
os_queue_listener = QueueListener(log_queue, os_handler)

# Add queue handler to the logger
os_logger.addHandler(os_queue_handler)

# Start listening on the queue using the os_queue_listener
os_queue_listener.start()
```

# Clean Up
Finally, let's clean up by stopping the queue listener:

```python
print("Cleaning up...")
# Stop listening on the queue
os_queue_listener.stop()
print("Log Collection Guide has completed running")
```

# Sample Code
See [log_collection_sample.py](/samples/logging/log_collection_sample.py) for a working sample of the concepts in this guide. This Python script is a guide for setting up and running a custom log collection system using the OpenSearch service. The script will create a logger named "OpenSearchLogs" and set the log level to INFO. It will then create an instance of OpenSearchHandler and add it to the logger. Finally, it will setup asynchronous logging using Queues and send a test log to the OpenSearch cluster.
Djcarrillo6 marked this conversation as resolved.
Show resolved Hide resolved

Exptected Output From Running [log_collection_sample.py](/samples/logging/log_collection_sample.py):
```python
Djcarrillo6 marked this conversation as resolved.
Show resolved Hide resolved
"""
Running Log Collection Guide
Djcarrillo6 marked this conversation as resolved.
Show resolved Hide resolved
Setting up connection with OpenSearch cluster...
Initializing logger...
Creating an instance of OpenSearchHandler and adding it to the logger...
Setting up asynchronous logging using Queues...
Logger is set up and listener has started. Sending a test log...
This is a test log message
Cleaning up...
Log Collection Guide has completed running
"""
```
114 changes: 114 additions & 0 deletions samples/logging/log_collection_sample.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,114 @@
#!/usr/bin/env python

# -*- coding: utf-8 -*-
# SPDX-License-Identifier: Apache-2.0
#
# The OpenSearch Contributors require contributions made to
# this file be licensed under the Apache-2.0 license or a
# compatible open source license.
#
# Modifications Copyright OpenSearch Contributors. See
# GitHub history for details.

import logging
import queue
from datetime import datetime
from logging.handlers import QueueHandler, QueueListener
from typing import Any

from opensearchpy import OpenSearch

# For cleaner output, comment in the two lines below to disable warnings and informational messages
Djcarrillo6 marked this conversation as resolved.
Show resolved Hide resolved
# import urllib3
# urllib3.disable_warnings()


def run_log_collection_guide() -> None:
Djcarrillo6 marked this conversation as resolved.
Show resolved Hide resolved
print("Running Log Collection Guide")

# Create a console handler
console_handler: logging.StreamHandler = logging.StreamHandler() # type: ignore
console_handler.setLevel(logging.INFO)

# Setup connection with the OpenSearch cluster
print("Setting up connection with OpenSearch cluster...")
opensearch_client: Any = OpenSearch(
"https://admin:admin@localhost:9200",
use_ssl=True,
verify_certs=False,
ssl_show_warn=False,
http_auth=("admin", "admin"),
)

# Initialize a logger named "OpenSearchLogs" for OpenSearch
print("Initializing logger...")
os_logger: logging.Logger = logging.getLogger("OpenSearchLogs")
os_logger.setLevel(logging.INFO)

# Add console handler to the logger
os_logger.addHandler(console_handler)

# Define a custom handler that logs to OpenSearch
class OpenSearchHandler(logging.Handler):
# Initializer / Instance attributes
def __init__(self, opensearch_client: Any) -> None:
super().__init__()
self.os_client = opensearch_client

# Build index name (e.g., "logs-YYYY-MM-DD")
def _build_index_name(self) -> str:
return f"logs-{datetime.date(datetime.now())}"

# Emit logs to the OpenSearch cluster
def emit(self, record: logging.LogRecord) -> None:
document = {
"timestamp": datetime.fromtimestamp(record.created).isoformat(),
"name": record.name,
"level": record.levelname,
"message": record.getMessage(),
"source": {
"file": record.pathname,
"line": record.lineno,
"function": record.funcName,
},
"process": {"id": record.process, "name": record.processName},
"thread": {"id": record.thread, "name": record.threadName},
}

try:
self.os_client.index(
index=self._build_index_name(),
body=document,
)
except Exception as e:
print(f"Failed to send log to OpenSearch: {e}")
Djcarrillo6 marked this conversation as resolved.
Show resolved Hide resolved

print("Creating an instance of OpenSearchHandler and adding it to the logger...")
# Create an instance of OpenSearchHandler and add it to the logger
os_handler: OpenSearchHandler = OpenSearchHandler(opensearch_client)
os_logger.addHandler(os_handler)

print("Setting up asynchronous logging using Queues...")
# Setup asynchronous logging using Queues
log_queue: queue.Queue[logging.LogRecord] = queue.Queue(-1) # no limit on size
os_queue_handler: logging.Handler = QueueHandler(log_queue)
os_queue_listener: QueueListener = QueueListener(log_queue, os_handler)

# Add queue handler to the logger
os_logger.addHandler(os_queue_handler)

# Start listening on the queue using the os_queue_listener
os_queue_listener.start()

print("Logger is set up and listener has started. Sending a test log...")
# Logging a test message
os_logger.info("This is a test log message")

print("Cleaning up...")
# Stop listening on the queue
os_queue_listener.stop()
print("Log Collection Guide has completed running")


if __name__ == "__main__":
run_log_collection_guide()
Loading