Skip to content

Commit 2c24746

Browse files
committed
Implement watch_file and watch_repository
TODO: - [ ] Implement `file_watcher` and `repository_watcher` - [ ] Apply exception handler - [ ] Update docstring
1 parent 4155d61 commit 2c24746

File tree

9 files changed

+354
-24
lines changed

9 files changed

+354
-24
lines changed

centraldogma/base_client.py

+3-1
Original file line numberDiff line numberDiff line change
@@ -40,7 +40,9 @@ def request(self, method: str, path: str, **kwargs) -> Union[Response]:
4040
return self._httpx_request(method, path, **kwargs)
4141

4242
def _set_request_headers(self, method: str, **kwargs) -> Dict:
43-
kwargs["headers"] = self.patch_headers if method == "patch" else self.headers
43+
default_headers = self.patch_headers if method == "patch" else self.headers
44+
headers = kwargs.get("headers")
45+
kwargs["headers"] = dict(list(default_headers.items()) + list(headers.items())) if headers else default_headers
4446
return kwargs
4547

4648
def _httpx_request(self, method: str, url: str, **kwargs) -> Response:

centraldogma/content_service.py

+99-16
Original file line numberDiff line numberDiff line change
@@ -11,28 +11,39 @@
1111
# WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the
1212
# License for the specific language governing permissions and limitations
1313
# under the License.
14+
from dataclasses import asdict
15+
from enum import Enum
16+
from http import HTTPStatus
17+
from typing import List, Optional, TypeVar, Any
18+
19+
from urllib.parse import quote
20+
21+
from httpx import Response
22+
1423
from centraldogma.base_client import BaseClient
1524
from centraldogma.data.change import Change
1625
from centraldogma.data.commit import Commit
1726
from centraldogma.data.content import Content
27+
from centraldogma.data.entry import Entry, EntryType
1828
from centraldogma.data.push_result import PushResult
19-
from dataclasses import asdict
20-
from enum import Enum
21-
from http import HTTPStatus
22-
from typing import List, Optional
29+
from centraldogma.data.revision import Revision
30+
from centraldogma.exceptions import CentralDogmaException
31+
from centraldogma.query import Query, QueryType
32+
33+
T = TypeVar('T')
2334

2435

2536
class ContentService:
2637
def __init__(self, client: BaseClient):
2738
self.client = client
2839

