Reputation: 473
I'm using sentry-python
SDK for capture exceptions from my django server.
I don't want to capture django.security.DisallowedHost
like above.
How to remove sentry handling for that logger?
I attached my server configuration below.
settings.py
LOGGING = {
'version': 1,
'disable_existing_loggers': False,
'handlers': {
'null': {
'level': 'DEBUG',
'class': 'logging.NullHandler',
},
},
'loggers': {
# Silence SuspiciousOperation.DisallowedHost exception ('Invalid
# HTTP_HOST' header messages). Set the handler to 'null' so we don't
# get those annoying emails.
'django.security.DisallowedHost': {
'handlers': ['null'],
'propagate': False,
},
}
}
sentry_sdk.init(
dsn=os.environ['SENTRY_DSN'],
integrations=[DjangoIntegration()],
send_default_pii=True,
release=f"{os.environ['STAGE']}@{os.environ['VERSION']}",
)
Upvotes: 26
Views: 8153
Reputation: 8244
See LoggingIntegration, eg:
from sentry_sdk.integrations.logging import ignore_logger
ignore_logger("a.spammy.logger")
logger = logging.getLogger("a.spammy.logger")
logger.error("hi") # no error sent to sentry
See before_breadcrumb and before_send, eg:
import sentry_sdk
def before_breadcrumb(crumb, hint):
if crumb.get('category', None) == 'a.spammy.Logger':
return None
return crumb
def before_send(event, hint):
if event.get('logger', None) == 'a.spammy.Logger':
return None
return event
sentry_sdk.init(before_breadcrumb=before_breadcrumb, before_send=before_send)
Upvotes: 33
Reputation: 331
Under the sentry_sdk I had to use the following code in before_send to get it to ignore the django.security.DisallowedHost exception.
def before_send(event, hint):
"""Don't log django.DisallowedHost errors in Sentry."""
if 'log_record' in hint:
if hint['log_record'].name == 'django.security.DisallowedHost':
return None
return event
Upvotes: 11