1
1
from __future__ import annotations
2
2
3
+ import inspect
3
4
from collections .abc import Callable , Sequence
4
5
from copy import deepcopy
5
6
from dataclasses import dataclass
6
7
from functools import partial , update_wrapper , wraps
7
8
from threading import RLock
8
- from typing import TYPE_CHECKING , Any , ClassVar , ParamSpec , TypeAlias , TypeVar , cast
9
+ from typing import TYPE_CHECKING , Any , ClassVar , Concatenate , ParamSpec , TypeAlias , TypeVar , cast
9
10
10
11
from common_libs .ansi_colors import ColorCodes , color
11
12
from common_libs .clients .rest_client import RestResponse
33
34
34
35
P = ParamSpec ("P" )
35
36
R = TypeVar ("R" )
36
- _EndpointFunc = TypeVar ("_EndpointFunc" , bound = Callable [..., RestResponse ]) # For making IDE happy
37
+
38
+
39
+ _EndpointFunc = TypeVar (
40
+ # TODO: Remove this
41
+ # A workaound for https://youtrack.jetbrains.com/issue/PY-57765
42
+ "_EndpointFunc" ,
43
+ bound = Callable [..., RestResponse ],
44
+ )
37
45
EndpointFunction : TypeAlias = _EndpointFunc | "EndpointFunc"
38
46
EndpointDecorator : TypeAlias = Callable [[EndpointFunction ], EndpointFunction ]
39
47
@@ -108,7 +116,7 @@ class endpoint:
108
116
>>>
109
117
>>> class AuthAPI(DemoAppBaseAPI):
110
118
>>> @endpoint.post("/v1/login")
111
- >>> def login(self, *, username: str = Unset, password: str = Unset, **params) :
119
+ >>> def login(self, *, username: str = Unset, password: str = Unset, **kwargs: Any) -> RestResponse :
112
120
>>> ...
113
121
>>>
114
122
>>> client = DemoAppAPIClient()
@@ -274,37 +282,51 @@ def undocumented(obj: EndpointHandler | type[APIBase] | EndpointFunction) -> End
274
282
"""Mark an endpoint as undocumented. If an API class is decorated, all endpoints on the class will be
275
283
automatically marked as undocumented.
276
284
The flag value is available with an Endpoint object's is_documented attribute
285
+
286
+ :param obj: Endpoint handler or API class
287
+ NOTE: EndpointFunction type was added for mypy only
277
288
"""
289
+ assert isinstance (obj , EndpointHandler ) or (inspect .isclass (obj ) and issubclass (obj , APIBase ))
278
290
obj .is_documented = False
279
291
return cast (EndpointFunction , obj )
280
292
281
293
@staticmethod
282
294
def is_public (obj : EndpointHandler | EndpointFunction ) -> EndpointFunction :
283
295
"""Mark an endpoint as a public API that does not require authentication.
284
296
The flag value is available with an Endpoint object's is_public attribute
297
+
298
+ :param obj: Endpoint handler
299
+ NOTE: EndpointFunction type was added for mypy only
285
300
"""
301
+ assert isinstance (obj , EndpointHandler )
286
302
obj .is_public = True
287
303
return cast (EndpointFunction , obj )
288
304
289
305
@staticmethod
290
306
def is_deprecated (obj : EndpointHandler | type [APIBase ] | EndpointFunction ) -> EndpointFunction :
291
307
"""Mark an endpoint as a deprecated API. If an API class is decorated, all endpoints on the class will be
292
308
automatically marked as deprecated.
309
+
310
+ :param obj: Endpoint handler or API class
311
+ NOTE: EndpointFunction type was added for mypy only
293
312
"""
313
+ assert isinstance (obj , EndpointHandler ) or (inspect .isclass (obj ) and issubclass (obj , APIBase ))
294
314
obj .is_deprecated = True
295
315
return cast (EndpointFunction , obj )
296
316
297
317
@staticmethod
298
318
def content_type (content_type : str ) -> Callable [..., EndpointFunction ]:
299
- """Explicitly set Content-Type for this endpoint"""
319
+ """Explicitly set Content-Type for this endpoint
320
+
321
+ :param content_type: Content type to explicitly set
322
+ """
300
323
301
- def decorator_with_arg (
302
- obj : EndpointHandler | EndpointFunction ,
303
- ) -> EndpointHandler | EndpointFunction :
304
- obj .content_type = content_type
305
- return obj
324
+ def wrapper (endpoint_handler : EndpointHandler ) -> EndpointHandler :
325
+ assert isinstance (endpoint_handler , EndpointHandler )
326
+ endpoint_handler .content_type = content_type
327
+ return endpoint_handler
306
328
307
- return cast (Callable [..., EndpointFunction ], decorator_with_arg )
329
+ return cast (Callable [..., EndpointFunction ], wrapper )
308
330
309
331
@staticmethod
310
332
def decorator (
@@ -332,17 +354,16 @@ def decorator(
332
354
>>> ...
333
355
"""
334
356
335
- @wraps (f )
336
357
def wrapper (* args : Any , ** kwargs : Any ) -> EndpointHandler | Callable [[EndpointHandler ], EndpointHandler ]:
337
358
if not kwargs and args and len (args ) == 1 and isinstance (args [0 ], EndpointHandler ):
338
359
# This is a regular decorator
339
360
endpoint_handler : EndpointHandler = args [0 ]
340
- endpoint_handler .register_decorator (f )
361
+ endpoint_handler .register_decorator (cast ( EndpointDecorator , f ) )
341
362
return endpoint_handler
342
363
else :
343
364
# The decorator takes arguments
344
365
def _wrapper (endpoint_handler : EndpointHandler ) -> EndpointHandler :
345
- endpoint_handler .register_decorator (partial (f , * args , ** kwargs ))
366
+ endpoint_handler .register_decorator (cast ( EndpointDecorator , partial (f , * args , ** kwargs ) ))
346
367
return endpoint_handler
347
368
348
369
return _wrapper
@@ -405,11 +426,13 @@ def __init__(
405
426
self .path = path
406
427
self .use_query_string = use_query_string
407
428
self .requests_lib_options = requests_lib_options
408
- self .content_type = None # Will be set by @endpoint.content_type decorator (or application/json by default)
429
+
430
+ # Will be set via @endpoint.<decorator_name>
431
+ self .content_type : str | None = None # application/json by default
409
432
self .is_public = False
410
433
self .is_documented = True
411
434
self .is_deprecated = False
412
- self .__decorators : list [Callable [..., Any ] ] = []
435
+ self .__decorators : list [EndpointDecorator ] = []
413
436
414
437
def __get__ (self , instance : APIBase | None , owner : type [APIBase ]) -> EndpointFunc :
415
438
"""Return an EndpointFunc object"""
@@ -421,19 +444,30 @@ def __get__(self, instance: APIBase | None, owner: type[APIBase]) -> EndpointFun
421
444
)
422
445
EndpointFuncClass = type (endpoint_func_name , (EndpointFunc ,), {})
423
446
endpoint_func = EndpointFuncClass (self , instance , owner )
424
- EndpointHandler ._endpoint_functions [key ] = endpoint_func
425
- return cast (EndpointFunc , update_wrapper ( endpoint_func , self . original_func ) )
447
+ EndpointHandler ._endpoint_functions [key ] = update_wrapper ( endpoint_func , self . original_func )
448
+ return cast (EndpointFunc , endpoint_func )
426
449
427
450
@property
428
- def decorators (self ) -> list [Callable [..., Any ] ]:
451
+ def decorators (self ) -> list [EndpointDecorator ]:
429
452
"""Returns decorators that should be applied on an endpoint function"""
430
453
return self .__decorators
431
454
432
- def register_decorator (self , * decorator : Callable [..., Any ] ) -> None :
455
+ def register_decorator (self , * decorator : EndpointDecorator ) -> None :
433
456
"""Register a decorator that will be applied on an endpoint function"""
434
457
self .__decorators .extend ([d for d in decorator ])
435
458
436
459
460
+ def requires_instance (f : Callable [Concatenate [EndpointFunc , P ], R ]) -> Callable [Concatenate [EndpointFunc , P ], R ]:
461
+ @wraps (f )
462
+ def wrapper (self : EndpointFunc , * args : P .args , ** kwargs : P .kwargs ) -> R :
463
+ if self ._instance is None :
464
+ func_name = self ._original_func .__name__ if f .__name__ == "__call__" else f .__name__
465
+ raise TypeError (f"You can not access { func_name } () directly through the { self ._owner .__name__ } class." )
466
+ return f (self , * args , ** kwargs )
467
+
468
+ return wrapper
469
+
470
+
437
471
class EndpointFunc :
438
472
"""Endpoint function class
439
473
@@ -459,9 +493,9 @@ def __init__(self, endpoint_handler: EndpointHandler, instance: APIBase | None,
459
493
# Control a retry in a request wrapper to prevent a loop
460
494
self .retried = False
461
495
496
+ self ._instance : APIBase | None = instance
497
+ self ._owner : type [APIBase ] = owner
462
498
self ._original_func : Callable [..., RestResponse ] = endpoint_handler .original_func
463
- self ._instance = instance
464
- self ._owner = owner
465
499
self ._use_query_string = endpoint_handler .use_query_string
466
500
self ._requests_lib_options = endpoint_handler .requests_lib_options
467
501
@@ -497,6 +531,7 @@ def __init__(self, endpoint_handler: EndpointHandler, instance: APIBase | None,
497
531
def __repr__ (self ) -> str :
498
532
return f"{ super ().__repr__ ()} \n (mapped to: { self ._original_func !r} )"
499
533
534
+ @requires_instance
500
535
def __call__ (
501
536
self ,
502
537
* path_params : Any ,
@@ -506,7 +541,7 @@ def __call__(
506
541
with_hooks : bool | None = True ,
507
542
validate : bool | None = None ,
508
543
** params : Any ,
509
- ) -> RestResponse | None :
544
+ ) -> RestResponse :
510
545
"""Make an API call to the endpoint
511
546
512
547
:param path_params: Path parameters
@@ -619,6 +654,7 @@ def docs(self) -> None:
619
654
else :
620
655
print ("Docs not available" ) # noqa: T201
621
656
657
+ @requires_instance
622
658
def with_retry (
623
659
self ,
624
660
* args : Any ,
@@ -638,6 +674,7 @@ def with_retry(
638
674
f = retry_on (condition , num_retry = num_retry , retry_after = retry_after , safe_methods_only = False )(self )
639
675
return f (* args , ** kwargs )
640
676
677
+ @requires_instance
641
678
def with_lock (self , * args : Any , lock_name : str | None = None , ** kwargs : Any ) -> RestResponse :
642
679
"""Make an API call with lock
643
680
@@ -664,4 +701,5 @@ def get_usage(self) -> str | None:
664
701
665
702
if TYPE_CHECKING :
666
703
# For making IDE happy
704
+ # TODO: Remove this
667
705
EndpointFunc : TypeAlias = _EndpointFunc | EndpointFunc # type: ignore[no-redef]
0 commit comments