Skip to content

Commit 3b0fb81

Browse files
authored
Merge pull request #66 from zurk/master
Refactor server.py
2 parents 24c90bc + fddc889 commit 3b0fb81

File tree

8 files changed

+281
-118
lines changed

8 files changed

+281
-118
lines changed

lookout/core/__init__.py

+1-1
Original file line numberDiff line numberDiff line change
@@ -1,2 +1,2 @@
11
"""Lookout SDK for stateful analyzers - root package."""
2-
__version__ = "0.14.0"
2+
__version__ = "0.15.0"
File renamed without changes.
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,97 @@
1+
from argparse import Namespace
2+
import subprocess
3+
from typing import Optional, Type
4+
5+
from lookout.core.analyzer import Analyzer
6+
from lookout.core.cmdline import create_model_repo_from_args
7+
from lookout.core.data_requests import DataService
8+
from lookout.core.event_listener import EventListener
9+
from lookout.core.helpers.server import check_port_free, find_port, LookoutSDK
10+
from lookout.core.manager import AnalyzerManager
11+
12+
13+
class AnalyzerContextManager:
14+
"""Context manager for launching analyzer."""
15+
16+
def __init__(self, analyzer: Type[Analyzer], db: str, fs: str,
17+
init: bool = True, data_request_address: str = "localhost:10301"):
18+
"""
19+
Initialization.
20+
21+
:param db: path to an SQLite database with model metadata.
22+
:param fs: location where to store the trained model.
23+
:param analyzer: analyzer class to use.
24+
:param init: Value indicating whether to run the destructive database initialization \
25+
or not. If you want to reuse an existing database set False.
26+
:param data_request_address: DataService GRPC endpoint to use.
27+
"""
28+
self.analyzer = analyzer
29+
self.init = init
30+
self._port = find_port()
31+
self.data_request_address = data_request_address
32+
self._sql_alchemy_model_args = Namespace(
33+
db="sqlite:///%s" % db,
34+
fs=fs,
35+
cache_size="1G",
36+
cache_ttl="6h",
37+
db_kwargs={},
38+
)
39+
self._lookout_sdk = None
40+
41+
def __enter__(self) -> "AnalyzerContextManager":
42+
"""
43+
Create the context and run the events listener.
44+
"""
45+
self.model_repository = create_model_repo_from_args(self._sql_alchemy_model_args)
46+
if self.init:
47+
self.model_repository.init()
48+
self.data_service = DataService(self.data_request_address)
49+
self.manager = AnalyzerManager(analyzers=[self.analyzer],
50+
model_repository=self.model_repository,
51+
data_service=self.data_service)
52+
if not check_port_free(self._port):
53+
self._port = find_port()
54+
self.listener = EventListener(address="0.0.0.0:%d" % self._port, handlers=self.manager,
55+
n_workers=1)
56+
self.listener.start()
57+
self._lookout_sdk = LookoutSDK()
58+
return self
59+
60+
def __exit__(self, exc_type=None, exc_val=None, exc_tb=None):
61+
"""
62+
Stop the events listener and shutdown the context.
63+
"""
64+
self._lookout_sdk = None
65+
self.listener.stop()
66+
self.model_repository.shutdown()
67+
self.data_service.shutdown()
68+
69+
def review(self, fr: str, to: str, *, git_dir: str, bblfsh: Optional[str]=None,
70+
log_level: Optional[str]=None, config_json: Optional[dict]=None) \
71+
-> subprocess.CompletedProcess:
72+
"""
73+
Proxy for LookoutSDK.review().
74+
75+
Triggers a review event and effectively calls the underlying analyzer's `analyze()`.
76+
Read parameters description in `LookoutSDK.review()`
77+
"""
78+
if not self._lookout_sdk:
79+
raise AttributeError(
80+
"AnalyzerContextManager.review() is available only inside `with`")
81+
return self._lookout_sdk.review(fr, to, self._port, git_dir=git_dir, bblfsh=bblfsh,
82+
log_level=log_level, config_json=config_json)
83+
84+
def push(self, fr: str, to: str, *, git_dir: str, bblfsh: Optional[str]=None,
85+
log_level: Optional[str]=None, config_json: Optional[dict]=None) \
86+
-> subprocess.CompletedProcess:
87+
"""
88+
Proxy for LookoutSDK.push().
89+
90+
Triggers a push event and effectively calls the underlying analyzer's `train()`.
91+
Read parameters description in `LookoutSDK.push()`
92+
"""
93+
if not self._lookout_sdk:
94+
raise AttributeError(
95+
"AnalyzerContextManager.push() is available only inside `with` statement")
96+
return self._lookout_sdk.push(fr, to, self._port, git_dir=git_dir, bblfsh=bblfsh,
97+
log_level=log_level, config_json=config_json)

