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

Fix Loguru Instrumentation for v0.7.0 #798

Merged
merged 10 commits into from
Apr 12, 2023
Merged
44 changes: 44 additions & 0 deletions newrelic/common/signature.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,44 @@
# Copyright 2010 New Relic, Inc.
#
# 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.

from newrelic.packages import six

if six.PY3:
from inspect import Signature

def bind_args(func, args, kwargs, unwrap=False):
TimPansino marked this conversation as resolved.
Show resolved Hide resolved
lrafeei marked this conversation as resolved.
Show resolved Hide resolved
"""
Bind arguments and apply defaults to missing arugments for a callable.
Calling with unwrap=True will follow the __wrapped__ chain to the underlying function.
"""
bound_args = Signature.from_callable(func, follow_wrapped=unwrap).bind(*args, **kwargs)
bound_args.apply_defaults()
return bound_args.arguments

else:
from inspect import getcallargs

def bind_args(func, args, kwargs, unwrap=False):
"""
Bind arguments and apply defaults to missing arugments for a callable.
Calling with unwrap=True will follow the __wrapped__ chain to the underlying function.

Note: Python 2 does not include a __wrapped__ attribute for functools.wraps decorators.
Only wrapt decorators will be handled when called with unwrap=True.
"""
if unwrap:
while hasattr(func, "__wrapped__"):
func = func.__wrapped__

return getcallargs(func, *args, **kwargs)
20 changes: 11 additions & 9 deletions newrelic/hooks/logger_loguru.py
Original file line number Diff line number Diff line change
Expand Up @@ -18,15 +18,18 @@
from newrelic.api.application import application_instance
from newrelic.api.transaction import current_transaction, record_log_event
from newrelic.common.object_wrapper import wrap_function_wrapper
from newrelic.common.signature import bind_args
from newrelic.core.config import global_settings
from newrelic.hooks.logger_logging import add_nr_linking_metadata
from newrelic.packages import six

_logger = logging.getLogger(__name__)
_logger = logging.getLogger(__name__)
is_pypy = hasattr(sys, "pypy_version_info")


def loguru_version():
from loguru import __version__

return tuple(int(x) for x in __version__.split("."))


Expand Down Expand Up @@ -54,7 +57,7 @@ def _nr_log_forwarder(message_instance):
if application and application.enabled:
application.record_custom_metric("Logging/lines", {"count": 1})
application.record_custom_metric("Logging/lines/%s" % level_name, {"count": 1})

if settings.application_logging.forwarding and settings.application_logging.forwarding.enabled:
try:
record_log_event(message, level_name, int(record["time"].timestamp()))
Expand All @@ -64,14 +67,13 @@ def _nr_log_forwarder(message_instance):

ALLOWED_LOGURU_OPTIONS_LENGTHS = frozenset((8, 9))

def bind_log(level_id, static_level_no, from_decorator, options, message, args, kwargs):
assert len(options) in ALLOWED_LOGURU_OPTIONS_LENGTHS # Assert the options signature we expect
return level_id, static_level_no, from_decorator, list(options), message, args, kwargs


def wrap_log(wrapped, instance, args, kwargs):
try:
level_id, static_level_no, from_decorator, options, message, subargs, subkwargs = bind_log(*args, **kwargs)
bound_args = bind_args(wrapped, args, kwargs)
options = bound_args["options"] = list(bound_args["options"])
assert len(options) in ALLOWED_LOGURU_OPTIONS_LENGTHS # Assert the options signature we expect

options[-2] = nr_log_patcher(options[-2])
# Loguru looks into the stack trace to find the caller's module and function names.
# options[1] tells loguru how far up to look in the stack trace to find the caller.
Expand All @@ -87,14 +89,14 @@ def wrap_log(wrapped, instance, args, kwargs):
_logger.debug("Exception in loguru handling: %s" % str(e))
return wrapped(*args, **kwargs)
else:
return wrapped(level_id, static_level_no, from_decorator, options, message, subargs, subkwargs)
return wrapped(**bound_args)


def nr_log_patcher(original_patcher=None):
def _nr_log_patcher(record):
if original_patcher:
record = original_patcher(record)

transaction = current_transaction()

if transaction:
Expand Down
62 changes: 62 additions & 0 deletions tests/agent_unittests/test_signature.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,62 @@
# Copyright 2010 New Relic, Inc.
#
# 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.

import functools

import pytest

from newrelic.common.signature import bind_args
from newrelic.packages import six


@pytest.mark.parametrize(
"func,args,kwargs,expected",
[
(lambda x, y: None, (1,), {"y": 2}, {"x": 1, "y": 2}),
(lambda x=1, y=2: None, (1,), {"y": 2}, {"x": 1, "y": 2}),
(lambda x=1: None, (), {}, {"x": 1}),
],
ids=("posargs", "kwargs", "defaults"),
)
def test_signature_binding(func, args, kwargs, expected):
bound_args = bind_args(func, args, kwargs)
assert bound_args == expected


def decorator(f):
@functools.wraps(f)
def _decorator(*args, **kwargs):
return f(*args, **kwargs)

return _decorator


@decorator
def func(x, y=None):
pass


@pytest.mark.parametrize(
"unwrap,args,kwargs,expected",
[
(True, (1,), {"y": 2}, {"x": 1, "y": 2} if six.PY3 else {"args": (1,), "kwargs": {"y": 2}}),
(False, (1,), {"y": 2}, {"args": (1,), "kwargs": {"y": 2}}),
(True, (1,), {}, {"x": 1, "y": None} if six.PY3 else {"args": (1,), "kwargs": {}}),
(False, (1,), {}, {"args": (1,), "kwargs": {}}),
],
ids=("unwrapped_standard", "wrapped_standard", "unwrapped_default", "wrapped_default"),
)
def test_wrapped_signature_binding(unwrap, args, kwargs, expected):
bound_args = bind_args(func, args, kwargs, unwrap=unwrap)
assert bound_args == expected