agent/php/Models/WorkspaceState.php
Virgil 25ee288bd2 fix(agentic): align php state and fleet runtime
Co-Authored-By: Virgil <virgil@lethean.io>
2026-03-31 08:08:04 +00:00

146 lines
3.4 KiB
PHP

<?php
declare(strict_types=1);
namespace Core\Mod\Agentic\Models;
use Illuminate\Database\Eloquent\Builder;
use Illuminate\Database\Eloquent\Factories\HasFactory;
use Illuminate\Database\Eloquent\Model;
use Illuminate\Database\Eloquent\Relations\BelongsTo;
class WorkspaceState extends Model
{
use HasFactory;
protected $table = 'agent_workspace_states';
public const CATEGORY_GENERAL = 'general';
public const TYPE_JSON = 'json';
public const TYPE_MARKDOWN = 'markdown';
public const TYPE_CODE = 'code';
public const TYPE_REFERENCE = 'reference';
protected $fillable = [
'agent_plan_id',
'key',
'category',
'value',
'type',
'description',
];
protected $casts = [
'value' => 'array',
];
public function plan(): BelongsTo
{
return $this->belongsTo(AgentPlan::class, 'agent_plan_id');
}
public function scopeForPlan(Builder $query, AgentPlan|int $plan): Builder
{
$planId = $plan instanceof AgentPlan ? $plan->id : $plan;
return $query->where('agent_plan_id', $planId);
}
public function scopeOfType(Builder $query, string $type): Builder
{
return $query->where('type', $type);
}
public function scopeInCategory(Builder $query, string $category): Builder
{
return $query->where('category', $category);
}
public function isJson(): bool
{
return $this->type === self::TYPE_JSON;
}
public function isMarkdown(): bool
{
return $this->type === self::TYPE_MARKDOWN;
}
public function isCode(): bool
{
return $this->type === self::TYPE_CODE;
}
public function isReference(): bool
{
return $this->type === self::TYPE_REFERENCE;
}
public function getFormattedValue(): string
{
$value = $this->value;
if (is_string($value)) {
return $value;
}
return (string) json_encode($value, JSON_PRETTY_PRINT);
}
public static function getOrCreate(
AgentPlan $plan,
string $key,
mixed $default = null,
string $type = self::TYPE_JSON
): self {
return static::firstOrCreate(
['agent_plan_id' => $plan->id, 'key' => $key],
['value' => $default, 'type' => $type]
);
}
public static function getValue(AgentPlan $plan, string $key, mixed $default = null): mixed
{
$state = static::forPlan($plan)->where('key', $key)->first();
return $state?->value ?? $default;
}
public static function setValue(
AgentPlan $plan,
string $key,
mixed $value,
string $type = self::TYPE_JSON
): self {
return static::updateOrCreate(
['agent_plan_id' => $plan->id, 'key' => $key],
['value' => $value, 'type' => $type]
);
}
public function setTypedValue(mixed $value): void
{
$this->update(['value' => $value]);
}
public function getTypedValue(): mixed
{
return $this->value;
}
public function toMcpContext(): array
{
return [
'key' => $this->key,
'category' => $this->category ?? self::CATEGORY_GENERAL,
'type' => $this->type,
'description' => $this->description,
'value' => $this->value,
'updated_at' => $this->updated_at?->toIso8601String(),
];
}
}