Add check_voip
Signed-off-by: Julien Riou <julien@riou.xyz>
This commit is contained in:
parent
cd55d2f061
commit
c80e22482e
7 changed files with 215 additions and 0 deletions
3
.gitignore
vendored
Normal file
3
.gitignore
vendored
Normal file
|
@ -0,0 +1,3 @@
|
|||
venv
|
||||
ovh.conf
|
||||
__pycache__
|
16
.pre-commit-config.yaml
Normal file
16
.pre-commit-config.yaml
Normal file
|
@ -0,0 +1,16 @@
|
|||
---
|
||||
repos:
|
||||
- repo: https://github.com/pre-commit/pre-commit-hooks
|
||||
rev: v4.2.0
|
||||
hooks:
|
||||
- id: check-executables-have-shebangs
|
||||
- id: check-merge-conflict
|
||||
- id: end-of-file-fixer
|
||||
- id: fix-encoding-pragma
|
||||
args: ['--remove']
|
||||
- id: requirements-txt-fixer
|
||||
- id: trailing-whitespace
|
||||
- repo: https://github.com/psf/black
|
||||
rev: 22.3.0
|
||||
hooks:
|
||||
- id: black
|
36
README.md
Normal file
36
README.md
Normal file
|
@ -0,0 +1,36 @@
|
|||
# OVHcloud Nagios collection
|
||||
|
||||
Nagios checks for [OVHcloud](https://www.ovhcloud.com) services.
|
||||
|
||||
# Installation
|
||||
|
||||
Using pip:
|
||||
|
||||
```
|
||||
python3 -m venv venv
|
||||
. ./venv/bin/activate
|
||||
pip install -r requirements.txt
|
||||
```
|
||||
|
||||
Create OVHcloud API tokens following [this guide](https://github.com/ovh/python-ovh).
|
||||
|
||||
# check_voip
|
||||
|
||||
For each VoIP lines associated to the account, detect the last registration time:
|
||||
|
||||
```
|
||||
./check_voip --help
|
||||
```
|
||||
|
||||
Example of configuration:
|
||||
|
||||
```
|
||||
command[check_voip]=/opt/check_ovhcloud/check_voip -w 7200 -c 86400
|
||||
```
|
||||
|
||||
# Contributing
|
||||
|
||||
```
|
||||
pip install pre-commit
|
||||
pre-commit run --files check_*
|
||||
```
|
1
VERSION
Normal file
1
VERSION
Normal file
|
@ -0,0 +1 @@
|
|||
1.0.0
|
139
check_voip
Executable file
139
check_voip
Executable file
|
@ -0,0 +1,139 @@
|
|||
#!/usr/bin/env python3
|
||||
|
||||
import argparse
|
||||
import logging
|
||||
import sys
|
||||
import ovh
|
||||
from datetime import datetime, timezone
|
||||
|
||||
from lib import setup_logging, show_version
|
||||
|
||||
from nagiosplugin import (
|
||||
Check,
|
||||
Metric,
|
||||
Resource,
|
||||
ScalarContext,
|
||||
Summary,
|
||||
)
|
||||
from nagiosplugin.state import Critical, Ok, Unknown, Warn
|
||||
|
||||
logger = logging.getLogger(__name__)
|
||||
|
||||
|
||||
def parse_arguments():
|
||||
parser = argparse.ArgumentParser()
|
||||
parser.add_argument(
|
||||
"-v",
|
||||
"--verbose",
|
||||
dest="loglevel",
|
||||
action="store_const",
|
||||
const=logging.INFO,
|
||||
help="Print more output",
|
||||
)
|
||||
parser.add_argument(
|
||||
"-d",
|
||||
"--debug",
|
||||
dest="loglevel",
|
||||
action="store_const",
|
||||
const=logging.DEBUG,
|
||||
default=logging.WARNING,
|
||||
help="Print even more output",
|
||||
)
|
||||
|
||||
parser.add_argument(
|
||||
"--version",
|
||||
dest="show_version",
|
||||
action="store_true",
|
||||
help="Print version and exit",
|
||||
)
|
||||
|
||||
parser.add_argument(
|
||||
"--registration-warning",
|
||||
"-w",
|
||||
dest="registration_warning",
|
||||
type=int,
|
||||
default=7200,
|
||||
help="Raise warning if last line registration time is higher than this threshold (in seconds)",
|
||||
)
|
||||
|
||||
parser.add_argument(
|
||||
"--registration-critical",
|
||||
"-c",
|
||||
dest="registration_critical",
|
||||
type=int,
|
||||
default=86400,
|
||||
help="Raise critical if last line registration time is higher than this threshold (in seconds)",
|
||||
)
|
||||
|
||||
args = parser.parse_args()
|
||||
return args
|
||||
|
||||
|
||||
class Voip(Resource):
|
||||
def __init__(self, client):
|
||||
self.client = client
|
||||
|
||||
def probe(self):
|
||||
metrics = []
|
||||
billing_accounts = self.client.get(f"/telephony")
|
||||
for billing_account in billing_accounts:
|
||||
service_names = self.client.get(f"/telephony/{billing_account}/line")
|
||||
for service_name in service_names:
|
||||
last_registration = self.client.get(
|
||||
f"/telephony/{billing_account}/line/{service_name}/lastRegistrations"
|
||||
)[0]
|
||||
last_registration_delta = int(
|
||||
(
|
||||
datetime.now(tz=timezone.utc)
|
||||
- datetime.fromisoformat(last_registration["datetime"])
|
||||
).total_seconds()
|
||||
)
|
||||
metrics.append(
|
||||
Metric(
|
||||
f"{service_name} last registration",
|
||||
last_registration_delta,
|
||||
context="last_registration",
|
||||
uom="s",
|
||||
)
|
||||
)
|
||||
return metrics
|
||||
|
||||
|
||||
class VoipSummary(Summary):
|
||||
def problem(self, results):
|
||||
return ", ".join(
|
||||
[
|
||||
f"{result.metric.name} {result.state}: {result.hint}"
|
||||
for result in results
|
||||
if str(result.state) != "ok"
|
||||
]
|
||||
)
|
||||
|
||||
|
||||
def main():
|
||||
args = parse_arguments()
|
||||
setup_logging(args)
|
||||
|
||||
if args.show_version:
|
||||
show_version()
|
||||
return
|
||||
|
||||
try:
|
||||
check = Check(
|
||||
Voip(client=ovh.Client()),
|
||||
ScalarContext(
|
||||
"last_registration",
|
||||
warning=args.registration_warning,
|
||||
critical=args.registration_critical,
|
||||
),
|
||||
VoipSummary(),
|
||||
)
|
||||
check.main()
|
||||
except Exception as err:
|
||||
print(f"Failed to execute check: {str(err)}")
|
||||
logger.debug(err, exc_info=True)
|
||||
sys.exit(Unknown.code)
|
||||
|
||||
|
||||
if __name__ == "__main__":
|
||||
main()
|
13
lib/__init__.py
Normal file
13
lib/__init__.py
Normal file
|
@ -0,0 +1,13 @@
|
|||
import logging
|
||||
import os
|
||||
|
||||
|
||||
def show_version():
|
||||
with open(
|
||||
os.path.join(os.path.dirname(os.path.abspath(__file__)), "..", "VERSION"), "r"
|
||||
) as fd:
|
||||
print(fd.read().strip())
|
||||
|
||||
|
||||
def setup_logging(args):
|
||||
logging.basicConfig(format="%(levelname)s: %(message)s", level=args.loglevel)
|
7
requirements.txt
Normal file
7
requirements.txt
Normal file
|
@ -0,0 +1,7 @@
|
|||
certifi==2023.7.22
|
||||
charset-normalizer==3.2.0
|
||||
idna==3.4
|
||||
nagiosplugin==1.3.3
|
||||
ovh==1.1.0
|
||||
requests==2.31.0
|
||||
urllib3==2.0.5
|
Loading…
Add table
Reference in a new issue