mirror of
https://github.com/Yubico/yubioath-flutter.git
synced 2024-11-26 10:33:15 +03:00
164 lines
5.1 KiB
Python
164 lines
5.1 KiB
Python
# Copyright (c) 2021 Yubico AB
|
|
# All rights reserved.
|
|
#
|
|
# Redistribution and use in source and binary forms, with or
|
|
# without modification, are permitted provided that the following
|
|
# conditions are met:
|
|
#
|
|
# 1. Redistributions of source code must retain the above copyright
|
|
# notice, this list of conditions and the following disclaimer.
|
|
# 2. Redistributions in binary form must reproduce the above
|
|
# copyright notice, this list of conditions and the following
|
|
# disclaimer in the documentation and/or other materials provided
|
|
# with the distribution.
|
|
#
|
|
# THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
|
|
# "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
|
|
# LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS
|
|
# FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE
|
|
# COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT,
|
|
# INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING,
|
|
# BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES;
|
|
# LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER
|
|
# CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT
|
|
# LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN
|
|
# ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
|
|
# POSSIBILITY OF SUCH DAMAGE.
|
|
|
|
|
|
from .base import RpcException, encode_bytes
|
|
from .device import RootNode
|
|
|
|
from queue import Queue
|
|
from threading import Thread, Event
|
|
from typing import Callable, Dict, List
|
|
|
|
import json
|
|
import logging
|
|
|
|
logger = logging.getLogger(__name__)
|
|
|
|
|
|
class _JsonLoggingFormatter(logging.Formatter):
|
|
def format(self, record):
|
|
data = {
|
|
"time": record.created,
|
|
"name": record.name,
|
|
"level": record.levelname,
|
|
"message": record.getMessage(),
|
|
}
|
|
if record.exc_info:
|
|
if not record.exc_text:
|
|
record.exc_text = self.formatException(record.exc_info)
|
|
data["exc_text"] = record.exc_text
|
|
return json.dumps(data)
|
|
|
|
|
|
def _init_logging():
|
|
logging.disable(logging.NOTSET)
|
|
logging.basicConfig()
|
|
logging.root.handlers[0].setFormatter(_JsonLoggingFormatter())
|
|
|
|
|
|
def _handle_incoming(event, recv, error, cmd_queue):
|
|
while True:
|
|
request = recv()
|
|
if not request:
|
|
break
|
|
try:
|
|
kind = request["kind"]
|
|
if kind == "signal":
|
|
# Cancel signals are handled here, the rest forwarded
|
|
if request["status"] == "cancel":
|
|
event.set()
|
|
else:
|
|
# Ignore other signals
|
|
logger.error("Unhandled signal: %r", request)
|
|
elif kind == "command":
|
|
cmd_queue.join() # Wait for existing command to complete
|
|
event.clear() # Reset event for next command
|
|
cmd_queue.put(request)
|
|
else:
|
|
error("invalid-command", "Unsupported request type")
|
|
except KeyError as e:
|
|
error("invalid-command", str(e))
|
|
except RpcException as e:
|
|
error(e.status, e.message, e.body)
|
|
except Exception as e:
|
|
logger.exception("Unhandled exception")
|
|
error("exception", f"{e!r}")
|
|
event.set()
|
|
cmd_queue.put(None)
|
|
|
|
|
|
def process(
|
|
send: Callable[[Dict], None],
|
|
recv: Callable[[], Dict],
|
|
handler: Callable[[str, List, Dict, Event, Callable[[str], None]], Dict],
|
|
) -> None:
|
|
def error(status: str, message: str, body: Dict = {}):
|
|
send(dict(kind="error", status=status, message=message, body=body))
|
|
|
|
def signal(status: str, body: Dict = {}):
|
|
send(dict(kind="signal", status=status, body=body))
|
|
|
|
def success(body: Dict):
|
|
send(dict(kind="success", body=body))
|
|
|
|
event = Event()
|
|
cmd_queue: Queue = Queue(1)
|
|
read_thread = Thread(target=_handle_incoming, args=(event, recv, error, cmd_queue))
|
|
read_thread.start()
|
|
|
|
while True:
|
|
request = cmd_queue.get()
|
|
if request is None:
|
|
break
|
|
try:
|
|
success(
|
|
handler(
|
|
request["action"],
|
|
request.get("target", []),
|
|
request.get("body", {}),
|
|
event,
|
|
signal,
|
|
)
|
|
)
|
|
except RpcException as e:
|
|
error(e.status, e.message, e.body)
|
|
except Exception as e:
|
|
logger.exception("Unhandled exception")
|
|
error("exception", f"{e!r}")
|
|
cmd_queue.task_done()
|
|
|
|
read_thread.join()
|
|
|
|
|
|
def run_rpc(
|
|
send: Callable[[Dict], None],
|
|
recv: Callable[[], Dict],
|
|
) -> None:
|
|
process(send, recv, RootNode())
|
|
|
|
|
|
def run_rpc_pipes(stdout, stdin):
|
|
_init_logging()
|
|
|
|
def _json_encode(value):
|
|
if isinstance(value, bytes):
|
|
return encode_bytes(value)
|
|
raise TypeError(type(value))
|
|
|
|
def send(data):
|
|
json.dump(data, stdout, default=_json_encode)
|
|
stdout.write("\n")
|
|
stdout.flush()
|
|
|
|
def recv():
|
|
line = stdin.readline()
|
|
if line:
|
|
return json.loads(line.strip())
|
|
return None
|
|
|
|
run_rpc(send, recv)
|