Skip to content

Commit

Permalink
Add message emit mechanism
Browse files Browse the repository at this point in the history
  • Loading branch information
marios8543 committed Oct 18, 2023
1 parent dcee5ca commit d9ba637
Show file tree
Hide file tree
Showing 5 changed files with 54 additions and 31 deletions.
8 changes: 8 additions & 0 deletions .vscode/tasks.json
Original file line number Diff line number Diff line change
Expand Up @@ -185,6 +185,14 @@
"runpydeck"
],
"problemMatcher": []
},
{
"label": "act",
"type": "shell",
"group": "none",
"detail": "Run the act thing",
"command": "./act/run-act.sh release",
"problemMatcher": []
}
]
}
41 changes: 27 additions & 14 deletions backend/src/plugin/plugin.py
Original file line number Diff line number Diff line change
Expand Up @@ -2,12 +2,13 @@
from json import dumps, load, loads
from logging import getLogger
from os import path
from multiprocessing import Process

from .sandboxed_plugin import SandboxedPlugin
from .method_call_request import MethodCallRequest
from ..localplatform.localsocket import LocalSocket

from typing import Any, Dict
from typing import Any, Callable, Coroutine, Dict

class PluginWrapper:
def __init__(self, file: str, plugin_directory: str, plugin_path: str) -> None:
Expand All @@ -28,40 +29,52 @@ def __init__(self, file: str, plugin_directory: str, plugin_path: str) -> None:
self.passive = not path.isfile(self.file)

self.log = getLogger("plugin")
self.method_call_requests: Dict[str, MethodCallRequest] = {}

self.sandboxed_plugin = SandboxedPlugin(self.name, self.passive, self.flags, self.file, self.plugin_directory, self.plugin_path, self.version, self.author)
#TODO: Maybe somehow make LocalSocket not require on_new_message to make this more clear
self.socket = LocalSocket(self.sandboxed_plugin.on_new_message)
self.listener_task: Task[Any]
#TODO: Maybe make LocalSocket not require on_new_message to make this cleaner
self._socket = LocalSocket(self.sandboxed_plugin.on_new_message)
self._listener_task: Task[Any]
self._method_call_requests: Dict[str, MethodCallRequest] = {}

self.emitted_message_callback: Callable[[Dict[Any, Any]], Coroutine[Any, Any, Any]]

def __str__(self) -> str:
return self.name

async def _response_listener(self):
while True:
line = await self.socket.read_single_line()
line = await self._socket.read_single_line()
if line != None:
res = loads(line)
self.method_call_requests.pop(res["id"]).set_result(res)
if res["id"] == 0:
create_task(self.emitted_message_callback(res["payload"]))
return
self._method_call_requests.pop(res["id"]).set_result(res)

async def set_emitted_message_callback(self, callback: Callable[[Dict[Any, Any]], Coroutine[Any, Any, Any]]):
self.emitted_message_callback = callback

async def execute_method(self, method_name: str, kwargs: Dict[Any, Any]):
if self.passive:
raise RuntimeError("This plugin is passive (aka does not implement main.py)")

request = MethodCallRequest()
await self.socket.get_socket_connection()
await self.socket.write_single_line(dumps({ "method": method_name, "args": kwargs, "id": request.id }, ensure_ascii=False))
self.method_call_requests[request.id] = request
await self._socket.get_socket_connection()
await self._socket.write_single_line(dumps({ "method": method_name, "args": kwargs, "id": request.id }, ensure_ascii=False))
self._method_call_requests[request.id] = request

return await request.wait_for_result()

async def start(self):
self.sandboxed_plugin.start(self.socket)
if self.passive:
return self
Process(target=self.sandboxed_plugin.initialize, args=[self._socket]).start()
self.listener_task = create_task(self._response_listener())
return self

async def stop(self):
self.listener_task.cancel()
self._listener_task.cancel()
async def _(self: PluginWrapper):
await self.socket.write_single_line(dumps({ "stop": True }, ensure_ascii=False))
await self.socket.close_socket_connection()
await self._socket.write_single_line(dumps({ "stop": True }, ensure_ascii=False))
await self._socket.close_socket_connection()
create_task(_(self))
22 changes: 12 additions & 10 deletions backend/src/plugin/sandboxed_plugin.py
Original file line number Diff line number Diff line change
Expand Up @@ -3,7 +3,6 @@
from importlib.util import module_from_spec, spec_from_file_location
from json import dumps, loads
from logging import getLogger
import multiprocessing
from sys import exit, path as syspath
from traceback import format_exc
from asyncio import (get_event_loop, new_event_loop,
Expand All @@ -15,7 +14,7 @@
from ..customtypes import UserType
from .. import helpers

from typing import List
from typing import Any, Dict, List

class SandboxedPlugin:
def __init__(self,
Expand All @@ -38,7 +37,9 @@ def __init__(self,

self.log = getLogger("plugin")

def _init(self, socket: LocalSocket):
def initialize(self, socket: LocalSocket):
self._socket = socket

try:
signal(SIGINT, lambda s, f: exit(0))

Expand Down Expand Up @@ -79,6 +80,9 @@ def _init(self, socket: LocalSocket):
spec.loader.exec_module(module)
self.Plugin = module.Plugin

setattr(self.Plugin, "emit_message", self.emit_message)
#TODO: Find how to put emit_message on global namespace so it doesn't pollute Plugin

if hasattr(self.Plugin, "_migration"):
get_event_loop().run_until_complete(self.Plugin._migration(self.Plugin))
if hasattr(self.Plugin, "_main"):
Expand Down Expand Up @@ -113,7 +117,6 @@ async def on_new_message(self, message : str) -> str|None:
get_event_loop().close()
raise Exception("Closing message listener")

# TODO there is definitely a better way to type this
d: SocketResponseDict = {"res": None, "success": True, "id": data["id"]}
try:
d["res"] = await getattr(self.Plugin, data["method"])(self.Plugin, **data["args"])
Expand All @@ -123,9 +126,8 @@ async def on_new_message(self, message : str) -> str|None:
finally:
return dumps(d, ensure_ascii=False)


def start(self, socket: LocalSocket):
if self.passive:
return self
multiprocessing.Process(target=self._init, args=[socket]).start()
return self
async def emit_message(self, message: Dict[Any, Any]):
await self._socket.write_single_line(dumps({
"id": 0,
"payload": message
}))
Binary file removed bin/act
Binary file not shown.
14 changes: 7 additions & 7 deletions frontend/src/store.tsx
Original file line number Diff line number Diff line change
Expand Up @@ -44,7 +44,7 @@ export async function getPluginList(): Promise<StorePlugin[]> {
if (store === null) {
console.log('Could not get store, using Default.');
await setSetting('store', Store.Default);
store = Store.Default
store = Store.Default;
}
switch (+store) {
case Store.Default:
Expand All @@ -60,12 +60,12 @@ export async function getPluginList(): Promise<StorePlugin[]> {
console.error('Somehow you ended up without a standard URL, using the default URL.');
storeURL = 'https://plugins.deckbrew.xyz/plugins';
break;
return fetch(storeURL, {
method: 'GET',
headers: {
'X-Decky-Version': version.current,
},
}).then((r) => r.json());
return fetch(storeURL, {
method: 'GET',
headers: {
'X-Decky-Version': version.current,
},
}).then((r) => r.json());
}
switch (+store) {
case Store.Default:
Expand Down

0 comments on commit d9ba637

Please sign in to comment.