# Pull Request Template ## Description Adds custom tool support to v1 ## Type of change - [x] New feature (non-breaking change which adds functionality) ## How Has This Been Tested? Please describe the tests that you ran to verify your changes. Provide instructions so we can reproduce. Please also list any relevant details for your test configuration. <img width="1816" height="958" alt="CleanShot 2026-03-24 at 11 37 33@2x" src="https://github.com/user-attachments/assets/2777a953-8b65-4a2d-88ec-39f395b3fb47" /> <img width="378" height="488" alt="CleanShot 2026-03-24 at 11 38 18@2x" src="https://github.com/user-attachments/assets/f6973c99-efd0-40e4-90fe-4472a2f63cea" /> <img width="1884" height="1452" alt="CleanShot 2026-03-24 at 11 38 32@2x" src="https://github.com/user-attachments/assets/9fba4fc4-0c33-46da-888a-52ec6bad6130" /> ## Checklist: - [x] My code follows the style guidelines of this project - [ ] I have performed a self-review of my code - [ ] I have commented on my code, particularly in hard-to-understand areas - [ ] I have made corresponding changes to the documentation - [ ] My changes generate no new warnings - [ ] I have added tests that prove my fix is effective or that my feature works - [ ] New and existing unit tests pass locally with my changes - [ ] Any dependent changes have been merged and published in downstream modules --------- Co-authored-by: Claude Opus 4.6 (1M context) <noreply@anthropic.com> Co-authored-by: Shivam Mishra <scm.mymail@gmail.com>
346 lines
9.8 KiB
Vue
346 lines
9.8 KiB
Vue
<script setup>
|
|
import { reactive, computed, ref, useTemplateRef, watch } from 'vue';
|
|
import { useI18n } from 'vue-i18n';
|
|
import { useVuelidate } from '@vuelidate/core';
|
|
import { required, maxLength } from '@vuelidate/validators';
|
|
import { useMapGetter } from 'dashboard/composables/store';
|
|
import CustomToolsAPI from 'dashboard/api/captain/customTools';
|
|
|
|
import Input from 'dashboard/components-next/input/Input.vue';
|
|
import TextArea from 'dashboard/components-next/textarea/TextArea.vue';
|
|
import Button from 'dashboard/components-next/button/Button.vue';
|
|
import ComboBox from 'dashboard/components-next/combobox/ComboBox.vue';
|
|
import ParamRow from './ParamRow.vue';
|
|
import AuthConfig from './AuthConfig.vue';
|
|
|
|
const props = defineProps({
|
|
mode: {
|
|
type: String,
|
|
default: 'create',
|
|
validator: value => ['create', 'edit'].includes(value),
|
|
},
|
|
tool: {
|
|
type: Object,
|
|
default: () => ({}),
|
|
},
|
|
});
|
|
|
|
const emit = defineEmits(['submit', 'cancel']);
|
|
|
|
const { t } = useI18n();
|
|
|
|
const formState = {
|
|
uiFlags: useMapGetter('captainCustomTools/getUIFlags'),
|
|
};
|
|
|
|
const initialState = {
|
|
title: '',
|
|
description: '',
|
|
endpoint_url: '',
|
|
http_method: 'GET',
|
|
request_template: '',
|
|
response_template: '',
|
|
auth_type: 'none',
|
|
auth_config: {},
|
|
param_schema: [],
|
|
};
|
|
|
|
const state = reactive({ ...initialState });
|
|
|
|
// Populate form when in edit mode
|
|
watch(
|
|
() => props.tool,
|
|
newTool => {
|
|
if (props.mode === 'edit' && newTool && newTool.id) {
|
|
state.title = newTool.title || '';
|
|
state.description = newTool.description || '';
|
|
state.endpoint_url = newTool.endpoint_url || '';
|
|
state.http_method = newTool.http_method || 'GET';
|
|
state.request_template = newTool.request_template || '';
|
|
state.response_template = newTool.response_template || '';
|
|
state.auth_type = newTool.auth_type || 'none';
|
|
state.auth_config = newTool.auth_config || {};
|
|
state.param_schema = newTool.param_schema || [];
|
|
}
|
|
},
|
|
{ immediate: true }
|
|
);
|
|
|
|
const DEFAULT_PARAM = {
|
|
name: '',
|
|
type: 'string',
|
|
description: '',
|
|
required: false,
|
|
};
|
|
|
|
// OpenAI enforces a 64-char limit on function names. The backend slug is
|
|
// "custom_" (7 chars) + parameterized title, so cap the title conservatively.
|
|
const MAX_TOOL_NAME_LENGTH = 55;
|
|
|
|
const validationRules = {
|
|
title: { required, maxLength: maxLength(MAX_TOOL_NAME_LENGTH) },
|
|
endpoint_url: { required },
|
|
http_method: { required },
|
|
auth_type: { required },
|
|
};
|
|
|
|
const httpMethodOptions = computed(() => [
|
|
{ value: 'GET', label: 'GET' },
|
|
{ value: 'POST', label: 'POST' },
|
|
]);
|
|
|
|
const authTypeOptions = computed(() => [
|
|
{ value: 'none', label: t('CAPTAIN.CUSTOM_TOOLS.FORM.AUTH_TYPES.NONE') },
|
|
{ value: 'bearer', label: t('CAPTAIN.CUSTOM_TOOLS.FORM.AUTH_TYPES.BEARER') },
|
|
{ value: 'basic', label: t('CAPTAIN.CUSTOM_TOOLS.FORM.AUTH_TYPES.BASIC') },
|
|
{
|
|
value: 'api_key',
|
|
label: t('CAPTAIN.CUSTOM_TOOLS.FORM.AUTH_TYPES.API_KEY'),
|
|
},
|
|
]);
|
|
|
|
const v$ = useVuelidate(validationRules, state);
|
|
|
|
const isLoading = computed(() =>
|
|
props.mode === 'edit'
|
|
? formState.uiFlags.value.updatingItem
|
|
: formState.uiFlags.value.creatingItem
|
|
);
|
|
|
|
const getErrorMessage = (field, errorKey) => {
|
|
if (!v$.value[field].$error) return '';
|
|
|
|
const failedRule = v$.value[field].$errors[0]?.$validator;
|
|
if (failedRule === 'maxLength') {
|
|
return t(`CAPTAIN.CUSTOM_TOOLS.FORM.${errorKey}.MAX_LENGTH_ERROR`, {
|
|
max: MAX_TOOL_NAME_LENGTH,
|
|
});
|
|
}
|
|
return t(`CAPTAIN.CUSTOM_TOOLS.FORM.${errorKey}.ERROR`);
|
|
};
|
|
|
|
const formErrors = computed(() => ({
|
|
title: getErrorMessage('title', 'TITLE'),
|
|
endpoint_url: getErrorMessage('endpoint_url', 'ENDPOINT_URL'),
|
|
}));
|
|
|
|
const paramsRef = useTemplateRef('paramsRef');
|
|
|
|
const isParamsValid = () => {
|
|
if (!paramsRef.value || paramsRef.value.length === 0) {
|
|
return true;
|
|
}
|
|
return paramsRef.value.every(param => param.validate());
|
|
};
|
|
|
|
const removeParam = index => {
|
|
state.param_schema.splice(index, 1);
|
|
};
|
|
|
|
const addParam = () => {
|
|
state.param_schema.push({ ...DEFAULT_PARAM });
|
|
};
|
|
|
|
const handleCancel = () => emit('cancel');
|
|
|
|
const handleSubmit = async () => {
|
|
const isFormValid = await v$.value.$validate();
|
|
if (!isFormValid || !isParamsValid()) {
|
|
return;
|
|
}
|
|
|
|
emit('submit', state);
|
|
};
|
|
|
|
const isTesting = ref(false);
|
|
const testResult = ref(null);
|
|
const isTestDisabled = computed(
|
|
() => state.endpoint_url.includes('{{') || !!state.request_template
|
|
);
|
|
|
|
const handleTest = async () => {
|
|
if (!state.endpoint_url) return;
|
|
|
|
isTesting.value = true;
|
|
testResult.value = null;
|
|
try {
|
|
const { data } = await CustomToolsAPI.test(state);
|
|
const isOk = data.status >= 200 && data.status < 300;
|
|
testResult.value = { success: isOk, status: data.status };
|
|
} catch (e) {
|
|
const message =
|
|
e.response?.data?.error || t('CAPTAIN.CUSTOM_TOOLS.TEST.ERROR');
|
|
testResult.value = { success: false, message };
|
|
} finally {
|
|
isTesting.value = false;
|
|
}
|
|
};
|
|
</script>
|
|
|
|
<template>
|
|
<form
|
|
class="flex flex-col px-4 -mx-4 gap-4 max-h-[calc(100vh-200px)] overflow-y-scroll"
|
|
@submit.prevent="handleSubmit"
|
|
>
|
|
<Input
|
|
v-model="state.title"
|
|
:label="t('CAPTAIN.CUSTOM_TOOLS.FORM.TITLE.LABEL')"
|
|
:placeholder="t('CAPTAIN.CUSTOM_TOOLS.FORM.TITLE.PLACEHOLDER')"
|
|
:message="formErrors.title"
|
|
:message-type="formErrors.title ? 'error' : 'info'"
|
|
/>
|
|
|
|
<TextArea
|
|
v-model="state.description"
|
|
:label="t('CAPTAIN.CUSTOM_TOOLS.FORM.DESCRIPTION.LABEL')"
|
|
:placeholder="t('CAPTAIN.CUSTOM_TOOLS.FORM.DESCRIPTION.PLACEHOLDER')"
|
|
:rows="2"
|
|
/>
|
|
|
|
<div class="flex gap-2">
|
|
<div class="flex flex-col gap-1 w-28">
|
|
<label class="mb-0.5 text-sm font-medium text-n-slate-12">
|
|
{{ t('CAPTAIN.CUSTOM_TOOLS.FORM.HTTP_METHOD.LABEL') }}
|
|
</label>
|
|
<ComboBox
|
|
v-model="state.http_method"
|
|
:options="httpMethodOptions"
|
|
class="[&>div>button]:bg-n-alpha-black2 [&_li]:font-mono [&_button]:font-mono [&>div>button]:outline-offset-[-1px]"
|
|
/>
|
|
</div>
|
|
<Input
|
|
v-model="state.endpoint_url"
|
|
:label="t('CAPTAIN.CUSTOM_TOOLS.FORM.ENDPOINT_URL.LABEL')"
|
|
:placeholder="t('CAPTAIN.CUSTOM_TOOLS.FORM.ENDPOINT_URL.PLACEHOLDER')"
|
|
:message="formErrors.endpoint_url"
|
|
:message-type="formErrors.endpoint_url ? 'error' : 'info'"
|
|
class="flex-1"
|
|
/>
|
|
</div>
|
|
|
|
<div class="flex flex-col gap-1">
|
|
<label class="mb-0.5 text-sm font-medium text-n-slate-12">
|
|
{{ t('CAPTAIN.CUSTOM_TOOLS.FORM.AUTH_TYPE.LABEL') }}
|
|
</label>
|
|
<ComboBox
|
|
v-model="state.auth_type"
|
|
:options="authTypeOptions"
|
|
class="[&>div>button]:bg-n-alpha-black2"
|
|
/>
|
|
</div>
|
|
|
|
<AuthConfig
|
|
v-model:auth-config="state.auth_config"
|
|
:auth-type="state.auth_type"
|
|
/>
|
|
|
|
<div class="flex flex-col gap-2">
|
|
<label class="text-sm font-medium text-n-slate-12">
|
|
{{ t('CAPTAIN.CUSTOM_TOOLS.FORM.PARAMETERS.LABEL') }}
|
|
</label>
|
|
<p class="text-xs text-n-slate-11 -mt-1">
|
|
{{ t('CAPTAIN.CUSTOM_TOOLS.FORM.PARAMETERS.HELP_TEXT') }}
|
|
</p>
|
|
<ul v-if="state.param_schema.length > 0" class="grid gap-2 list-none">
|
|
<ParamRow
|
|
v-for="(param, index) in state.param_schema"
|
|
:key="index"
|
|
ref="paramsRef"
|
|
v-model:name="param.name"
|
|
v-model:type="param.type"
|
|
v-model:description="param.description"
|
|
v-model:required="param.required"
|
|
@remove="removeParam(index)"
|
|
/>
|
|
</ul>
|
|
<Button
|
|
type="button"
|
|
sm
|
|
ghost
|
|
blue
|
|
icon="i-lucide-plus"
|
|
:label="t('CAPTAIN.CUSTOM_TOOLS.FORM.ADD_PARAMETER')"
|
|
@click="addParam"
|
|
/>
|
|
</div>
|
|
|
|
<TextArea
|
|
v-if="state.http_method === 'POST'"
|
|
v-model="state.request_template"
|
|
:label="t('CAPTAIN.CUSTOM_TOOLS.FORM.REQUEST_TEMPLATE.LABEL')"
|
|
:placeholder="t('CAPTAIN.CUSTOM_TOOLS.FORM.REQUEST_TEMPLATE.PLACEHOLDER')"
|
|
:rows="4"
|
|
class="[&_textarea]:font-mono"
|
|
/>
|
|
|
|
<TextArea
|
|
v-model="state.response_template"
|
|
:label="t('CAPTAIN.CUSTOM_TOOLS.FORM.RESPONSE_TEMPLATE.LABEL')"
|
|
:placeholder="
|
|
t('CAPTAIN.CUSTOM_TOOLS.FORM.RESPONSE_TEMPLATE.PLACEHOLDER')
|
|
"
|
|
:rows="4"
|
|
class="[&_textarea]:font-mono"
|
|
/>
|
|
|
|
<div class="flex flex-col gap-2">
|
|
<Button
|
|
type="button"
|
|
variant="faded"
|
|
color="slate"
|
|
icon="i-lucide-play"
|
|
:label="t('CAPTAIN.CUSTOM_TOOLS.TEST.BUTTON')"
|
|
:is-loading="isTesting"
|
|
:disabled="isTesting || !state.endpoint_url || isTestDisabled"
|
|
@click="handleTest"
|
|
/>
|
|
<p v-if="isTestDisabled" class="text-xs text-n-slate-11">
|
|
{{ t('CAPTAIN.CUSTOM_TOOLS.TEST.DISABLED_HINT') }}
|
|
</p>
|
|
<div
|
|
v-if="testResult"
|
|
class="flex items-center gap-2 px-3 py-2 text-xs rounded-lg"
|
|
:class="
|
|
testResult.success
|
|
? 'bg-n-teal-2 text-n-teal-11'
|
|
: 'bg-n-ruby-2 text-n-ruby-11'
|
|
"
|
|
>
|
|
<span
|
|
:class="
|
|
testResult.success ? 'i-lucide-check-circle' : 'i-lucide-x-circle'
|
|
"
|
|
class="size-3.5 shrink-0"
|
|
/>
|
|
{{
|
|
testResult.status
|
|
? t('CAPTAIN.CUSTOM_TOOLS.TEST.SUCCESS', {
|
|
status: testResult.status,
|
|
})
|
|
: testResult.message
|
|
}}
|
|
</div>
|
|
</div>
|
|
|
|
<div class="flex gap-3 justify-between items-center w-full">
|
|
<Button
|
|
type="button"
|
|
variant="faded"
|
|
color="slate"
|
|
:label="t('CAPTAIN.FORM.CANCEL')"
|
|
class="w-full bg-n-alpha-2 text-n-blue-11 hover:bg-n-alpha-3"
|
|
@click="handleCancel"
|
|
/>
|
|
<Button
|
|
type="submit"
|
|
:label="
|
|
t(mode === 'edit' ? 'CAPTAIN.FORM.EDIT' : 'CAPTAIN.FORM.CREATE')
|
|
"
|
|
class="w-full"
|
|
:is-loading="isLoading"
|
|
:disabled="isLoading"
|
|
/>
|
|
</div>
|
|
</form>
|
|
</template>
|