Spaces:
Sleeping
Sleeping
File size: 7,605 Bytes
c40c75a |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 |
import React, { useState, useEffect } from 'react';
import { Form, Input, InputNumber, Select } from 'antd';
import { TextInput } from "@tremor/react";
import { InfoCircleOutlined } from '@ant-design/icons';
import { Tooltip } from 'antd';
import { getOpenAPISchema } from '../networking';
interface SchemaProperty {
type?: string;
title?: string;
description?: string;
anyOf?: Array<{ type: string }>;
enum?: string[];
format?: string;
}
interface OpenAPISchema {
properties: {
[key: string]: SchemaProperty;
};
required?: string[];
}
interface SchemaFormFieldsProps {
schemaComponent: string;
excludedFields?: string[];
form: any;
overrideLabels?: { [key: string]: string };
overrideTooltips?: { [key: string]: string };
customValidation?: {
[key: string]: (rule: any, value: any) => Promise<void>
};
defaultValues?: { [key: string]: any };
}
// Helper function to determine if a field should be treated as JSON
const isJSONField = (key: string, property: SchemaProperty): boolean => {
const jsonFields = ['metadata', 'config', 'enforced_params', 'aliases'];
return jsonFields.includes(key) || property.format === 'json';
};
// Helper function to validate JSON input
const validateJSON = (value: string): boolean => {
if (!value) return true;
try {
JSON.parse(value);
return true;
} catch {
return false;
}
};
const getFieldHelp = (key: string, property: SchemaProperty, type: string): string => {
// Default help text based on type
const defaultHelp = {
string: 'Text input',
number: 'Numeric input',
integer: 'Whole number input',
boolean: 'True/False value',
}[type] || 'Text input';
// Specific field help text
const specificHelp: { [key: string]: string } = {
max_budget: 'Enter maximum budget in USD (e.g., 100.50)',
budget_duration: 'Select a time period for budget reset',
tpm_limit: 'Enter maximum tokens per minute (whole number)',
rpm_limit: 'Enter maximum requests per minute (whole number)',
duration: 'Enter duration (e.g., 30s, 24h, 7d)',
metadata: 'Enter JSON object with key-value pairs\nExample: {"team": "research", "project": "nlp"}',
config: 'Enter configuration as JSON object\nExample: {"setting": "value"}',
permissions: 'Enter comma-separated permission strings',
enforced_params: 'Enter parameters as JSON object\nExample: {"param": "value"}',
blocked: 'Enter true/false or specific block conditions',
aliases: 'Enter aliases as JSON object\nExample: {"alias1": "value1", "alias2": "value2"}',
models: 'Select one or more model names',
key_alias: 'Enter a unique identifier for this key',
tags: 'Enter comma-separated tag strings',
};
// Get specific help text or use default based on type
const helpText = specificHelp[key] || defaultHelp;
// Add format requirements for special cases
if (isJSONField(key, property)) {
return `${helpText}\nMust be valid JSON format`;
}
if (property.enum) {
return `Select from available options\nAllowed values: ${property.enum.join(', ')}`;
}
return helpText;
};
const SchemaFormFields: React.FC<SchemaFormFieldsProps> = ({
schemaComponent,
excludedFields = [],
form,
overrideLabels = {},
overrideTooltips = {},
customValidation = {},
defaultValues = {}
}) => {
const [schemaProperties, setSchemaProperties] = useState<OpenAPISchema | null>(null);
const [error, setError] = useState<string | null>(null);
useEffect(() => {
const fetchOpenAPISchema = async () => {
try {
const schema = await getOpenAPISchema();
const componentSchema = schema.components.schemas[schemaComponent];
if (!componentSchema) {
throw new Error(`Schema component "${schemaComponent}" not found`);
}
setSchemaProperties(componentSchema);
const defaultFormValues: { [key: string]: any } = {};
Object.keys(componentSchema.properties)
.filter(key => !excludedFields.includes(key) && defaultValues[key] !== undefined)
.forEach(key => {
defaultFormValues[key] = defaultValues[key];
});
form.setFieldsValue(defaultFormValues);
} catch (error) {
console.error('Schema fetch error:', error);
setError(error instanceof Error ? error.message : 'Failed to fetch schema');
}
};
fetchOpenAPISchema();
}, [schemaComponent, form, excludedFields]);
const getPropertyType = (property: SchemaProperty): string => {
if (property.type) {
return property.type;
}
if (property.anyOf) {
const types = property.anyOf.map(t => t.type);
if (types.includes('number') || types.includes('integer')) return 'number';
if (types.includes('string')) return 'string';
}
return 'string';
};
const renderFormItem = (key: string, property: SchemaProperty) => {
const type = getPropertyType(property);
const isRequired = schemaProperties?.required?.includes(key);
const label = overrideLabels[key] || property.title || key;
const tooltip = overrideTooltips[key] || property.description;
const rules = [];
if (isRequired) {
rules.push({ required: true, message: `${label} is required` });
}
if (customValidation[key]) {
rules.push({ validator: customValidation[key] });
}
if (isJSONField(key, property)) {
rules.push({
validator: async (_: any, value: string) => {
if (value && !validateJSON(value)) {
throw new Error('Please enter valid JSON');
}
}
});
}
const formLabel = tooltip ? (
<span>
{label}{' '}
<Tooltip title={tooltip}>
<InfoCircleOutlined style={{ marginLeft: '4px' }} />
</Tooltip>
</span>
) : label;
let inputComponent;
if (isJSONField(key, property)) {
inputComponent = (
<Input.TextArea
rows={4}
placeholder="Enter as JSON"
className="font-mono"
/>
);
} else if (property.enum) {
inputComponent = (
<Select>
{property.enum.map(value => (
<Select.Option key={value} value={value}>
{value}
</Select.Option>
))}
</Select>
);
} else if (type === 'number' || type === 'integer') {
inputComponent = (
<InputNumber
style={{ width: '100%' }}
precision={type === 'integer' ? 0 : undefined}
/>
);
} else if (key === 'duration') {
inputComponent = (
<TextInput
placeholder="eg: 30s, 30h, 30d"
/>
);
} else {
inputComponent = (
<TextInput
placeholder={tooltip || ''}
/>
);
}
return (
<Form.Item
key={key}
label={formLabel}
name={key}
className="mt-8"
rules={rules}
initialValue={defaultValues[key]}
help={
<div className="text-xs text-gray-500">
{getFieldHelp(key, property, type)}
</div>
}
>
{inputComponent}
</Form.Item>
);
};
if (error) {
return <div className="text-red-500">Error: {error}</div>;
}
if (!schemaProperties?.properties) {
return null;
}
return (
<div>
{Object.entries(schemaProperties.properties)
.filter(([key]) => !excludedFields.includes(key))
.map(([key, property]) => renderFormItem(key, property))}
</div>
);
};
export default SchemaFormFields; |