Skip to content

Commit 56da6d7

Browse files
authored
Consistent way of not instrumenting multiple times (open-telemetry#549)
1 parent bf97e17 commit 56da6d7

File tree

17 files changed

+236
-82
lines changed

17 files changed

+236
-82
lines changed

CHANGELOG.md

+2
Original file line numberDiff line numberDiff line change
@@ -24,6 +24,8 @@ and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0
2424
([#538](https://github.com/open-telemetry/opentelemetry-python-contrib/pull/538))
2525
- Changed the psycopg2-binary to psycopg2 as dependency in production
2626
([#543](https://github.com/open-telemetry/opentelemetry-python-contrib/pull/543))
27+
- Implement consistent way of checking if instrumentation is already active
28+
([#549](https://github.com/open-telemetry/opentelemetry-python-contrib/pull/549))
2729
- Require aiopg to be less than 1.3.0
2830
([#560](https://github.com/open-telemetry/opentelemetry-python-contrib/pull/560))
2931
- `opentelemetry-instrumentation-django` Migrated Django middleware to new-style.

instrumentation/opentelemetry-instrumentation-aiohttp-client/src/opentelemetry/instrumentation/aiohttp_client/__init__.py

+2-2
Original file line numberDiff line numberDiff line change
@@ -259,7 +259,7 @@ def instrumented_init(wrapped, instance, args, kwargs):
259259
span_name=span_name,
260260
tracer_provider=tracer_provider,
261261
)
262-
trace_config.opentelemetry_aiohttp_instrumented = True
262+
trace_config._is_instrumented_by_opentelemetry = True
263263
trace_configs.append(trace_config)
264264

265265
kwargs["trace_configs"] = trace_configs
@@ -282,7 +282,7 @@ def _uninstrument_session(client_session: aiohttp.ClientSession):
282282
client_session._trace_configs = [
283283
trace_config
284284
for trace_config in trace_configs
285-
if not hasattr(trace_config, "opentelemetry_aiohttp_instrumented")
285+
if not hasattr(trace_config, "_is_instrumented_by_opentelemetry")
286286
]
287287

288288

instrumentation/opentelemetry-instrumentation-aiopg/src/opentelemetry/instrumentation/aiopg/aiopg_integration.py

+2-7
Original file line numberDiff line numberDiff line change
@@ -1,10 +1,7 @@
11
import typing
22

33
import wrapt
4-
from aiopg.utils import ( # pylint: disable=no-name-in-module
5-
_ContextManager,
6-
_PoolAcquireContextManager,
7-
)
4+
from aiopg.utils import _ContextManager, _PoolAcquireContextManager
85

96
from opentelemetry.instrumentation.dbapi import (
107
CursorTracer,
@@ -64,9 +61,7 @@ def __init__(self, connection, *args, **kwargs):
6461

6562
def cursor(self, *args, **kwargs):
6663
coro = self._cursor(*args, **kwargs)
67-
return _ContextManager( # pylint: disable=no-value-for-parameter
68-
coro
69-
)
64+
return _ContextManager(coro)
7065

7166
async def _cursor(self, *args, **kwargs):
7267
# pylint: disable=protected-access

instrumentation/opentelemetry-instrumentation-aiopg/src/opentelemetry/instrumentation/aiopg/wrappers.py

+6-1
Original file line numberDiff line numberDiff line change
@@ -41,6 +41,7 @@
4141

4242
from opentelemetry.instrumentation.aiopg.aiopg_integration import (
4343
AiopgIntegration,
44+
AsyncProxyObject,
4445
get_traced_connection_proxy,
4546
)
4647
from opentelemetry.instrumentation.aiopg.version import __version__
@@ -153,6 +154,10 @@ def instrument_connection(
153154
Returns:
154155
An instrumented connection.
155156
"""
157+
if isinstance(connection, AsyncProxyObject):
158+
logger.warning("Connection already instrumented")
159+
return connection
160+
156161
db_integration = AiopgIntegration(
157162
name,
158163
database_system,
@@ -173,7 +178,7 @@ def uninstrument_connection(connection):
173178
Returns:
174179
An uninstrumented connection.
175180
"""
176-
if isinstance(connection, wrapt.ObjectProxy):
181+
if isinstance(connection, AsyncProxyObject):
177182
return connection.__wrapped__
178183

179184
logger.warning("Connection is not instrumented")

instrumentation/opentelemetry-instrumentation-aiopg/tests/test_aiopg_integration.py

+17
Original file line numberDiff line numberDiff line change
@@ -207,6 +207,23 @@ def test_instrument_connection(self):
207207
spans_list = self.memory_exporter.get_finished_spans()
208208
self.assertEqual(len(spans_list), 1)
209209

210+
def test_instrument_connection_after_instrument(self):
211+
cnx = async_call(aiopg.connect(database="test"))
212+
query = "SELECT * FROM test"
213+
cursor = async_call(cnx.cursor())
214+
async_call(cursor.execute(query))
215+
216+
spans_list = self.memory_exporter.get_finished_spans()
217+
self.assertEqual(len(spans_list), 0)
218+
219+
AiopgInstrumentor().instrument()
220+
cnx = AiopgInstrumentor().instrument_connection(cnx)
221+
cursor = async_call(cnx.cursor())
222+
async_call(cursor.execute(query))
223+
224+
spans_list = self.memory_exporter.get_finished_spans()
225+
self.assertEqual(len(spans_list), 1)
226+
210227
def test_custom_tracer_provider_instrument_connection(self):
211228
resource = resources.Resource.create(
212229
{"service.name": "db-test-service"}

instrumentation/opentelemetry-instrumentation-dbapi/src/opentelemetry/instrumentation/dbapi/__init__.py

+4
Original file line numberDiff line numberDiff line change
@@ -180,6 +180,10 @@ def instrument_connection(
180180
Returns:
181181
An instrumented connection.
182182
"""
183+
if isinstance(connection, wrapt.ObjectProxy):
184+
logger.warning("Connection already instrumented")
185+
return connection
186+
183187
db_integration = DatabaseApiIntegration(
184188
name,
185189
database_system,

instrumentation/opentelemetry-instrumentation-fastapi/src/opentelemetry/instrumentation/fastapi/__init__.py

+22-2
Original file line numberDiff line numberDiff line change
@@ -12,9 +12,11 @@
1212
# See the License for the specific language governing permissions and
1313
# limitations under the License.
1414

15+
import logging
1516
from typing import Collection
1617

1718
import fastapi
19+
from starlette import middleware
1820
from starlette.routing import Match
1921

2022
from opentelemetry.instrumentation.asgi import OpenTelemetryMiddleware
@@ -24,6 +26,7 @@
2426
from opentelemetry.util.http import get_excluded_urls, parse_excluded_urls
2527

2628
_excluded_urls_from_env = get_excluded_urls("FASTAPI")
29+
_logger = logging.getLogger(__name__)
2730

2831

2932
class FastAPIInstrumentor(BaseInstrumentor):
@@ -39,7 +42,10 @@ def instrument_app(
3942
app: fastapi.FastAPI, tracer_provider=None, excluded_urls=None,
4043
):
4144
"""Instrument an uninstrumented FastAPI application."""
42-
if not getattr(app, "is_instrumented_by_opentelemetry", False):
45+
if not hasattr(app, "_is_instrumented_by_opentelemetry"):
46+
app._is_instrumented_by_opentelemetry = False
47+
48+
if not getattr(app, "_is_instrumented_by_opentelemetry", False):
4349
if excluded_urls is None:
4450
excluded_urls = _excluded_urls_from_env
4551
else:
@@ -51,7 +57,21 @@ def instrument_app(
5157
span_details_callback=_get_route_details,
5258
tracer_provider=tracer_provider,
5359
)
54-
app.is_instrumented_by_opentelemetry = True
60+
app._is_instrumented_by_opentelemetry = True
61+
else:
62+
_logger.warning(
63+
"Attempting to instrument FastAPI app while already instrumented"
64+
)
65+
66+
@staticmethod
67+
def uninstrument_app(app: fastapi.FastAPI):
68+
app.user_middleware = [
69+
x
70+
for x in app.user_middleware
71+
if x.cls is not OpenTelemetryMiddleware
72+
]
73+
app.middleware_stack = app.build_middleware_stack()
74+
app._is_instrumented_by_opentelemetry = False
5575

5676
def instrumentation_dependencies(self) -> Collection[str]:
5777
return _instruments

instrumentation/opentelemetry-instrumentation-fastapi/tests/test_fastapi_instrumentation.py

+42
Original file line numberDiff line numberDiff line change
@@ -19,6 +19,7 @@
1919
from fastapi.testclient import TestClient
2020

2121
import opentelemetry.instrumentation.fastapi as otel_fastapi
22+
from opentelemetry.instrumentation.asgi import OpenTelemetryMiddleware
2223
from opentelemetry.sdk.resources import Resource
2324
from opentelemetry.semconv.trace import SpanAttributes
2425
from opentelemetry.test.test_base import TestBase
@@ -57,6 +58,47 @@ def tearDown(self):
5758
super().tearDown()
5859
self.env_patch.stop()
5960
self.exclude_patch.stop()
61+
with self.disable_logging():
62+
self._instrumentor.uninstrument()
63+
self._instrumentor.uninstrument_app(self._app)
64+
65+
def test_instrument_app_with_instrument(self):
66+
if not isinstance(self, TestAutoInstrumentation):
67+
self._instrumentor.instrument()
68+
self._client.get("/foobar")
69+
spans = self.memory_exporter.get_finished_spans()
70+
self.assertEqual(len(spans), 3)
71+
for span in spans:
72+
self.assertIn("/foobar", span.name)
73+
74+
def test_uninstrument_app(self):
75+
self._client.get("/foobar")
76+
spans = self.memory_exporter.get_finished_spans()
77+
self.assertEqual(len(spans), 3)
78+
# pylint: disable=import-outside-toplevel
79+
from fastapi.middleware.httpsredirect import HTTPSRedirectMiddleware
80+
81+
self._app.add_middleware(HTTPSRedirectMiddleware)
82+
self._instrumentor.uninstrument_app(self._app)
83+
print(self._app.user_middleware[0].cls)
84+
self.assertFalse(
85+
isinstance(
86+
self._app.user_middleware[0].cls, OpenTelemetryMiddleware
87+
)
88+
)
89+
self._client = TestClient(self._app)
90+
resp = self._client.get("/foobar")
91+
self.assertEqual(200, resp.status_code)
92+
span_list = self.memory_exporter.get_finished_spans()
93+
self.assertEqual(len(span_list), 3)
94+
95+
def test_uninstrument_app_after_instrument(self):
96+
if not isinstance(self, TestAutoInstrumentation):
97+
self._instrumentor.instrument()
98+
self._instrumentor.uninstrument_app(self._app)
99+
self._client.get("/foobar")
100+
spans = self.memory_exporter.get_finished_spans()
101+
self.assertEqual(len(spans), 0)
60102

61103
def test_basic_fastapi_call(self):
62104
self._client.get("/foobar")

instrumentation/opentelemetry-instrumentation-flask/src/opentelemetry/instrumentation/flask/__init__.py

+16-18
Original file line numberDiff line numberDiff line change
@@ -193,7 +193,8 @@ class _InstrumentedFlask(flask.Flask):
193193
def __init__(self, *args, **kwargs):
194194
super().__init__(*args, **kwargs)
195195

196-
self._original_wsgi_ = self.wsgi_app
196+
self._original_wsgi_app = self.wsgi_app
197+
self._is_instrumented_by_opentelemetry = True
197198

198199
self.wsgi_app = _rewrapped_app(
199200
self.wsgi_app, _InstrumentedFlask._response_hook
@@ -229,18 +230,21 @@ def _instrument(self, **kwargs):
229230
_InstrumentedFlask._request_hook = request_hook
230231
if callable(response_hook):
231232
_InstrumentedFlask._response_hook = response_hook
232-
flask.Flask = _InstrumentedFlask
233233
tracer_provider = kwargs.get("tracer_provider")
234234
_InstrumentedFlask._tracer_provider = tracer_provider
235235
flask.Flask = _InstrumentedFlask
236236

237+
def _uninstrument(self, **kwargs):
238+
flask.Flask = self._original_flask
239+
240+
@staticmethod
237241
def instrument_app(
238-
self, app, request_hook=None, response_hook=None, tracer_provider=None
239-
): # pylint: disable=no-self-use
240-
if not hasattr(app, "_is_instrumented"):
241-
app._is_instrumented = False
242+
app, request_hook=None, response_hook=None, tracer_provider=None
243+
):
244+
if not hasattr(app, "_is_instrumented_by_opentelemetry"):
245+
app._is_instrumented_by_opentelemetry = False
242246

243-
if not app._is_instrumented:
247+
if not app._is_instrumented_by_opentelemetry:
244248
app._original_wsgi_app = app.wsgi_app
245249
app.wsgi_app = _rewrapped_app(app.wsgi_app, response_hook)
246250

@@ -250,28 +254,22 @@ def instrument_app(
250254
app._before_request = _before_request
251255
app.before_request(_before_request)
252256
app.teardown_request(_teardown_request)
253-
app._is_instrumented = True
257+
app._is_instrumented_by_opentelemetry = True
254258
else:
255259
_logger.warning(
256260
"Attempting to instrument Flask app while already instrumented"
257261
)
258262

259-
def _uninstrument(self, **kwargs):
260-
flask.Flask = self._original_flask
261-
262-
def uninstrument_app(self, app): # pylint: disable=no-self-use
263-
if not hasattr(app, "_is_instrumented"):
264-
app._is_instrumented = False
265-
266-
if app._is_instrumented:
263+
@staticmethod
264+
def uninstrument_app(app):
265+
if hasattr(app, "_original_wsgi_app"):
267266
app.wsgi_app = app._original_wsgi_app
268267

269268
# FIXME add support for other Flask blueprints that are not None
270269
app.before_request_funcs[None].remove(app._before_request)
271270
app.teardown_request_funcs[None].remove(_teardown_request)
272271
del app._original_wsgi_app
273-
274-
app._is_instrumented = False
272+
app._is_instrumented_by_opentelemetry = False
275273
else:
276274
_logger.warning(
277275
"Attempting to uninstrument Flask "

instrumentation/opentelemetry-instrumentation-flask/tests/test_programmatic.py

+20-1
Original file line numberDiff line numberDiff line change
@@ -79,7 +79,16 @@ def tearDown(self):
7979
with self.disable_logging():
8080
FlaskInstrumentor().uninstrument_app(self.app)
8181

82-
def test_uninstrument(self):
82+
def test_instrument_app_and_instrument(self):
83+
FlaskInstrumentor().instrument()
84+
resp = self.client.get("/hello/123")
85+
self.assertEqual(200, resp.status_code)
86+
self.assertEqual([b"Hello: 123"], list(resp.response))
87+
span_list = self.memory_exporter.get_finished_spans()
88+
self.assertEqual(len(span_list), 1)
89+
FlaskInstrumentor().uninstrument()
90+
91+
def test_uninstrument_app(self):
8392
resp = self.client.get("/hello/123")
8493
self.assertEqual(200, resp.status_code)
8594
self.assertEqual([b"Hello: 123"], list(resp.response))
@@ -94,6 +103,16 @@ def test_uninstrument(self):
94103
span_list = self.memory_exporter.get_finished_spans()
95104
self.assertEqual(len(span_list), 1)
96105

106+
def test_uninstrument_app_after_instrument(self):
107+
FlaskInstrumentor().instrument()
108+
FlaskInstrumentor().uninstrument_app(self.app)
109+
resp = self.client.get("/hello/123")
110+
self.assertEqual(200, resp.status_code)
111+
self.assertEqual([b"Hello: 123"], list(resp.response))
112+
span_list = self.memory_exporter.get_finished_spans()
113+
self.assertEqual(len(span_list), 0)
114+
FlaskInstrumentor().uninstrument()
115+
97116
# pylint: disable=no-member
98117
def test_only_strings_in_environ(self):
99118
"""

instrumentation/opentelemetry-instrumentation-psycopg2/src/opentelemetry/instrumentation/psycopg2/__init__.py

+22-12
Original file line numberDiff line numberDiff line change
@@ -39,6 +39,7 @@
3939
---
4040
"""
4141

42+
import logging
4243
import typing
4344
from typing import Collection
4445

@@ -53,6 +54,7 @@
5354
from opentelemetry.instrumentation.psycopg2.package import _instruments
5455
from opentelemetry.instrumentation.psycopg2.version import __version__
5556

57+
_logger = logging.getLogger(__name__)
5658
_OTEL_CURSOR_FACTORY_KEY = "_otel_orig_cursor_factory"
5759

5860

@@ -91,24 +93,32 @@ def _uninstrument(self, **kwargs):
9193
dbapi.unwrap_connect(psycopg2, "connect")
9294

9395
# TODO(owais): check if core dbapi can do this for all dbapi implementations e.g, pymysql and mysql
94-
def instrument_connection(
95-
self, connection, tracer_provider=None
96-
): # pylint: disable=no-self-use
97-
setattr(
98-
connection, _OTEL_CURSOR_FACTORY_KEY, connection.cursor_factory
99-
)
100-
connection.cursor_factory = _new_cursor_factory(
101-
tracer_provider=tracer_provider
102-
)
96+
@staticmethod
97+
def instrument_connection(connection, tracer_provider=None):
98+
if not hasattr(connection, "_is_instrumented_by_opentelemetry"):
99+
connection._is_instrumented_by_opentelemetry = False
100+
101+
if not connection._is_instrumented_by_opentelemetry:
102+
setattr(
103+
connection, _OTEL_CURSOR_FACTORY_KEY, connection.cursor_factory
104+
)
105+
connection.cursor_factory = _new_cursor_factory(
106+
tracer_provider=tracer_provider
107+
)
108+
connection._is_instrumented_by_opentelemetry = True
109+
else:
110+
_logger.warning(
111+
"Attempting to instrument Psycopg connection while already instrumented"
112+
)
103113
return connection
104114

105115
# TODO(owais): check if core dbapi can do this for all dbapi implementations e.g, pymysql and mysql
106-
def uninstrument_connection(
107-
self, connection
108-
): # pylint: disable=no-self-use
116+
@staticmethod
117+
def uninstrument_connection(connection):
109118
connection.cursor_factory = getattr(
110119
connection, _OTEL_CURSOR_FACTORY_KEY, None
111120
)
121+
112122
return connection
113123

114124

0 commit comments

Comments
 (0)