lookout/core/helpers/server.py

+167
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,167 @@
1+
"""Utils to work with lookout-sdk binary."""
2+
import io
3+
import json
4+
import logging
5+
import os
6+
import pathlib
7+
import random
8+
from shutil import copyfileobj
9+
import socket
10+
import subprocess
11+
import sys
12+
import tarfile
13+
import tempfile
14+
from typing import Optional
15+
from urllib.error import HTTPError
16+
from urllib.request import urlopen
17+
18+
from lookout.core.api.version import __version__ as binver
19+
20+
21+
class LookoutSDK:
22+
"""
23+
Wrapper class for `lookout-sdk` executable.
24+
25+
Allows you to query analyzers the same way lookout server do.
26+
About lookout-sdk read https://github.com/src-d/lookout-sdk
27+
"""
28+
29+
_log = logging.getLogger("LookoutSDK")
30+
31+
def __init__(self):
32+
"""
33+
Fetch lookout-sdk executable if it is missing.
34+
"""
35+
self._version = binver
36+
self._exefile = (pathlib.Path(tempfile.gettempdir()) /
37+
"lookout-sdk-ml" / ("lookout-sdk-%s" % self._version))
38+
if not self._exefile.exists():
39+
self.fetch()
40+
41+
version = property(lambda self: self._version)
42+
43+
def fetch(self):
44+
"""
45+
Download the lookout-sdk executable from GitHub Releases.
46+
"""
47+
self._exefile.parent.mkdir(exist_ok=True)
48+
platform = sys.platform
49+
try:
50+
buffer = io.BytesIO()
51+
with urlopen("https://github.com/src-d/lookout/releases/download/"
52+
"%s/lookout-sdk_%s_%s_amd64.tar.gz" % (binver, binver, platform),
53+
) as response:
54+
copyfileobj(response, buffer)
55+
buffer.seek(0)
56+
with tarfile.open(fileobj=buffer, mode="r:gz") as tar, \
57+
self._exefile.open("wb") as fout:
58+
copyfileobj(tar.extractfile("lookout-sdk_%s_amd64/lookout-sdk" % platform), fout)
59+
os.chmod(str(self._exefile), 0o775)
60+
except HTTPError as e:
61+
if e.code == 404:
62+
self._log.error("Release %s for %s platform is missing." % (binver, platform))
63+
raise e from None
64+
except Exception as e:
65+
if self._exefile.exists():
66+
os.remove(str(self._exefile))
67+
raise e from None
68+
69+
def push(self, fr: str, to: str, port: int, *, git_dir: str, bblfsh: Optional[str]=None,
70+
log_level: Optional[str]=None, config_json: Optional[dict]=None) \
71+
-> subprocess.CompletedProcess:
72+
"""
73+
Provide a simple data server and triggers an analyzer push event.
74+
75+
:param fr: Corresponds to --from flag.
76+
:param to: Corresponds to --to flag.
77+
:param port: Running analyzer port on localhost.
78+
:param git_dir: Corresponds to --git-dir flag.
79+
:param log_level: Corresponds to --log-level flag.
80+
:param bblfsh: Corresponds to --bblfshd flag.
81+
:param config_json: Corresponds to --config-json flag.
82+
:return: CompletedProcess with return code.
83+
"""
84+
return self._run("push", fr, to, port, git_dir, bblfsh, log_level, config_json)
85+
86+
def review(self, fr: str, to: str, port: int, *, git_dir: str, bblfsh: Optional[str]=None,
87+
log_level: Optional[str]=None, config_json: Optional[dict]=None) \
88+
-> subprocess.CompletedProcess:
89+
"""
90+
Provide a simple data server and triggers an analyzer review event.
91+
92+
:param fr: Corresponds to --from flag.
93+
:param to: Corresponds to --to flag.
94+
:param port: Running analyzer port on localhost.
95+
:param git_dir: Corresponds to --git-dir flag.
96+
:param log_level: Corresponds to --log-level flag.
97+
:param bblfsh: Corresponds to --bblfshd flag.
98+
:param config_json: Corresponds to --config-json flag.
99+
:return: CompletedProcess with return code.
100+
"""
101+
return self._run("review", fr, to, port, git_dir, bblfsh, log_level, config_json)
102+
103+
def _run(self, cmd: str, fr: str, to: str, port: int, git_dir: str, bblfsh: Optional[str],
104+
log_level: Optional[str], config_json: Optional[dict]) -> subprocess.CompletedProcess:
105+
"""
106+
Run lookout-sdk executable. If you do not have it please fetch first.
107+
108+
:param cmd: Sub-command to run.
109+
:param fr: Corresponds to --from flag.
110+
:param to: Corresponds to --to flag.
111+
:param port: Running analyzer port on localhost.
112+
:param git_dir: Corresponds to --git-dir flag.
113+
:param log_level: Corresponds to --log-level flag.
114+
:param bblfsh: Corresponds to --bblfshd flag.
115+
:param config_json: Corresponds to --config-json flag.
116+
:return: CompletedProcess with return code.
117+
"""
118+
command = [
119+
str(self._exefile), cmd, "ipv4://localhost:%d" % port,
120+
"--from", fr,
121+
"--to", to,
122+
"--git-dir", git_dir,
123+
]
124+
if log_level:
125+
command.extend(("--log-level", log_level))
126+
if bblfsh:
127+
command.extend(("--bblfshd", "ipv4://" + bblfsh))
128+
if config_json:
129+
command.extend(("--config-json", json.dumps(config_json)))
130+
return subprocess.run(command, stdout=sys.stdout, stderr=sys.stderr, check=True)
131+
132+
133+
def check_port_free(port: int) -> bool:
134+
"""
135+
Check if the port is not taken on localhost.
136+
137+
:param port: Port number.
138+
:return: True if available else False.
139+
"""
140+
s = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
141+
try:
142+
s.connect(("localhost", port))
143+
return False
144+
except ConnectionRefusedError:
145+
return True
146+
finally:
147+
try:
148+
s.shutdown(socket.SHUT_RDWR)
149+
except OSError:
150+
pass
151+
s.close()
152+
153+
154+
def find_port(attempts: int = 100) -> int:
155+
"""
156+
Find a free port on localhost.
157+
158+
:param attempts: Number of random search attempts.
159+
:return: Found free port number.
160+
"""
161+
while True:
162+
attempts -= 1
163+
if attempts == 0:
164+
raise ConnectionError("cannot find an open port")
165+
port = random.randint(1024, 32768)
166+
if check_port_free(port):
167+
return port

lookout/core/test_helpers/server.py

-101
This file was deleted.

lookout/core/tests/__init__.py

-4
Original file line numberDiff line numberDiff line change
@@ -1,4 +0,0 @@
1-
from lookout.core.test_helpers import server
2-
3-
if not server.exefile.exists():
4-
server.fetch()

0 commit comments

Comments
 (0)