Preparations
Before starting this tutorial, it might be useful for you to familiarize yourself with the other tutorials and documentation pages first:
In this tutorial, we will also use Stimulus for the front-end code.
Once you have both Resonance and llama.cpp runing, we can continue.
Backend
Security
First, we must create a security gate and decide which users can use our chat. Let's say all authenticated users can do that:
<?php
namespace App\SiteActionGate;
use App\Role;
use Distantmagic\Resonance\Attribute\DecidesSiteAction;
use Distantmagic\Resonance\Attribute\Singleton;
use Distantmagic\Resonance\AuthenticatedUser;
use Distantmagic\Resonance\SingletonCollection;
use Distantmagic\Resonance\SiteAction;
use Distantmagic\Resonance\SiteActionGate;
#[DecidesSiteAction(SiteAction::StartWebSocketRPCConnection)]
#[Singleton(collection: SingletonCollection::SiteActionGate)]
final readonly class StartWebSocketRPCConnectionGate extends SiteActionGate
{
public function can(?AuthenticatedUser $authenticatedUser): bool
{
return true === $authenticatedUser?->user->getRole()->isAtLeast(Role::User);
}
}
HTTP Responder
First, we need to create a route in our application that will render the HTML chat.
We are using a few attributes:
-
Can
- this is an Authorization attribute it checks if user can connect with WebSocket. If they can't - it will return 403 error page instead. That is optional, but withoutCan
attribute, all users will be able to visit the page, but they won't be able to establish a WebSocket connection anyway. -
RespondsToHttp
- registers route -
Singleton
- adds yourHttpResponder
to Dependency Injection container. We addedwantsFeature: Feature::WebSocket
parameter to enableWebSocket
server.
<?php
namespace App\HttpResponder;
use App\HttpRouteSymbol;
use Distantmagic\Resonance\Attribute\Can;
use Distantmagic\Resonance\Attribute\RespondsToHttp;
use Distantmagic\Resonance\Attribute\Singleton;
use Distantmagic\Resonance\Feature;
use Distantmagic\Resonance\HttpInterceptableInterface;
use Distantmagic\Resonance\HttpResponder;
use Distantmagic\Resonance\RequestMethod;
use Distantmagic\Resonance\SingletonCollection;
use Distantmagic\Resonance\SiteAction;
use Distantmagic\Resonance\TwigTemplate;
use Swoole\Http\Request;
use Swoole\Http\Response;
#[Can(SiteAction::StartWebSocketRPCConnection)]
#[RespondsToHttp(
method: RequestMethod::GET,
pattern: '/chat',
routeSymbol: HttpRouteSymbol::LlmChat,
)]
#[Singleton(
collection: SingletonCollection::HttpResponder,
wantsFeature: Feature::WebSocket,
)]
final readonly class LlmChat extends HttpResponder
{
public function respond(Request $request, Response $response): HttpInterceptableInterface
{
return new TwigTemplate('turbo/llmchat/index.twig');
}
}
WebSocket Message Validation
First, we need to register our WebSocket RPC methods. Default WebSocket implementation follows a simple RPC protocol. All messages need to be a tuple:
[method, payload, null|request id]
Method, the first field, is validated against RPCMethodInterface
, through RPCMethodValidator
(you need to provide both):
<?php
namespace App;
use Distantmagic\Resonance\EnumValuesTrait;
use Distantmagic\Resonance\RPCMethodInterface;
enum RPCMethod: string implements RPCMethodInterface
{
use EnumValuesTrait;
case LlmChatPrompt = 'llm_chat_prompt';
case LlmToken = 'llm_token';
public function getValue(): string
{
return $this->value;
}
}
<?php
namespace App;
use Distantmagic\Resonance\Attribute\Singleton;
use Distantmagic\Resonance\Feature;
use Distantmagic\Resonance\RPCMethodInterface;
use Distantmagic\Resonance\RPCMethodValidatorInterface;
#[Singleton(
provides: RPCMethodValidatorInterface::class,
wantsFeature: Feature::WebSocket,
)]
readonly class RPCMethodValidator implements RPCMethodValidatorInterface
{
public function cases(): array
{
return RPCMethod::cases();
}
public function castToRPCMethod(string $methodName): RPCMethodInterface
{
return RPCMethod::from($methodName);
}
public function values(): array
{
return RPCMethod::values();
}
}
The above means your application will support llm_chat_prompt
and llm_chat_token
messages.
WebSocket Message Responder
Now, we need to register a WebSocket responder that will run every time someone sends 'llama_chat_prompt' message to the server.
It will then use LlamaCppClient
to fetch tokens from llama.cpp server and forward themto the WebSocket connection:
<?php
namespace App\WebSocketRPCResponder;
use App\RPCMethod;
use Distantmagic\Resonance\Attribute\RespondsToWebSocketRPC;
use Distantmagic\Resonance\Attribute\Singleton;
use Distantmagic\Resonance\Feature;
use Distantmagic\Resonance\LlamaCppClient;
use Distantmagic\Resonance\LlamaCppCompletionCommand;
use Distantmagic\Resonance\LlamaCppCompletionRequest;
use Distantmagic\Resonance\RPCNotification;
use Distantmagic\Resonance\RPCRequest;
use Distantmagic\Resonance\RPCResponse;
use Distantmagic\Resonance\SingletonCollection;
use Distantmagic\Resonance\WebSocketAuthResolution;
use Distantmagic\Resonance\WebSocketConnection;
use Distantmagic\Resonance\WebSocketRPCResponder;
#[RespondsToWebSocketRPC(RPCMethod::LlmChatPrompt)]
#[Singleton(
collection: SingletonCollection::WebSocketRPCResponder,
wantsFeature: Feature::WebSocket,
)]
final readonly class LlmChatPromptResponder extends WebSocketRPCResponder
{
public function __construct(
private LlamaCppClient $llamaCppClient,
) {}
protected function onNotification(
WebSocketAuthResolution $webSocketAuthResolution,
WebSocketConnection $webSocketConnection,
RPCNotification $rpcNotification,
): void {
$request = new LlamaCppCompletionRequest($rpcNotification->payload->prompt);
$completion = $this->llamaCppClient->generateCompletion($request);
foreach ($completion as $token) {
if ($webSocketConnection->status->isOpen()) {
$webSocketConnection->push(new RPCNotification(
RPCMethod::LlmToken,
$token->content,
));
} else {
$completion->send(LlamaCppCompletionCommand::Stop);
}
}
}
}
Frontend
Stimulus controller starts WebSocket connection and sends user prompts to the server. Not that WebSocket connection uses both CSRF Protection and dm-rpc
protocol:
import { Controller } from "@hotwired/stimulus";
import { stimulus } from "../stimulus";
@stimulus("llmchat")
export class controller_llmchat extends Controller<HTMLElement> {
public static targets = ["userInputField", "userInputForm", "chatLog"];
public static values = {
csrfToken: String,
};
private declare readonly chatLogTarget: HTMLElement;
private declare readonly csrfTokenValue: string;
private declare readonly userInputFieldTarget: HTMLTextAreaElement;
private webSocket: null|WebSocket = null;
public connect(): void {
const servertUrl = new URL(__WEBSOCKET_URL);
servertUrl.searchParams.append("csrf", this.csrfTokenValue);
const webSocket = new WebSocket(servertUrl, ["dm-rpc"]);
webSocket.addEventListener("close", () => {
this.webSocket = null;
});
webSocket.addEventListener("open", () => {
this.webSocket = webSocket;
});
webSocket.addEventListener("message", (evt: MessageEvent) => {
if ("string" !== typeof evt.data) {
return;
}
const parsed: unknown = JSON.parse(evt.data);
if (Array.isArray(parsed) && "string" === typeof parsed[1]) {
this.chatLogTarget.append(parsed[1]);
}
});
}
public disconnect(): void {
this.webSocket?.close();
}
public onFormSubmit(evt: Event): void {
evt.preventDefault();
this.chatLogTarget.innerHTML = '';
this.webSocket?.send(JSON.stringify([
"llm_chat_prompt",
{
prompt: this.userInputFieldTarget.value,
},
null
]));
this.userInputFieldTarget.value = '';
}
}
We will use esbuild to bundle front-end TypeScript code.
$ ./node_modules/.bin/esbuild \
--bundle \
--define:global=globalThis \
--entry-names="./[name]_$(BUILD_ID)" \
--format=esm \
--log-limit=0 \
--metafile=esbuild-meta-app.json \
--minify \
--outdir=./$(BUILD_TARGET_DIRECTORY) \
--platform=browser \
--sourcemap \
--target=es2022,safari16 \
--tree-shaking=true \
--tsconfig=tsconfig.json \
resources/ts/controller_llmchat.ts \
;
Finally, the HTML:
<script
defer
type="module"
src="{{ esbuild(request, 'controller_llmchat.ts') }}"
></script>
<div
data-controller="llmchat"
data-llmchat-csrf-token-value="{{ csrf_token(request, response) }}"
>
<div data-llmchat-target="chatLog"></div>
<form data-action="submit->llmchat#onFormSubmit">
<input
autofocus
data-llmchat-target="userInputField"
type="text"
></input>
<button type="submit">Send</button>
</form>
</div>
Summary
Now, you can serve LLM chat in your application. Enjoy!
If you like Resonance, check us out on GitHub and give us a star! :)
Top comments (0)