pyzotero 1.6.7__py3-none-any.whl → 1.6.9__py3-none-any.whl

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
_version.py CHANGED
@@ -12,5 +12,5 @@ __version__: str
12
12
  __version_tuple__: VERSION_TUPLE
13
13
  version_tuple: VERSION_TUPLE
14
14
 
15
- __version__ = version = '1.6.7'
16
- __version_tuple__ = version_tuple = (1, 6, 7)
15
+ __version__ = version = '1.6.9'
16
+ __version_tuple__ = version_tuple = (1, 6, 9)
@@ -0,0 +1,151 @@
1
+ # This is a modified version of httpx_file:
2
+ # The aiofiles dependency has been removed by modifying the async functionality to use
3
+ # asyncio instead. A specific test for this modification can be found in tests/test_async.py
4
+ # https://github.com/nuno-andre/httpx-file
5
+
6
+
7
+ # The license and copyright notice are reproduced below
8
+ # Copyright (c) 2021, Nuno André Novo
9
+ # All rights reserved.
10
+
11
+ # Redistribution and use in source and binary forms, with or without
12
+ # modification, are permitted provided that the following conditions are met:
13
+ # * Redistributions of source code must retain the above copyright notice, this
14
+ # list of conditions and the following disclaimer.
15
+ # * Redistributions in binary form must reproduce the above copyright notice,
16
+ # this list of conditions and the following disclaimer in the documentation
17
+ # and/or other materials provided with the distribution.
18
+ # * Neither the name of the <copyright holder> nor the names of its contributors
19
+ # may be used to endorse or promote products derived from this software without
20
+ # specific prior written permission.
21
+
22
+ # THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND
23
+ # ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
24
+ # WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE
25
+ # DISCLAIMED. IN NO EVENT SHALL <COPYRIGHT HOLDER> BE LIABLE FOR ANY DIRECT,
26
+ # INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING,
27
+ # BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
28
+ # DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF
29
+ # LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE
30
+ # OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF
31
+ # ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
32
+
33
+ import asyncio
34
+ from pathlib import Path
35
+ from typing import Optional
36
+
37
+ import httpx
38
+ from httpx import (
39
+ AsyncBaseTransport,
40
+ BaseTransport,
41
+ ByteStream,
42
+ Request,
43
+ Response,
44
+ )
45
+ from httpx import (
46
+ AsyncClient as _AsyncClient,
47
+ )
48
+ from httpx import (
49
+ Client as _Client,
50
+ )
51
+ from httpx._utils import URLPattern
52
+
53
+
54
+ # monkey patch to fix httpx URL parsing
55
+ def is_relative_url(self):
56
+ return not (self._uri_reference.scheme or self._uri_reference.host)
57
+
58
+
59
+ def is_absolute_url(self):
60
+ return not self.is_relative_url
61
+
62
+
63
+ httpx.URL.is_relative_url = property(is_relative_url) # type: ignore
64
+ httpx.URL.is_absolute_url = property(is_absolute_url) # type: ignore
65
+
66
+
67
+ class FileTransport(AsyncBaseTransport, BaseTransport):
68
+ def _handle(self, request: Request) -> tuple[Optional[int], httpx.Headers]:
69
+ if request.url.host and request.url.host != "localhost":
70
+ raise NotImplementedError("Only local paths are allowed")
71
+ if request.method in {"PUT", "DELETE"}:
72
+ status = 501 # Not Implemented
73
+ elif request.method not in {"GET", "HEAD"}:
74
+ status = 405 # Method Not Allowed
75
+ else:
76
+ status = None
77
+ return status, request.headers
78
+
79
+ def handle_request(self, request: Request) -> Response:
80
+ status, headers = self._handle(request)
81
+ stream = None
82
+ if not status:
83
+ parts = request.url.path.split("/")
84
+ if parts[1].endswith((":", "|")):
85
+ parts[1] = parts[1][:-1] + ":"
86
+ parts.pop(0)
87
+ ospath = Path("/".join(parts))
88
+ try:
89
+ content = ospath.read_bytes()
90
+ status = 200
91
+ except FileNotFoundError:
92
+ status = 404
93
+ except PermissionError:
94
+ status = 403
95
+ else:
96
+ stream = ByteStream(content)
97
+ headers["Content-Length"] = str(len(content))
98
+ return Response(
99
+ status_code=status,
100
+ headers=headers,
101
+ stream=stream,
102
+ extensions=dict(),
103
+ )
104
+
105
+ async def handle_async_request(self, request: Request) -> Response:
106
+ status, headers = self._handle(request)
107
+ stream = None
108
+ if not status:
109
+ parts = request.url.path.split("/")
110
+ if parts[1].endswith((":", "|")):
111
+ parts[1] = parts[1][:-1] + ":"
112
+ parts.pop(0)
113
+ ospath = Path("/".join(parts))
114
+ try:
115
+ loop = asyncio.get_event_loop()
116
+ content = await loop.run_in_executor(None, ospath.read_bytes)
117
+ status = 200
118
+ except FileNotFoundError:
119
+ status = 404
120
+ except PermissionError:
121
+ status = 403
122
+ else:
123
+ stream = ByteStream(content)
124
+ headers["Content-Length"] = str(len(content))
125
+ return Response(
126
+ status_code=status,
127
+ headers=headers,
128
+ stream=stream,
129
+ extensions=dict(),
130
+ )
131
+
132
+
133
+ class Client(_Client):
134
+ def __init__(self, **kwargs) -> None:
135
+ super().__init__(**kwargs)
136
+ self.mount("file://", FileTransport())
137
+
138
+ def mount(self, protocol: str, transport: BaseTransport) -> None:
139
+ self._mounts.update({URLPattern(protocol): transport})
140
+
141
+
142
+ class AsyncClient(_AsyncClient):
143
+ def __init__(self, **kwargs) -> None:
144
+ super().__init__(**kwargs)
145
+ self.mount("file://", FileTransport())
146
+
147
+ def mount(self, protocol: str, transport: AsyncBaseTransport) -> None:
148
+ self._mounts.update({URLPattern(protocol): transport})
149
+
150
+
151
+ __all__ = ["AsyncClient", "Client", "FileTransport"]