mirror of
https://github.com/stackblitz/bolt.new
synced 2025-02-06 04:48:04 +00:00
Merge branch 'main' into feat/image-select-merge
This commit is contained in:
commit
a936c5a990
@ -1 +1 @@
|
|||||||
{ "commit": "1e04ab38b07e82852626b164890f4a6df1f98cef" }
|
{ "commit": "4cfabd94ee8ab91a1466cf644dbf9c74ab1324d7" }
|
||||||
|
@ -92,6 +92,7 @@ export const ChatImpl = memo(
|
|||||||
const [chatStarted, setChatStarted] = useState(initialMessages.length > 0);
|
const [chatStarted, setChatStarted] = useState(initialMessages.length > 0);
|
||||||
const [uploadedFiles, setUploadedFiles] = useState<File[]>([]); // Move here
|
const [uploadedFiles, setUploadedFiles] = useState<File[]>([]); // Move here
|
||||||
const [imageDataList, setImageDataList] = useState<string[]>([]); // Move here
|
const [imageDataList, setImageDataList] = useState<string[]>([]); // Move here
|
||||||
|
const files = useStore(workbenchStore.files);
|
||||||
const { activeProviders } = useSettings();
|
const { activeProviders } = useSettings();
|
||||||
|
|
||||||
const [model, setModel] = useState(() => {
|
const [model, setModel] = useState(() => {
|
||||||
@ -113,6 +114,7 @@ export const ChatImpl = memo(
|
|||||||
api: '/api/chat',
|
api: '/api/chat',
|
||||||
body: {
|
body: {
|
||||||
apiKeys,
|
apiKeys,
|
||||||
|
files,
|
||||||
},
|
},
|
||||||
onError: (error) => {
|
onError: (error) => {
|
||||||
logger.error('Request failed\n\n', error);
|
logger.error('Request failed\n\n', error);
|
||||||
|
@ -3,6 +3,7 @@ import { getModel } from '~/lib/.server/llm/model';
|
|||||||
import { MAX_TOKENS } from './constants';
|
import { MAX_TOKENS } from './constants';
|
||||||
import { getSystemPrompt } from './prompts';
|
import { getSystemPrompt } from './prompts';
|
||||||
import { DEFAULT_MODEL, DEFAULT_PROVIDER, getModelList, MODEL_REGEX, PROVIDER_REGEX } from '~/utils/constants';
|
import { DEFAULT_MODEL, DEFAULT_PROVIDER, getModelList, MODEL_REGEX, PROVIDER_REGEX } from '~/utils/constants';
|
||||||
|
import ignore from 'ignore';
|
||||||
import type { IProviderSetting } from '~/types/model';
|
import type { IProviderSetting } from '~/types/model';
|
||||||
|
|
||||||
interface ToolResult<Name extends string, Args, Result> {
|
interface ToolResult<Name extends string, Args, Result> {
|
||||||
@ -23,6 +24,78 @@ export type Messages = Message[];
|
|||||||
|
|
||||||
export type StreamingOptions = Omit<Parameters<typeof _streamText>[0], 'model'>;
|
export type StreamingOptions = Omit<Parameters<typeof _streamText>[0], 'model'>;
|
||||||
|
|
||||||
|
export interface File {
|
||||||
|
type: 'file';
|
||||||
|
content: string;
|
||||||
|
isBinary: boolean;
|
||||||
|
}
|
||||||
|
|
||||||
|
export interface Folder {
|
||||||
|
type: 'folder';
|
||||||
|
}
|
||||||
|
|
||||||
|
type Dirent = File | Folder;
|
||||||
|
|
||||||
|
export type FileMap = Record<string, Dirent | undefined>;
|
||||||
|
|
||||||
|
export function simplifyBoltActions(input: string): string {
|
||||||
|
// Using regex to match boltAction tags that have type="file"
|
||||||
|
const regex = /(<boltAction[^>]*type="file"[^>]*>)([\s\S]*?)(<\/boltAction>)/g;
|
||||||
|
|
||||||
|
// Replace each matching occurrence
|
||||||
|
return input.replace(regex, (_0, openingTag, _2, closingTag) => {
|
||||||
|
return `${openingTag}\n ...\n ${closingTag}`;
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
// Common patterns to ignore, similar to .gitignore
|
||||||
|
const IGNORE_PATTERNS = [
|
||||||
|
'node_modules/**',
|
||||||
|
'.git/**',
|
||||||
|
'dist/**',
|
||||||
|
'build/**',
|
||||||
|
'.next/**',
|
||||||
|
'coverage/**',
|
||||||
|
'.cache/**',
|
||||||
|
'.vscode/**',
|
||||||
|
'.idea/**',
|
||||||
|
'**/*.log',
|
||||||
|
'**/.DS_Store',
|
||||||
|
'**/npm-debug.log*',
|
||||||
|
'**/yarn-debug.log*',
|
||||||
|
'**/yarn-error.log*',
|
||||||
|
'**/*lock.json',
|
||||||
|
'**/*lock.yml',
|
||||||
|
];
|
||||||
|
const ig = ignore().add(IGNORE_PATTERNS);
|
||||||
|
|
||||||
|
function createFilesContext(files: FileMap) {
|
||||||
|
let filePaths = Object.keys(files);
|
||||||
|
filePaths = filePaths.filter((x) => {
|
||||||
|
const relPath = x.replace('/home/project/', '');
|
||||||
|
return !ig.ignores(relPath);
|
||||||
|
});
|
||||||
|
|
||||||
|
const fileContexts = filePaths
|
||||||
|
.filter((x) => files[x] && files[x].type == 'file')
|
||||||
|
.map((path) => {
|
||||||
|
const dirent = files[path];
|
||||||
|
|
||||||
|
if (!dirent || dirent.type == 'folder') {
|
||||||
|
return '';
|
||||||
|
}
|
||||||
|
|
||||||
|
const codeWithLinesNumbers = dirent.content
|
||||||
|
.split('\n')
|
||||||
|
.map((v, i) => `${i + 1}|${v}`)
|
||||||
|
.join('\n');
|
||||||
|
|
||||||
|
return `<file path="${path}">\n${codeWithLinesNumbers}\n</file>`;
|
||||||
|
});
|
||||||
|
|
||||||
|
return `Below are the code files present in the webcontainer:\ncode format:\n<line number>|<line content>\n <codebase>${fileContexts.join('\n\n')}\n\n</codebase>`;
|
||||||
|
}
|
||||||
|
|
||||||
function extractPropertiesFromMessage(message: Message): { model: string; provider: string; content: string } {
|
function extractPropertiesFromMessage(message: Message): { model: string; provider: string; content: string } {
|
||||||
const textContent = Array.isArray(message.content)
|
const textContent = Array.isArray(message.content)
|
||||||
? message.content.find((item) => item.type === 'text')?.text || ''
|
? message.content.find((item) => item.type === 'text')?.text || ''
|
||||||
@ -64,9 +137,10 @@ export async function streamText(props: {
|
|||||||
env: Env;
|
env: Env;
|
||||||
options?: StreamingOptions;
|
options?: StreamingOptions;
|
||||||
apiKeys?: Record<string, string>;
|
apiKeys?: Record<string, string>;
|
||||||
|
files?: FileMap;
|
||||||
providerSettings?: Record<string, IProviderSetting>;
|
providerSettings?: Record<string, IProviderSetting>;
|
||||||
}) {
|
}) {
|
||||||
const { messages, env, options, apiKeys, providerSettings } = props;
|
const { messages, env, options, apiKeys, files, providerSettings } = props;
|
||||||
let currentModel = DEFAULT_MODEL;
|
let currentModel = DEFAULT_MODEL;
|
||||||
let currentProvider = DEFAULT_PROVIDER.name;
|
let currentProvider = DEFAULT_PROVIDER.name;
|
||||||
const MODEL_LIST = await getModelList(apiKeys || {}, providerSettings);
|
const MODEL_LIST = await getModelList(apiKeys || {}, providerSettings);
|
||||||
@ -80,6 +154,12 @@ export async function streamText(props: {
|
|||||||
|
|
||||||
currentProvider = provider;
|
currentProvider = provider;
|
||||||
|
|
||||||
|
return { ...message, content };
|
||||||
|
} else if (message.role == 'assistant') {
|
||||||
|
const content = message.content;
|
||||||
|
|
||||||
|
// content = simplifyBoltActions(content);
|
||||||
|
|
||||||
return { ...message, content };
|
return { ...message, content };
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -90,9 +170,17 @@ export async function streamText(props: {
|
|||||||
|
|
||||||
const dynamicMaxTokens = modelDetails && modelDetails.maxTokenAllowed ? modelDetails.maxTokenAllowed : MAX_TOKENS;
|
const dynamicMaxTokens = modelDetails && modelDetails.maxTokenAllowed ? modelDetails.maxTokenAllowed : MAX_TOKENS;
|
||||||
|
|
||||||
|
let systemPrompt = getSystemPrompt();
|
||||||
|
let codeContext = '';
|
||||||
|
|
||||||
|
if (files) {
|
||||||
|
codeContext = createFilesContext(files);
|
||||||
|
systemPrompt = `${systemPrompt}\n\n ${codeContext}`;
|
||||||
|
}
|
||||||
|
|
||||||
return _streamText({
|
return _streamText({
|
||||||
model: getModel(currentProvider, currentModel, env, apiKeys, providerSettings) as any,
|
model: getModel(currentProvider, currentModel, env, apiKeys, providerSettings) as any,
|
||||||
system: getSystemPrompt(),
|
system: systemPrompt,
|
||||||
maxTokens: dynamicMaxTokens,
|
maxTokens: dynamicMaxTokens,
|
||||||
messages: convertToCoreMessages(processedMessages as any),
|
messages: convertToCoreMessages(processedMessages as any),
|
||||||
...options,
|
...options,
|
||||||
|
@ -23,14 +23,14 @@ const messageParser = new StreamingMessageParser({
|
|||||||
logger.trace('onActionOpen', data.action);
|
logger.trace('onActionOpen', data.action);
|
||||||
|
|
||||||
// we only add shell actions when when the close tag got parsed because only then we have the content
|
// we only add shell actions when when the close tag got parsed because only then we have the content
|
||||||
if (data.action.type !== 'shell') {
|
if (data.action.type === 'file') {
|
||||||
workbenchStore.addAction(data);
|
workbenchStore.addAction(data);
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
onActionClose: (data) => {
|
onActionClose: (data) => {
|
||||||
logger.trace('onActionClose', data.action);
|
logger.trace('onActionClose', data.action);
|
||||||
|
|
||||||
if (data.action.type === 'shell') {
|
if (data.action.type !== 'file') {
|
||||||
workbenchStore.addAction(data);
|
workbenchStore.addAction(data);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -262,9 +262,9 @@ export class WorkbenchStore {
|
|||||||
this.artifacts.setKey(messageId, { ...artifact, ...state });
|
this.artifacts.setKey(messageId, { ...artifact, ...state });
|
||||||
}
|
}
|
||||||
addAction(data: ActionCallbackData) {
|
addAction(data: ActionCallbackData) {
|
||||||
this._addAction(data);
|
// this._addAction(data);
|
||||||
|
|
||||||
// this.addToExecutionQueue(()=>this._addAction(data))
|
this.addToExecutionQueue(() => this._addAction(data));
|
||||||
}
|
}
|
||||||
async _addAction(data: ActionCallbackData) {
|
async _addAction(data: ActionCallbackData) {
|
||||||
const { messageId } = data;
|
const { messageId } = data;
|
||||||
@ -294,6 +294,12 @@ export class WorkbenchStore {
|
|||||||
unreachable('Artifact not found');
|
unreachable('Artifact not found');
|
||||||
}
|
}
|
||||||
|
|
||||||
|
const action = artifact.runner.actions.get()[data.actionId];
|
||||||
|
|
||||||
|
if (action.executed) {
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
if (data.action.type === 'file') {
|
if (data.action.type === 'file') {
|
||||||
const wc = await webcontainer;
|
const wc = await webcontainer;
|
||||||
const fullPath = nodePath.join(wc.workdir, data.action.filePath);
|
const fullPath = nodePath.join(wc.workdir, data.action.filePath);
|
||||||
|
@ -30,9 +30,9 @@ function parseCookies(cookieHeader: string) {
|
|||||||
}
|
}
|
||||||
|
|
||||||
async function chatAction({ context, request }: ActionFunctionArgs) {
|
async function chatAction({ context, request }: ActionFunctionArgs) {
|
||||||
const { messages } = await request.json<{
|
const { messages, files } = await request.json<{
|
||||||
messages: Messages;
|
messages: Messages;
|
||||||
model: string;
|
files: any;
|
||||||
}>();
|
}>();
|
||||||
|
|
||||||
const cookieHeader = request.headers.get('Cookie');
|
const cookieHeader = request.headers.get('Cookie');
|
||||||
@ -64,13 +64,27 @@ async function chatAction({ context, request }: ActionFunctionArgs) {
|
|||||||
messages.push({ role: 'assistant', content });
|
messages.push({ role: 'assistant', content });
|
||||||
messages.push({ role: 'user', content: CONTINUE_PROMPT });
|
messages.push({ role: 'user', content: CONTINUE_PROMPT });
|
||||||
|
|
||||||
const result = await streamText({ messages, env: context.cloudflare.env, options, apiKeys, providerSettings });
|
const result = await streamText({
|
||||||
|
messages,
|
||||||
|
env: context.cloudflare.env,
|
||||||
|
options,
|
||||||
|
apiKeys,
|
||||||
|
files,
|
||||||
|
providerSettings,
|
||||||
|
});
|
||||||
|
|
||||||
return stream.switchSource(result.toAIStream());
|
return stream.switchSource(result.toAIStream());
|
||||||
},
|
},
|
||||||
};
|
};
|
||||||
|
|
||||||
const result = await streamText({ messages, env: context.cloudflare.env, options, apiKeys, providerSettings });
|
const result = await streamText({
|
||||||
|
messages,
|
||||||
|
env: context.cloudflare.env,
|
||||||
|
options,
|
||||||
|
apiKeys,
|
||||||
|
files,
|
||||||
|
providerSettings,
|
||||||
|
});
|
||||||
|
|
||||||
stream.switchSource(result.toAIStream());
|
stream.switchSource(result.toAIStream());
|
||||||
|
|
||||||
|
@ -462,7 +462,6 @@ async function getOpenRouterModels(): Promise<ModelInfo[]> {
|
|||||||
}
|
}
|
||||||
|
|
||||||
async function getLMStudioModels(_apiKeys?: Record<string, string>, settings?: IProviderSetting): Promise<ModelInfo[]> {
|
async function getLMStudioModels(_apiKeys?: Record<string, string>, settings?: IProviderSetting): Promise<ModelInfo[]> {
|
||||||
|
|
||||||
try {
|
try {
|
||||||
const baseUrl = settings?.baseUrl || import.meta.env.LMSTUDIO_API_BASE_URL || 'http://localhost:1234';
|
const baseUrl = settings?.baseUrl || import.meta.env.LMSTUDIO_API_BASE_URL || 'http://localhost:1234';
|
||||||
const response = await fetch(`${baseUrl}/v1/models`);
|
const response = await fetch(`${baseUrl}/v1/models`);
|
||||||
|
Loading…
Reference in New Issue
Block a user