2940
def get_files(
30-
self,
31-
project_name: str,
32-
repo_name: str,
33-
path_pattern: Optional[str],
34-
revision: Optional[int],
35-
include_content: bool = False,
41+
self,
42+
project_name: str,
43+
repo_name: str,
44+
path_pattern: Optional[str],
45+
revision: Optional[int],
46+
include_content: bool = False,
3647
) -> List[Content]:
3748
params = {"revision": revision} if revision else None
3849
path = f"/projects/{project_name}/repos/{repo_name}/"
@@ -67,11 +78,11 @@ def get_file(
6778
return Content.from_dict(resp.json())
6879

6980
def push(
70-
self,
71-
project_name: str,
72-
repo_name: str,
73-
commit: Commit,
74-
changes: List[Change],
81+
self,
82+
project_name: str,
83+
repo_name: str,
84+
commit: Commit,
85+
changes: List[Change],
7586
) -> PushResult:
7687
params = {
7788
"commitMessage": asdict(commit),
@@ -81,7 +92,79 @@ def push(
8192
}
8293
path = f"/projects/{project_name}/repos/{repo_name}/contents"
8394
resp = self.client.request("post", path, json=params)
84-
return PushResult.from_dict(resp.json())
95+
json: object = resp.json()
96+
return PushResult.from_dict(json)
97+
98+
def watch_repository(self, project_name: str, repo_name: str, last_known_revision: Revision, path_pattern: str,
99+
timeout_millis: int) -> Optional[Revision]:
100+
path = f"/projects/{project_name}/repos/{repo_name}/contents"
101+
if path_pattern[0] != "/":
102+
path += "/**/"
103+
104+
if path_pattern in ' ':
105+
path_pattern = path_pattern.replace(" ", "%20")
106+
path += path_pattern
107+
108+
response = self._watch(last_known_revision, timeout_millis, path)
109+
if response.status_code == HTTPStatus.OK:
110+
json = response.json()
111+
return Revision(json["revision"])
112+
elif response.status_code == HTTPStatus.NOT_MODIFIED:
113+
return None
114+
else:
115+
# TODO(ikhoon): Handle excepitons after https://github.com/line/centraldogma-python/pull/11/ is merged.
116+
pass
117+
118+
def watch_file(self, project_name: str, repo_name: str, last_known_revision: Revision, query: Query[T],
119+
timeout_millis) -> Optional[Entry[T]]:
120+
path = f"/projects/{project_name}/repos/{repo_name}/contents/{query.path}"
121+
if query.query_type == QueryType.JSON_PATH:
122+
queries = [f"jsonpath={quote(expr)}" for expr in query.expressions]
123+
path = f"{path}?{'&'.join(queries)}"
124+
125+
response = self._watch(last_known_revision, timeout_millis, path)
126+
if response.status_code == HTTPStatus.OK:
127+
json = response.json()
128+
revision = Revision(json["revision"])
129+
return self._to_entry(revision, json["entry"], query.query_type)
130+
elif response.status_code == HTTPStatus.NOT_MODIFIED:
131+
return None
132+
else:
133+
# TODO(ikhoon): Handle excepitons after https://github.com/line/centraldogma-python/pull/11/ is merged.
134+
pass
135+
136+
@staticmethod
137+
def _to_entry(revision: Revision, json: Any, query_type: QueryType) -> Entry:
138+
entry_path = json["path"]
139+
received_entry_type = EntryType[json["type"]]
140+
content = json["content"]
141+
if query_type == QueryType.IDENTITY_TEXT:
142+
return Entry.text(revision, entry_path, content)
143+
elif query_type == QueryType.IDENTITY or query_type == QueryType.JSON_PATH:
144+
if received_entry_type != EntryType.JSON:
145+
raise CentralDogmaException(
146+
f"invalid entry type. entry type: {received_entry_type} (expected: {query_type})")
147+
148+
return Entry.json(revision, entry_path, content)
149+
else: # query_type == QueryType.IDENTITY
150+
if received_entry_type == EntryType.JSON:
151+
return Entry.json(revision, entry_path, content)
152+
elif received_entry_type == EntryType.TEXT:
153+
return Entry.text(revision, entry_path, content)
154+
else: # received_entry_type == EntryType.DIRECTORY
155+
return Entry.directory(revision, entry_path)
156+
157+
def _watch(
158+
self,
159+
last_known_revision: Revision,
160+
timeout_millis: int,
161+
path: str) -> Response:
162+
normalized_timeout = (timeout_millis + 999) // 1000
163+
headers = {
164+
"if-none-match": f"{last_known_revision.major}",
165+
"prefer": f"wait={normalized_timeout}"
166+
}
167+
return self.client.request("get", path, headers=headers, timeout=normalized_timeout)
85168

86169
def _change_dict(self, data):
87170
return {

centraldogma/data/change.py

+1-1
Original file line numberDiff line numberDiff line change
@@ -31,4 +31,4 @@ class ChangeType(Enum):
3131
class Change:
3232
path: str
3333
type: ChangeType
34-
content: Optional[Union[map, str]] = None
34+
content: Optional[Union[dict, str]] = None

centraldogma/data/entry.py

+77
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,77 @@
1+
# Copyright 2021 LINE Corporation
2+
#
3+
# LINE Corporation licenses this file to you under the Apache License,
4+
# version 2.0 (the "License"); you may not use this file except in compliance
5+
# with the License. You may obtain a copy of the License at:
6+
#
7+
# https://www.apache.org/licenses/LICENSE-2.0
8+
#
9+
# Unless required by applicable law or agreed to in writing, software
10+
# distributed under the License is distributed on an "AS IS" BASIS, WITHOUT
11+
# WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the
12+
# License for the specific language governing permissions and limitations
13+
# under the License.
14+
from __future__ import annotations
15+
16+
import json
17+
from enum import Enum, auto
18+
from typing import TypeVar, Generic, Any
19+
20+
from centraldogma.data.revision import Revision
21+
from centraldogma.exceptions import EntryNoContentException
22+
23+
24+
class EntryType(Enum):
25+
JSON = auto()
26+
TEXT = auto()
27+
DIRECTORY = auto()
28+
29+
30+
T = TypeVar('T')
31+
32+
33+
class Entry(Generic[T]):
34+
35+
@staticmethod
36+
def text(revision: Revision, path: str, content: str) -> Entry[str]:
37+
return Entry(revision, path, EntryType.TEXT, content)
38+
39+
@staticmethod
40+
def json(revision: Revision, path: str, content: Any) -> Entry[Any]:
41+
if type(content) is str:
42+
content = json.loads(content)
43+
return Entry(revision, path, EntryType.JSON, content)
44+
45+
@staticmethod
46+
def directory(revision: Revision, path: str) -> Entry[None]:
47+
return Entry(revision, path, EntryType.DIRECTORY, None)
48+
49+
def __init__(self, revision: Revision, path: str, entry_type: EntryType, content: T):
50+
self.revision = revision
51+
self.path = path
52+
self.entry_type = entry_type
53+
self._content = content
54+
self._content_as_text = None
55+
56+
def has_content(self) -> bool:
57+
return self.content is not None
58+
59+
@property
60+
def content(self) -> T:
61+
if self._content is None:
62+
raise EntryNoContentException(f"{self.path} (type: {self.entry_type}, revision: {self.revision.major})")
63+
64+
return self._content
65+
66+
def content_as_text(self) -> str:
67+
if self._content_as_text is not None:
68+
return self._content_as_text
69+
70+
if self.entry_type == EntryType.TEXT:
71+
self._content_as_text = self.content
72+
elif self.entry_type == EntryType.DIRECTORY:
73+
self._content_as_text = ''
74+
else:
75+
self._content_as_text = json.dumps(self.content)
76+
77+
return self._content_as_text

centraldogma/data/revision.py

+19
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,19 @@
1+
# Copyright 2021 LINE Corporation
2+
#
3+
# LINE Corporation licenses this file to you under the Apache License,
4+
# version 2.0 (the "License"); you may not use this file except in compliance
5+
# with the License. You may obtain a copy of the License at:
6+
#
7+
# https://www.apache.org/licenses/LICENSE-2.0
8+
#
9+
# Unless required by applicable law or agreed to in writing, software
10+
# distributed under the License is distributed on an "AS IS" BASIS, WITHOUT
11+
# WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the
12+
# License for the specific language governing permissions and limitations
13+
# under the License.
14+
from dataclasses import dataclass
15+
16+
17+
@dataclass
18+
class Revision:
19+
major: int

centraldogma/dogma.py

+35-3
Original file line numberDiff line numberDiff line change
@@ -11,6 +11,9 @@
1111
# WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the
1212
# License for the specific language governing permissions and limitations
1313
# under the License.
14+
import os
15+
from typing import List, Optional, TypeVar, Generic
16+
1417
from centraldogma.base_client import BaseClient
1518
from centraldogma.content_service import ContentService
1619
from centraldogma.data import (
@@ -22,13 +25,16 @@
2225
PushResult,
2326
Repository,
2427
)
28+
from centraldogma.data.entry import Entry
29+
from centraldogma.data.revision import Revision
2530
from centraldogma.project_service import ProjectService
31+
from centraldogma.query import Query
2632
from centraldogma.repository_service import RepositoryService
27-
from typing import List, Optional
28-
import os
2933

34+
T = TypeVar('T')
3035

31-
class Dogma:
36+
37+
class Dogma(Generic[T]):
3238
DEFAULT_BASE_URL = "http://localhost:36462"
3339
DEFAULT_TOKEN = "anonymous"
3440

@@ -179,3 +185,29 @@ def push(
179185
the content is supposed to be the new name.
180186
"""
181187
return self.content_service.push(project_name, repo_name, commit, changes)
188+
189+
def watch_repository(
190+
self,
191+
project_name: str,
192+
repo_name: str,
193+
last_known_revision: Revision,
194+
path_pattern: str,
195+
timeout_millis: int) -> Optional[Revision]:
196+
"""
197+
TODO(ikhoon): TBU
198+
"""
199+
return self.content_service.watch_repository(project_name, repo_name, last_known_revision,
200+
path_pattern, timeout_millis)
201+
202+
def watch_file(
203+
self,
204+
project_name: str,
205+
repo_name: str,
206+
last_known_revision: Revision,
207+
query: Query[T],
208+
timeout_millis: int) -> Optional[Entry[T]]:
209+
"""
210+
TODO(ikhoon): TBU
211+
:rtype: object
212+
"""
213+
return self.content_service.watch_file(project_name, repo_name, last_known_revision, query, timeout_millis)

centraldogma/exceptions.py

+5
Original file line numberDiff line numberDiff line change
@@ -45,3 +45,8 @@ class UnauthorizedException(CentralDogmaException):
4545

4646
class UnknownException(CentralDogmaException):
4747
pass
48+
49+
50+
class EntryNoContentException(CentralDogmaException):
51+
"""A CentralDogmaException that is raised when attempted to retrieve the content from a directory entry."""
52+
pass

centraldogma/query.py

+51
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,51 @@
1+
# Copyright 2021 LINE Corporation
2+
#
3+
# LINE Corporation licenses this file to you under the Apache License,
4+
# version 2.0 (the "License"); you may not use this file except in compliance
5+
# with the License. You may obtain a copy of the License at:
6+
#
7+
# https://www.apache.org/licenses/LICENSE-2.0
8+
#
9+
# Unless required by applicable law or agreed to in writing, software
10+
# distributed under the License is distributed on an "AS IS" BASIS, WITHOUT
11+
# WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the
12+
# License for the specific language governing permissions and limitations
13+
# under the License.
14+
from __future__ import annotations
15+
16+
from enum import Enum, auto
17+
from typing import TypeVar, Generic, Any, List
18+
19+
20+
class QueryType(Enum):
21+
IDENTITY = auto()
22+
IDENTITY_TEXT = auto()
23+
IDENTITY_JSON = auto()
24+
JSON_PATH = auto()
25+
26+
27+
T = TypeVar('T')
28+
29+
30+
class Query(Generic[T]):
31+
32+
@staticmethod
33+
def identity(path: str) -> Query[str]:
34+
return Query(path=path, query_type=QueryType.IDENTITY, expressions=[])
35+
36+
@staticmethod
37+
def text(path: str) -> Query[str]:
38+
return Query(path=path, query_type=QueryType.IDENTITY_TEXT, expressions=[])
39+
40+
@staticmethod
41+
def json(path: str) -> Query[Any]:
42+
return Query(path=path, query_type=QueryType.IDENTITY_JSON, expressions=[])
43+
44+
@staticmethod
45+
def json_path(path: str, json_paths: List[str]) -> Query[Any]:
46+
return Query(path=path, query_type=QueryType.JSON_PATH, expressions=json_paths)
47+
48+
def __init__(self, path: str, query_type: QueryType, expressions: List[str]):
49+
self.path = path
50+
self.query_type = query_type
51+
self.expressions = expressions

0 commit comments

Comments
 (0)