frontend support browser header (#2761)
This commit is contained in:
@@ -135,6 +135,7 @@ export type CreateTaskRequest = {
|
|||||||
data_extraction_goal?: string | null;
|
data_extraction_goal?: string | null;
|
||||||
navigation_payload?: Record<string, unknown> | string | null;
|
navigation_payload?: Record<string, unknown> | string | null;
|
||||||
extracted_information_schema?: Record<string, unknown> | string | null;
|
extracted_information_schema?: Record<string, unknown> | string | null;
|
||||||
|
extra_http_headers?: Record<string, string> | null;
|
||||||
error_code_mapping?: Record<string, string> | null;
|
error_code_mapping?: Record<string, string> | null;
|
||||||
proxy_location?: ProxyLocation | null;
|
proxy_location?: ProxyLocation | null;
|
||||||
totp_verification_url?: string | null;
|
totp_verification_url?: string | null;
|
||||||
@@ -282,6 +283,7 @@ export type WorkflowRunStatusApiResponse = {
|
|||||||
status: Status;
|
status: Status;
|
||||||
proxy_location: ProxyLocation | null;
|
proxy_location: ProxyLocation | null;
|
||||||
webhook_callback_url: string | null;
|
webhook_callback_url: string | null;
|
||||||
|
extra_http_headers: Record<string, string> | null;
|
||||||
created_at: string;
|
created_at: string;
|
||||||
modified_at: string;
|
modified_at: string;
|
||||||
parameters: Record<string, unknown>;
|
parameters: Record<string, unknown>;
|
||||||
@@ -338,6 +340,7 @@ export type TaskV2 = {
|
|||||||
totp_verification_url: string | null;
|
totp_verification_url: string | null;
|
||||||
totp_identifier: string | null;
|
totp_identifier: string | null;
|
||||||
proxy_location: ProxyLocation | null;
|
proxy_location: ProxyLocation | null;
|
||||||
|
extra_http_headers: Record<string, string> | null;
|
||||||
};
|
};
|
||||||
|
|
||||||
export type Createv2TaskRequest = {
|
export type Createv2TaskRequest = {
|
||||||
|
|||||||
236
skyvern-frontend/src/components/KeyValueInput.tsx
Normal file
236
skyvern-frontend/src/components/KeyValueInput.tsx
Normal file
@@ -0,0 +1,236 @@
|
|||||||
|
import { PlusIcon, Cross2Icon } from "@radix-ui/react-icons";
|
||||||
|
import { useEffect, useState } from "react";
|
||||||
|
import { nanoid } from "nanoid";
|
||||||
|
import { Input } from "./ui/input";
|
||||||
|
import { Button } from "./ui/button";
|
||||||
|
import { toast } from "./ui/use-toast";
|
||||||
|
|
||||||
|
export type KeyValueInputProps = {
|
||||||
|
value: Record<string, string> | string | null;
|
||||||
|
onChange: (value: Record<string, string> | string | null) => void;
|
||||||
|
addButtonText?: string;
|
||||||
|
readOnly?: boolean;
|
||||||
|
};
|
||||||
|
|
||||||
|
type Pair = {
|
||||||
|
id: string;
|
||||||
|
key: string;
|
||||||
|
value: string;
|
||||||
|
};
|
||||||
|
|
||||||
|
type KV = {
|
||||||
|
key: string;
|
||||||
|
value: string;
|
||||||
|
};
|
||||||
|
|
||||||
|
function parsePairs(value: Record<string, string> | string | null): KV[] {
|
||||||
|
if (!value) {
|
||||||
|
return [];
|
||||||
|
}
|
||||||
|
try {
|
||||||
|
const obj = typeof value === "string" ? JSON.parse(value) : value;
|
||||||
|
if (obj && typeof obj === "object" && !Array.isArray(obj)) {
|
||||||
|
return Object.entries(obj).map(([k, v]) => ({
|
||||||
|
key: k,
|
||||||
|
value: String(v),
|
||||||
|
}));
|
||||||
|
}
|
||||||
|
} catch {
|
||||||
|
// ignore
|
||||||
|
}
|
||||||
|
return [];
|
||||||
|
}
|
||||||
|
|
||||||
|
function KeyValueInput({
|
||||||
|
value,
|
||||||
|
onChange,
|
||||||
|
addButtonText = "Add",
|
||||||
|
readOnly = false,
|
||||||
|
}: KeyValueInputProps) {
|
||||||
|
const [focusLast, setFocusLast] = useState(false);
|
||||||
|
const [pairs, setPairs] = useState<Pair[]>(() =>
|
||||||
|
parsePairs(value).map((p) => ({ id: nanoid(), ...p })),
|
||||||
|
);
|
||||||
|
|
||||||
|
useEffect(() => {
|
||||||
|
const obj: Record<string, string> = {};
|
||||||
|
let hasDuplicateKey = false;
|
||||||
|
|
||||||
|
for (const { key, value } of pairs) {
|
||||||
|
if (!key) {
|
||||||
|
continue;
|
||||||
|
}
|
||||||
|
if (key in obj) {
|
||||||
|
hasDuplicateKey = true;
|
||||||
|
continue;
|
||||||
|
}
|
||||||
|
obj[key] = value;
|
||||||
|
}
|
||||||
|
|
||||||
|
if (!hasDuplicateKey) {
|
||||||
|
const output =
|
||||||
|
typeof value === "string"
|
||||||
|
? Object.keys(obj).length
|
||||||
|
? JSON.stringify(obj)
|
||||||
|
: ""
|
||||||
|
: Object.keys(obj).length
|
||||||
|
? obj
|
||||||
|
: null;
|
||||||
|
onChange(output);
|
||||||
|
}
|
||||||
|
// eslint-disable-next-line react-hooks/exhaustive-deps
|
||||||
|
}, [pairs]);
|
||||||
|
|
||||||
|
// reset focusLast on next render cycle
|
||||||
|
useEffect(() => {
|
||||||
|
if (focusLast) {
|
||||||
|
setFocusLast(false);
|
||||||
|
}
|
||||||
|
}, [focusLast]);
|
||||||
|
|
||||||
|
const handleRemove = (id: string) => {
|
||||||
|
setPairs((prev) => prev.filter((p) => p.id !== id));
|
||||||
|
};
|
||||||
|
|
||||||
|
const handleAdd = () => {
|
||||||
|
const newId = nanoid();
|
||||||
|
setPairs((prev) => [...prev, { id: newId, key: "", value: "" }]);
|
||||||
|
setFocusLast(true);
|
||||||
|
};
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Fires when the user shifts focus outside the component. Handles:
|
||||||
|
* - duplicate keys
|
||||||
|
* - removing empty entries
|
||||||
|
*
|
||||||
|
* In the case of duplicates:
|
||||||
|
* - last in wins
|
||||||
|
* - former k/v is removed
|
||||||
|
* - toast is shown, indicating the old value vs the new value for that key
|
||||||
|
*/
|
||||||
|
const handleBlurCapture = (e: React.FocusEvent<HTMLDivElement>) => {
|
||||||
|
if (
|
||||||
|
e.relatedTarget === null ||
|
||||||
|
(e.currentTarget &&
|
||||||
|
e.relatedTarget &&
|
||||||
|
!e.currentTarget.contains(e.relatedTarget as Node))
|
||||||
|
) {
|
||||||
|
const obj: Record<string, string> = {};
|
||||||
|
const reversedPairs = [...pairs].reverse();
|
||||||
|
for (const { key, value } of reversedPairs) {
|
||||||
|
if (!key && !value) {
|
||||||
|
continue;
|
||||||
|
}
|
||||||
|
if (key) {
|
||||||
|
if (key in obj) {
|
||||||
|
const oldValue = value;
|
||||||
|
const newValue = obj[key];
|
||||||
|
toast({
|
||||||
|
variant: "warning",
|
||||||
|
title: `Duplicate Header ('${key}')`,
|
||||||
|
description: `Header '${key}' already existed. It was changed from '${oldValue}' to '${newValue}'.`,
|
||||||
|
});
|
||||||
|
continue;
|
||||||
|
}
|
||||||
|
obj[key] = value;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
const reversedObj = Object.fromEntries(Object.entries(obj).reverse());
|
||||||
|
|
||||||
|
const output =
|
||||||
|
typeof value === "string"
|
||||||
|
? Object.keys(reversedObj).length
|
||||||
|
? JSON.stringify(reversedObj)
|
||||||
|
: ""
|
||||||
|
: Object.keys(reversedObj).length
|
||||||
|
? reversedObj
|
||||||
|
: null;
|
||||||
|
|
||||||
|
onChange(output);
|
||||||
|
|
||||||
|
setPairs(
|
||||||
|
Object.entries(reversedObj).map(([key, value]) => ({
|
||||||
|
id: nanoid(),
|
||||||
|
key,
|
||||||
|
value,
|
||||||
|
})),
|
||||||
|
);
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
return (
|
||||||
|
<div className="space-y-2" onBlurCapture={handleBlurCapture}>
|
||||||
|
{pairs.map((pair, idx) => (
|
||||||
|
<div
|
||||||
|
key={pair.id}
|
||||||
|
data-pair-id={pair.id}
|
||||||
|
className="flex items-center gap-2"
|
||||||
|
>
|
||||||
|
<Input
|
||||||
|
className="flex-1"
|
||||||
|
placeholder="Header"
|
||||||
|
value={pair.key}
|
||||||
|
readOnly={readOnly}
|
||||||
|
autoFocus={focusLast && idx === pairs.length - 1}
|
||||||
|
onChange={(e) => {
|
||||||
|
setPairs((prev) =>
|
||||||
|
prev.map((p) =>
|
||||||
|
p.id === pair.id ? { ...p, key: e.target.value } : p,
|
||||||
|
),
|
||||||
|
);
|
||||||
|
}}
|
||||||
|
/>
|
||||||
|
<Input
|
||||||
|
className="flex-1"
|
||||||
|
placeholder="Value"
|
||||||
|
value={pair.value}
|
||||||
|
readOnly={readOnly}
|
||||||
|
onChange={(e) => {
|
||||||
|
setPairs((prev) =>
|
||||||
|
prev.map((p) =>
|
||||||
|
p.id === pair.id ? { ...p, value: e.target.value } : p,
|
||||||
|
),
|
||||||
|
);
|
||||||
|
}}
|
||||||
|
/>
|
||||||
|
{!readOnly && (
|
||||||
|
<Button
|
||||||
|
variant="ghost"
|
||||||
|
type="button"
|
||||||
|
className="p-2"
|
||||||
|
onClick={() => handleRemove(pair.id)}
|
||||||
|
onKeyDown={(e) => {
|
||||||
|
if (
|
||||||
|
e.key === "Tab" &&
|
||||||
|
!e.shiftKey &&
|
||||||
|
!e.altKey &&
|
||||||
|
!e.ctrlKey &&
|
||||||
|
!e.metaKey &&
|
||||||
|
idx === pairs.length - 1
|
||||||
|
) {
|
||||||
|
e.preventDefault();
|
||||||
|
handleAdd();
|
||||||
|
}
|
||||||
|
}}
|
||||||
|
>
|
||||||
|
<Cross2Icon />
|
||||||
|
</Button>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
))}
|
||||||
|
{!readOnly && (
|
||||||
|
<Button
|
||||||
|
type="button"
|
||||||
|
variant="secondary"
|
||||||
|
onClick={handleAdd}
|
||||||
|
className="flex items-center gap-2"
|
||||||
|
>
|
||||||
|
<PlusIcon className="h-4 w-4" /> {addButtonText}
|
||||||
|
</Button>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export { KeyValueInput };
|
||||||
@@ -17,6 +17,7 @@ import {
|
|||||||
import { Input } from "@/components/ui/input";
|
import { Input } from "@/components/ui/input";
|
||||||
import { Separator } from "@/components/ui/separator";
|
import { Separator } from "@/components/ui/separator";
|
||||||
import { toast } from "@/components/ui/use-toast";
|
import { toast } from "@/components/ui/use-toast";
|
||||||
|
import { KeyValueInput } from "@/components/KeyValueInput";
|
||||||
import { useApiCredential } from "@/hooks/useApiCredential";
|
import { useApiCredential } from "@/hooks/useApiCredential";
|
||||||
import { useCredentialGetter } from "@/hooks/useCredentialGetter";
|
import { useCredentialGetter } from "@/hooks/useCredentialGetter";
|
||||||
import { CodeEditor } from "@/routes/workflows/components/CodeEditor";
|
import { CodeEditor } from "@/routes/workflows/components/CodeEditor";
|
||||||
@@ -61,6 +62,14 @@ function createTaskRequestObject(
|
|||||||
extractedInformationSchema = formValues.extractedInformationSchema;
|
extractedInformationSchema = formValues.extractedInformationSchema;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
let extraHttpHeaders = null;
|
||||||
|
if (formValues.extraHttpHeaders) {
|
||||||
|
try {
|
||||||
|
extraHttpHeaders = JSON.parse(formValues.extraHttpHeaders);
|
||||||
|
} catch (e) {
|
||||||
|
extraHttpHeaders = formValues.extraHttpHeaders;
|
||||||
|
}
|
||||||
|
}
|
||||||
let errorCodeMapping = null;
|
let errorCodeMapping = null;
|
||||||
if (formValues.errorCodeMapping) {
|
if (formValues.errorCodeMapping) {
|
||||||
try {
|
try {
|
||||||
@@ -79,6 +88,7 @@ function createTaskRequestObject(
|
|||||||
proxy_location: formValues.proxyLocation ?? ProxyLocation.Residential,
|
proxy_location: formValues.proxyLocation ?? ProxyLocation.Residential,
|
||||||
navigation_payload: transform(formValues.navigationPayload),
|
navigation_payload: transform(formValues.navigationPayload),
|
||||||
extracted_information_schema: extractedInformationSchema,
|
extracted_information_schema: extractedInformationSchema,
|
||||||
|
extra_http_headers: extraHttpHeaders,
|
||||||
totp_identifier: transform(formValues.totpIdentifier),
|
totp_identifier: transform(formValues.totpIdentifier),
|
||||||
error_code_mapping: errorCodeMapping,
|
error_code_mapping: errorCodeMapping,
|
||||||
max_screenshot_scrolling_times: formValues.maxScreenshotScrollingTimes,
|
max_screenshot_scrolling_times: formValues.maxScreenshotScrollingTimes,
|
||||||
@@ -601,6 +611,35 @@ function CreateNewTaskForm({ initialValues }: Props) {
|
|||||||
)}
|
)}
|
||||||
/>
|
/>
|
||||||
<Separator />
|
<Separator />
|
||||||
|
<FormField
|
||||||
|
control={form.control}
|
||||||
|
name="extraHttpHeaders"
|
||||||
|
render={({ field }) => (
|
||||||
|
<FormItem>
|
||||||
|
<div className="flex gap-16">
|
||||||
|
<FormLabel>
|
||||||
|
<div className="w-72">
|
||||||
|
<h1 className="text-lg">Extra HTTP Headers</h1>
|
||||||
|
<h2 className="text-base text-slate-400">
|
||||||
|
Specify some self defined HTTP requests headers in
|
||||||
|
Dict format
|
||||||
|
</h2>
|
||||||
|
</div>
|
||||||
|
</FormLabel>
|
||||||
|
<div className="w-full">
|
||||||
|
<FormControl>
|
||||||
|
<KeyValueInput
|
||||||
|
value={field.value ?? ""}
|
||||||
|
onChange={(val) => field.onChange(val)}
|
||||||
|
addButtonText="Add Header"
|
||||||
|
/>
|
||||||
|
</FormControl>
|
||||||
|
<FormMessage />
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</FormItem>
|
||||||
|
)}
|
||||||
|
/>
|
||||||
<FormField
|
<FormField
|
||||||
control={form.control}
|
control={form.control}
|
||||||
name="errorCodeMapping"
|
name="errorCodeMapping"
|
||||||
|
|||||||
@@ -63,6 +63,7 @@ function CreateNewTaskFormPage() {
|
|||||||
proxyLocation: null,
|
proxyLocation: null,
|
||||||
includeActionHistoryInVerification: null,
|
includeActionHistoryInVerification: null,
|
||||||
maxScreenshotScrollingTimes: null,
|
maxScreenshotScrollingTimes: null,
|
||||||
|
extraHttpHeaders: null,
|
||||||
}}
|
}}
|
||||||
/>
|
/>
|
||||||
</div>
|
</div>
|
||||||
@@ -133,6 +134,9 @@ function CreateNewTaskFormPage() {
|
|||||||
data.workflow_definition.blocks[0]
|
data.workflow_definition.blocks[0]
|
||||||
.include_action_history_in_verification,
|
.include_action_history_in_verification,
|
||||||
maxScreenshotScrollingTimes: data.max_screenshot_scrolling_times,
|
maxScreenshotScrollingTimes: data.max_screenshot_scrolling_times,
|
||||||
|
extraHttpHeaders: data.extra_http_headers
|
||||||
|
? JSON.stringify(data.extra_http_headers)
|
||||||
|
: null,
|
||||||
}}
|
}}
|
||||||
/>
|
/>
|
||||||
</div>
|
</div>
|
||||||
|
|||||||
@@ -14,6 +14,7 @@ import { MessageIcon } from "@/components/icons/MessageIcon";
|
|||||||
import { TrophyIcon } from "@/components/icons/TrophyIcon";
|
import { TrophyIcon } from "@/components/icons/TrophyIcon";
|
||||||
import { ProxySelector } from "@/components/ProxySelector";
|
import { ProxySelector } from "@/components/ProxySelector";
|
||||||
import { Input } from "@/components/ui/input";
|
import { Input } from "@/components/ui/input";
|
||||||
|
import { KeyValueInput } from "@/components/KeyValueInput";
|
||||||
import {
|
import {
|
||||||
CustomSelectItem,
|
CustomSelectItem,
|
||||||
Select,
|
Select,
|
||||||
@@ -161,6 +162,7 @@ function PromptBox() {
|
|||||||
useState<string | null>(null);
|
useState<string | null>(null);
|
||||||
const [showAdvancedSettings, setShowAdvancedSettings] = useState(false);
|
const [showAdvancedSettings, setShowAdvancedSettings] = useState(false);
|
||||||
const [dataSchema, setDataSchema] = useState<string | null>(null);
|
const [dataSchema, setDataSchema] = useState<string | null>(null);
|
||||||
|
const [extraHttpHeaders, setExtraHttpHeaders] = useState<string | null>(null);
|
||||||
|
|
||||||
const startObserverCruiseMutation = useMutation({
|
const startObserverCruiseMutation = useMutation({
|
||||||
mutationFn: async (prompt: string) => {
|
mutationFn: async (prompt: string) => {
|
||||||
@@ -184,6 +186,15 @@ function PromptBox() {
|
|||||||
}
|
}
|
||||||
})()
|
})()
|
||||||
: null,
|
: null,
|
||||||
|
extra_http_headers: extraHttpHeaders
|
||||||
|
? (() => {
|
||||||
|
try {
|
||||||
|
return JSON.parse(extraHttpHeaders);
|
||||||
|
} catch (e) {
|
||||||
|
return extraHttpHeaders;
|
||||||
|
}
|
||||||
|
})()
|
||||||
|
: null,
|
||||||
},
|
},
|
||||||
{
|
{
|
||||||
headers: {
|
headers: {
|
||||||
@@ -414,6 +425,30 @@ function PromptBox() {
|
|||||||
}}
|
}}
|
||||||
/>
|
/>
|
||||||
</div>
|
</div>
|
||||||
|
<div className="flex gap-16">
|
||||||
|
<div className="w-48 shrink-0">
|
||||||
|
<div className="text-sm">Extra HTTP Headers</div>
|
||||||
|
<div className="text-xs text-slate-400">
|
||||||
|
Specify some self defined HTTP requests headers in Dict
|
||||||
|
format
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
<div className="flex-1">
|
||||||
|
<KeyValueInput
|
||||||
|
value={extraHttpHeaders ?? ""}
|
||||||
|
onChange={(val) =>
|
||||||
|
setExtraHttpHeaders(
|
||||||
|
val === null
|
||||||
|
? null
|
||||||
|
: typeof val === "string"
|
||||||
|
? val || null
|
||||||
|
: JSON.stringify(val),
|
||||||
|
)
|
||||||
|
}
|
||||||
|
addButtonText="Add Header"
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
<div className="flex gap-16">
|
<div className="flex gap-16">
|
||||||
<div className="w-48 shrink-0">
|
<div className="w-48 shrink-0">
|
||||||
<div className="text-sm">Publish Workflow</div>
|
<div className="text-sm">Publish Workflow</div>
|
||||||
|
|||||||
@@ -46,6 +46,9 @@ function RetryTask() {
|
|||||||
task.request.include_action_history_in_verification ?? false,
|
task.request.include_action_history_in_verification ?? false,
|
||||||
maxScreenshotScrollingTimes:
|
maxScreenshotScrollingTimes:
|
||||||
task.request.max_screenshot_scrolling_times ?? null,
|
task.request.max_screenshot_scrolling_times ?? null,
|
||||||
|
extraHttpHeaders: task.request.extra_http_headers
|
||||||
|
? JSON.stringify(task.request.extra_http_headers)
|
||||||
|
: null,
|
||||||
}}
|
}}
|
||||||
/>
|
/>
|
||||||
</div>
|
</div>
|
||||||
|
|||||||
@@ -10,6 +10,7 @@ const createNewTaskFormSchemaBase = z.object({
|
|||||||
dataExtractionGoal: z.string().or(z.null()),
|
dataExtractionGoal: z.string().or(z.null()),
|
||||||
navigationPayload: z.string().or(z.null()),
|
navigationPayload: z.string().or(z.null()),
|
||||||
extractedInformationSchema: z.string().or(z.null()),
|
extractedInformationSchema: z.string().or(z.null()),
|
||||||
|
extraHttpHeaders: z.string().or(z.null()),
|
||||||
maxStepsOverride: z.number().or(z.null()).optional(),
|
maxStepsOverride: z.number().or(z.null()).optional(),
|
||||||
totpIdentifier: z.string().or(z.null()),
|
totpIdentifier: z.string().or(z.null()),
|
||||||
errorCodeMapping: z.string().or(z.null()),
|
errorCodeMapping: z.string().or(z.null()),
|
||||||
|
|||||||
@@ -1,11 +1,13 @@
|
|||||||
import { getClient } from "@/api/AxiosClient";
|
import { getClient } from "@/api/AxiosClient";
|
||||||
import { TaskApiResponse } from "@/api/types";
|
import { TaskApiResponse } from "@/api/types";
|
||||||
import { AutoResizingTextarea } from "@/components/AutoResizingTextarea/AutoResizingTextarea";
|
import { AutoResizingTextarea } from "@/components/AutoResizingTextarea/AutoResizingTextarea";
|
||||||
|
import { KeyValueInput } from "@/components/KeyValueInput";
|
||||||
import { Input } from "@/components/ui/input";
|
import { Input } from "@/components/ui/input";
|
||||||
import { Skeleton } from "@/components/ui/skeleton";
|
import { Skeleton } from "@/components/ui/skeleton";
|
||||||
import { Switch } from "@/components/ui/switch";
|
import { Switch } from "@/components/ui/switch";
|
||||||
import { useCredentialGetter } from "@/hooks/useCredentialGetter";
|
import { useCredentialGetter } from "@/hooks/useCredentialGetter";
|
||||||
import { CodeEditor } from "@/routes/workflows/components/CodeEditor";
|
import { CodeEditor } from "@/routes/workflows/components/CodeEditor";
|
||||||
|
import { MAX_SCREENSHOT_SCROLLING_TIMES_DEFAULT } from "@/routes/workflows/editor/nodes/Taskv2Node/types";
|
||||||
import { useQuery } from "@tanstack/react-query";
|
import { useQuery } from "@tanstack/react-query";
|
||||||
import { useParams } from "react-router-dom";
|
import { useParams } from "react-router-dom";
|
||||||
|
|
||||||
@@ -115,6 +117,25 @@ function TaskParameters() {
|
|||||||
maxHeight="500px"
|
maxHeight="500px"
|
||||||
/>
|
/>
|
||||||
</div>
|
</div>
|
||||||
|
<div className="flex gap-16">
|
||||||
|
<div className="w-72">
|
||||||
|
<h1 className="text-lg">Extra HTTP Headers</h1>
|
||||||
|
<h2 className="text-base text-slate-400">
|
||||||
|
Specify some self defined HTTP requests headers in Dict format
|
||||||
|
</h2>
|
||||||
|
</div>
|
||||||
|
<div className="w-full">
|
||||||
|
<KeyValueInput
|
||||||
|
value={
|
||||||
|
task.request.extra_http_headers
|
||||||
|
? JSON.stringify(task.request.extra_http_headers)
|
||||||
|
: null
|
||||||
|
}
|
||||||
|
readOnly={true}
|
||||||
|
onChange={() => {}}
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
<div className="flex gap-16">
|
<div className="flex gap-16">
|
||||||
<div className="w-72">
|
<div className="w-72">
|
||||||
<h1 className="text-lg">Webhook Callback URL</h1>
|
<h1 className="text-lg">Webhook Callback URL</h1>
|
||||||
@@ -124,6 +145,19 @@ function TaskParameters() {
|
|||||||
</div>
|
</div>
|
||||||
<Input value={task.request.webhook_callback_url ?? ""} readOnly />
|
<Input value={task.request.webhook_callback_url ?? ""} readOnly />
|
||||||
</div>
|
</div>
|
||||||
|
<div className="flex gap-16">
|
||||||
|
<div className="w-72">
|
||||||
|
<h1 className="text-lg">Max Scrolling Screenshots</h1>
|
||||||
|
<h2 className="text-base text-slate-400">
|
||||||
|
The maximum number of times to scroll the page
|
||||||
|
</h2>
|
||||||
|
</div>
|
||||||
|
<Input
|
||||||
|
placeholder={`Default: ${MAX_SCREENSHOT_SCROLLING_TIMES_DEFAULT}`}
|
||||||
|
value={task.request.max_screenshot_scrolling_times ?? ""}
|
||||||
|
readOnly
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
<div className="flex gap-16">
|
<div className="flex gap-16">
|
||||||
<div className="w-72">
|
<div className="w-72">
|
||||||
<h1 className="text-lg">Include Action History</h1>
|
<h1 className="text-lg">Include Action History</h1>
|
||||||
|
|||||||
@@ -11,6 +11,7 @@ import {
|
|||||||
FormMessage,
|
FormMessage,
|
||||||
} from "@/components/ui/form";
|
} from "@/components/ui/form";
|
||||||
import { Input } from "@/components/ui/input";
|
import { Input } from "@/components/ui/input";
|
||||||
|
import { KeyValueInput } from "@/components/KeyValueInput";
|
||||||
import { toast } from "@/components/ui/use-toast";
|
import { toast } from "@/components/ui/use-toast";
|
||||||
import { useApiCredential } from "@/hooks/useApiCredential";
|
import { useApiCredential } from "@/hooks/useApiCredential";
|
||||||
import { useCredentialGetter } from "@/hooks/useCredentialGetter";
|
import { useCredentialGetter } from "@/hooks/useCredentialGetter";
|
||||||
@@ -36,6 +37,7 @@ type Props = {
|
|||||||
proxyLocation: ProxyLocation;
|
proxyLocation: ProxyLocation;
|
||||||
webhookCallbackUrl: string;
|
webhookCallbackUrl: string;
|
||||||
maxScreenshotScrollingTimes: number | null;
|
maxScreenshotScrollingTimes: number | null;
|
||||||
|
extraHttpHeaders: Record<string, string> | null;
|
||||||
};
|
};
|
||||||
};
|
};
|
||||||
|
|
||||||
@@ -76,6 +78,7 @@ type RunWorkflowRequestBody = {
|
|||||||
webhook_callback_url?: string | null;
|
webhook_callback_url?: string | null;
|
||||||
browser_session_id: string | null;
|
browser_session_id: string | null;
|
||||||
max_screenshot_scrolling_times?: number | null;
|
max_screenshot_scrolling_times?: number | null;
|
||||||
|
extra_http_headers?: Record<string, string> | null;
|
||||||
};
|
};
|
||||||
|
|
||||||
function getRunWorkflowRequestBody(
|
function getRunWorkflowRequestBody(
|
||||||
@@ -87,6 +90,7 @@ function getRunWorkflowRequestBody(
|
|||||||
proxyLocation,
|
proxyLocation,
|
||||||
browserSessionId,
|
browserSessionId,
|
||||||
maxScreenshotScrollingTimes,
|
maxScreenshotScrollingTimes,
|
||||||
|
extraHttpHeaders,
|
||||||
...parameters
|
...parameters
|
||||||
} = values;
|
} = values;
|
||||||
|
|
||||||
@@ -111,6 +115,15 @@ function getRunWorkflowRequestBody(
|
|||||||
body.webhook_callback_url = webhookCallbackUrl;
|
body.webhook_callback_url = webhookCallbackUrl;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
if (extraHttpHeaders) {
|
||||||
|
try {
|
||||||
|
body.extra_http_headers = JSON.parse(extraHttpHeaders);
|
||||||
|
} catch (e) {
|
||||||
|
console.error("Invalid extra Header JSON");
|
||||||
|
body.extra_http_headers = null;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
return body;
|
return body;
|
||||||
}
|
}
|
||||||
|
|
||||||
@@ -119,6 +132,7 @@ type RunWorkflowFormType = Record<string, unknown> & {
|
|||||||
proxyLocation: ProxyLocation;
|
proxyLocation: ProxyLocation;
|
||||||
browserSessionId: string | null;
|
browserSessionId: string | null;
|
||||||
maxScreenshotScrollingTimes: number | null;
|
maxScreenshotScrollingTimes: number | null;
|
||||||
|
extraHttpHeaders: string | null;
|
||||||
};
|
};
|
||||||
|
|
||||||
function RunWorkflowForm({
|
function RunWorkflowForm({
|
||||||
@@ -141,6 +155,9 @@ function RunWorkflowForm({
|
|||||||
proxyLocation: initialSettings.proxyLocation,
|
proxyLocation: initialSettings.proxyLocation,
|
||||||
browserSessionId: browserSessionIdDefault,
|
browserSessionId: browserSessionIdDefault,
|
||||||
maxScreenshotScrollingTimes: initialSettings.maxScreenshotScrollingTimes,
|
maxScreenshotScrollingTimes: initialSettings.maxScreenshotScrollingTimes,
|
||||||
|
extraHttpHeaders: initialSettings.extraHttpHeaders
|
||||||
|
? JSON.stringify(initialSettings.extraHttpHeaders)
|
||||||
|
: null,
|
||||||
},
|
},
|
||||||
});
|
});
|
||||||
const apiCredential = useApiCredential();
|
const apiCredential = useApiCredential();
|
||||||
@@ -192,6 +209,7 @@ function RunWorkflowForm({
|
|||||||
proxyLocation,
|
proxyLocation,
|
||||||
browserSessionId,
|
browserSessionId,
|
||||||
maxScreenshotScrollingTimes,
|
maxScreenshotScrollingTimes,
|
||||||
|
extraHttpHeaders,
|
||||||
...parameters
|
...parameters
|
||||||
} = values;
|
} = values;
|
||||||
|
|
||||||
@@ -205,6 +223,7 @@ function RunWorkflowForm({
|
|||||||
proxyLocation,
|
proxyLocation,
|
||||||
browserSessionId,
|
browserSessionId,
|
||||||
maxScreenshotScrollingTimes,
|
maxScreenshotScrollingTimes,
|
||||||
|
extraHttpHeaders,
|
||||||
});
|
});
|
||||||
}
|
}
|
||||||
|
|
||||||
@@ -408,6 +427,40 @@ function RunWorkflowForm({
|
|||||||
);
|
);
|
||||||
}}
|
}}
|
||||||
/>
|
/>
|
||||||
|
<FormField
|
||||||
|
key="extraHttpHeaders"
|
||||||
|
control={form.control}
|
||||||
|
name="extraHttpHeaders"
|
||||||
|
render={({ field }) => {
|
||||||
|
return (
|
||||||
|
<FormItem>
|
||||||
|
<div className="flex gap-16">
|
||||||
|
<FormLabel>
|
||||||
|
<div className="w-72">
|
||||||
|
<div className="flex items-center gap-2 text-lg">
|
||||||
|
Extra HTTP Headers
|
||||||
|
</div>
|
||||||
|
<h2 className="text-sm text-slate-400">
|
||||||
|
Specify some self defined HTTP requests headers in
|
||||||
|
Dict format
|
||||||
|
</h2>
|
||||||
|
</div>
|
||||||
|
</FormLabel>
|
||||||
|
<div className="w-full space-y-2">
|
||||||
|
<FormControl>
|
||||||
|
<KeyValueInput
|
||||||
|
value={field.value ?? ""}
|
||||||
|
onChange={(val) => field.onChange(val)}
|
||||||
|
addButtonText="Add Header"
|
||||||
|
/>
|
||||||
|
</FormControl>
|
||||||
|
<FormMessage />
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</FormItem>
|
||||||
|
);
|
||||||
|
}}
|
||||||
|
/>
|
||||||
<FormField
|
<FormField
|
||||||
key="maxScreenshotScrollingTimes"
|
key="maxScreenshotScrollingTimes"
|
||||||
control={form.control}
|
control={form.control}
|
||||||
|
|||||||
@@ -37,6 +37,10 @@ function WorkflowRunParameters() {
|
|||||||
? (location.state.webhookCallbackUrl as string)
|
? (location.state.webhookCallbackUrl as string)
|
||||||
: null;
|
: null;
|
||||||
|
|
||||||
|
const extraHttpHeaders = location.state
|
||||||
|
? (location.state.extraHttpHeaders as Record<string, string>)
|
||||||
|
: null;
|
||||||
|
|
||||||
const initialValues = location.state?.data
|
const initialValues = location.state?.data
|
||||||
? location.state.data
|
? location.state.data
|
||||||
: workflowParameters?.reduce(
|
: workflowParameters?.reduce(
|
||||||
@@ -115,6 +119,8 @@ function WorkflowRunParameters() {
|
|||||||
maxScreenshotScrollingTimes ??
|
maxScreenshotScrollingTimes ??
|
||||||
workflow.max_screenshot_scrolling_times ??
|
workflow.max_screenshot_scrolling_times ??
|
||||||
null,
|
null,
|
||||||
|
extraHttpHeaders:
|
||||||
|
extraHttpHeaders ?? workflow.extra_http_headers ?? null,
|
||||||
}}
|
}}
|
||||||
/>
|
/>
|
||||||
</div>
|
</div>
|
||||||
|
|||||||
@@ -282,6 +282,39 @@ function FlowRenderer({
|
|||||||
return;
|
return;
|
||||||
}
|
}
|
||||||
const client = await getClient(credentialGetter);
|
const client = await getClient(credentialGetter);
|
||||||
|
const extraHttpHeaders: Record<string, string> = {};
|
||||||
|
if (data.settings.extraHttpHeaders) {
|
||||||
|
try {
|
||||||
|
const parsedHeaders = JSON.parse(data.settings.extraHttpHeaders);
|
||||||
|
if (
|
||||||
|
parsedHeaders &&
|
||||||
|
typeof parsedHeaders === "object" &&
|
||||||
|
!Array.isArray(parsedHeaders)
|
||||||
|
) {
|
||||||
|
for (const [key, value] of Object.entries(parsedHeaders)) {
|
||||||
|
if (key && typeof key === "string") {
|
||||||
|
if (key in extraHttpHeaders) {
|
||||||
|
toast({
|
||||||
|
title: "Error",
|
||||||
|
description: `Duplicate key '${key}' in extra http headers`,
|
||||||
|
variant: "destructive",
|
||||||
|
});
|
||||||
|
continue;
|
||||||
|
}
|
||||||
|
extraHttpHeaders[key] = String(value);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
} catch (error) {
|
||||||
|
toast({
|
||||||
|
title: "Error",
|
||||||
|
description: "Invalid JSON format in extra http headers",
|
||||||
|
variant: "destructive",
|
||||||
|
});
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
const requestBody: WorkflowCreateYAMLRequest = {
|
const requestBody: WorkflowCreateYAMLRequest = {
|
||||||
title: data.title,
|
title: data.title,
|
||||||
description: workflow.description,
|
description: workflow.description,
|
||||||
@@ -292,6 +325,7 @@ function FlowRenderer({
|
|||||||
max_screenshot_scrolling_times:
|
max_screenshot_scrolling_times:
|
||||||
data.settings.maxScreenshotScrollingTimes,
|
data.settings.maxScreenshotScrollingTimes,
|
||||||
totp_verification_url: workflow.totp_verification_url,
|
totp_verification_url: workflow.totp_verification_url,
|
||||||
|
extra_http_headers: extraHttpHeaders,
|
||||||
workflow_definition: {
|
workflow_definition: {
|
||||||
parameters: data.parameters,
|
parameters: data.parameters,
|
||||||
blocks: data.blocks,
|
blocks: data.blocks,
|
||||||
|
|||||||
@@ -61,6 +61,9 @@ function WorkflowEditor() {
|
|||||||
webhookCallbackUrl: workflow.webhook_callback_url,
|
webhookCallbackUrl: workflow.webhook_callback_url,
|
||||||
model: workflow.model,
|
model: workflow.model,
|
||||||
maxScreenshotScrollingTimes: workflow.max_screenshot_scrolling_times,
|
maxScreenshotScrollingTimes: workflow.max_screenshot_scrolling_times,
|
||||||
|
extraHttpHeaders: workflow.extra_http_headers
|
||||||
|
? JSON.stringify(workflow.extra_http_headers)
|
||||||
|
: null,
|
||||||
};
|
};
|
||||||
|
|
||||||
const elements = getElements(
|
const elements = getElements(
|
||||||
|
|||||||
@@ -21,6 +21,7 @@ import { ModelsResponse } from "@/api/types";
|
|||||||
import { ModelSelector } from "@/components/ModelSelector";
|
import { ModelSelector } from "@/components/ModelSelector";
|
||||||
import { WorkflowModel } from "@/routes/workflows/types/workflowTypes";
|
import { WorkflowModel } from "@/routes/workflows/types/workflowTypes";
|
||||||
import { MAX_SCREENSHOT_SCROLLING_TIMES_DEFAULT } from "../Taskv2Node/types";
|
import { MAX_SCREENSHOT_SCROLLING_TIMES_DEFAULT } from "../Taskv2Node/types";
|
||||||
|
import { KeyValueInput } from "@/components/KeyValueInput";
|
||||||
|
|
||||||
function StartNode({ id, data }: NodeProps<StartNode>) {
|
function StartNode({ id, data }: NodeProps<StartNode>) {
|
||||||
const credentialGetter = useCredentialGetter();
|
const credentialGetter = useCredentialGetter();
|
||||||
@@ -55,6 +56,7 @@ function StartNode({ id, data }: NodeProps<StartNode>) {
|
|||||||
maxScreenshotScrollingTimes: data.withWorkflowSettings
|
maxScreenshotScrollingTimes: data.withWorkflowSettings
|
||||||
? data.maxScreenshotScrollingTimes
|
? data.maxScreenshotScrollingTimes
|
||||||
: null,
|
: null,
|
||||||
|
extraHttpHeaders: data.withWorkflowSettings ? data.extraHttpHeaders : null,
|
||||||
});
|
});
|
||||||
|
|
||||||
function handleChange(key: string, value: unknown) {
|
function handleChange(key: string, value: unknown) {
|
||||||
@@ -134,6 +136,19 @@ function StartNode({ id, data }: NodeProps<StartNode>) {
|
|||||||
/>
|
/>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
|
<div className="space-y-2">
|
||||||
|
<div className="flex items-center gap-2">
|
||||||
|
<Label>Extra HTTP Headers</Label>
|
||||||
|
<HelpTooltip content="Specify some self defined HTTP requests headers in Dict format" />
|
||||||
|
</div>
|
||||||
|
<KeyValueInput
|
||||||
|
value={inputs.extraHttpHeaders ?? null}
|
||||||
|
onChange={(val) =>
|
||||||
|
handleChange("extraHttpHeaders", val)
|
||||||
|
}
|
||||||
|
addButtonText="Add Header"
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
<div className="space-y-2">
|
<div className="space-y-2">
|
||||||
<div className="flex items-center gap-2">
|
<div className="flex items-center gap-2">
|
||||||
<Label>Max Scrolling Screenshots</Label>
|
<Label>Max Scrolling Screenshots</Label>
|
||||||
|
|||||||
@@ -10,6 +10,7 @@ export type WorkflowStartNodeData = {
|
|||||||
persistBrowserSession: boolean;
|
persistBrowserSession: boolean;
|
||||||
model: WorkflowModel | null;
|
model: WorkflowModel | null;
|
||||||
maxScreenshotScrollingTimes: number | null;
|
maxScreenshotScrollingTimes: number | null;
|
||||||
|
extraHttpHeaders: string | null;
|
||||||
editable: boolean;
|
editable: boolean;
|
||||||
};
|
};
|
||||||
|
|
||||||
|
|||||||
@@ -664,6 +664,7 @@ function getElements(
|
|||||||
webhookCallbackUrl: settings.webhookCallbackUrl ?? "",
|
webhookCallbackUrl: settings.webhookCallbackUrl ?? "",
|
||||||
model: settings.model,
|
model: settings.model,
|
||||||
maxScreenshotScrollingTimes: settings.maxScreenshotScrollingTimes,
|
maxScreenshotScrollingTimes: settings.maxScreenshotScrollingTimes,
|
||||||
|
extraHttpHeaders: settings.extraHttpHeaders,
|
||||||
editable,
|
editable,
|
||||||
}),
|
}),
|
||||||
);
|
);
|
||||||
@@ -1325,6 +1326,7 @@ function getWorkflowSettings(nodes: Array<AppNode>): WorkflowSettings {
|
|||||||
webhookCallbackUrl: null,
|
webhookCallbackUrl: null,
|
||||||
model: null,
|
model: null,
|
||||||
maxScreenshotScrollingTimes: null,
|
maxScreenshotScrollingTimes: null,
|
||||||
|
extraHttpHeaders: null,
|
||||||
};
|
};
|
||||||
const startNodes = nodes.filter(isStartNode);
|
const startNodes = nodes.filter(isStartNode);
|
||||||
const startNodeWithWorkflowSettings = startNodes.find(
|
const startNodeWithWorkflowSettings = startNodes.find(
|
||||||
@@ -1341,6 +1343,7 @@ function getWorkflowSettings(nodes: Array<AppNode>): WorkflowSettings {
|
|||||||
webhookCallbackUrl: data.webhookCallbackUrl,
|
webhookCallbackUrl: data.webhookCallbackUrl,
|
||||||
model: data.model,
|
model: data.model,
|
||||||
maxScreenshotScrollingTimes: data.maxScreenshotScrollingTimes,
|
maxScreenshotScrollingTimes: data.maxScreenshotScrollingTimes,
|
||||||
|
extraHttpHeaders: data.extraHttpHeaders,
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
return defaultSettings;
|
return defaultSettings;
|
||||||
@@ -1997,6 +2000,7 @@ function convert(workflow: WorkflowApiResponse): WorkflowCreateYAMLRequest {
|
|||||||
model: workflow.model,
|
model: workflow.model,
|
||||||
totp_verification_url: workflow.totp_verification_url,
|
totp_verification_url: workflow.totp_verification_url,
|
||||||
max_screenshot_scrolling_times: workflow.max_screenshot_scrolling_times,
|
max_screenshot_scrolling_times: workflow.max_screenshot_scrolling_times,
|
||||||
|
extra_http_headers: workflow.extra_http_headers,
|
||||||
workflow_definition: {
|
workflow_definition: {
|
||||||
parameters: convertParametersToParameterYAML(userParameters),
|
parameters: convertParametersToParameterYAML(userParameters),
|
||||||
blocks: convertBlocksToBlockYAML(workflow.workflow_definition.blocks),
|
blocks: convertBlocksToBlockYAML(workflow.workflow_definition.blocks),
|
||||||
|
|||||||
@@ -466,6 +466,7 @@ export type WorkflowApiResponse = {
|
|||||||
workflow_definition: WorkflowDefinition;
|
workflow_definition: WorkflowDefinition;
|
||||||
proxy_location: ProxyLocation | null;
|
proxy_location: ProxyLocation | null;
|
||||||
webhook_callback_url: string | null;
|
webhook_callback_url: string | null;
|
||||||
|
extra_http_headers: Record<string, string> | null;
|
||||||
persist_browser_session: boolean;
|
persist_browser_session: boolean;
|
||||||
model: WorkflowModel | null;
|
model: WorkflowModel | null;
|
||||||
totp_verification_url: string | null;
|
totp_verification_url: string | null;
|
||||||
@@ -482,6 +483,7 @@ export type WorkflowSettings = {
|
|||||||
persistBrowserSession: boolean;
|
persistBrowserSession: boolean;
|
||||||
model: WorkflowModel | null;
|
model: WorkflowModel | null;
|
||||||
maxScreenshotScrollingTimes: number | null;
|
maxScreenshotScrollingTimes: number | null;
|
||||||
|
extraHttpHeaders: string | null;
|
||||||
};
|
};
|
||||||
|
|
||||||
export type WorkflowModel = JsonObjectExtendable<{ model_name: string }>;
|
export type WorkflowModel = JsonObjectExtendable<{ model_name: string }>;
|
||||||
|
|||||||
@@ -13,6 +13,7 @@ export type WorkflowCreateYAMLRequest = {
|
|||||||
workflow_definition: WorkflowDefinitionYAML;
|
workflow_definition: WorkflowDefinitionYAML;
|
||||||
is_saved_task?: boolean;
|
is_saved_task?: boolean;
|
||||||
max_screenshot_scrolling_times?: number | null;
|
max_screenshot_scrolling_times?: number | null;
|
||||||
|
extra_http_headers?: Record<string, string> | null;
|
||||||
};
|
};
|
||||||
|
|
||||||
export type WorkflowDefinitionYAML = {
|
export type WorkflowDefinitionYAML = {
|
||||||
|
|||||||
@@ -11,6 +11,7 @@ import { Input } from "@/components/ui/input";
|
|||||||
import { ProxySelector } from "@/components/ProxySelector";
|
import { ProxySelector } from "@/components/ProxySelector";
|
||||||
import { SendEmailBlockParameters } from "./blockInfo/SendEmailBlockInfo";
|
import { SendEmailBlockParameters } from "./blockInfo/SendEmailBlockInfo";
|
||||||
import { ProxyLocation } from "@/api/types";
|
import { ProxyLocation } from "@/api/types";
|
||||||
|
import { KeyValueInput } from "@/components/KeyValueInput";
|
||||||
|
|
||||||
function WorkflowPostRunParameters() {
|
function WorkflowPostRunParameters() {
|
||||||
const { data: workflowRunTimeline, isLoading: workflowRunTimelineIsLoading } =
|
const { data: workflowRunTimeline, isLoading: workflowRunTimelineIsLoading } =
|
||||||
@@ -54,6 +55,10 @@ function WorkflowPostRunParameters() {
|
|||||||
? workflowRun.task_v2?.proxy_location
|
? workflowRun.task_v2?.proxy_location
|
||||||
: workflowRun.proxy_location;
|
: workflowRun.proxy_location;
|
||||||
|
|
||||||
|
const extraHttpHeaders = isTaskV2
|
||||||
|
? workflowRun.task_v2?.extra_http_headers
|
||||||
|
: workflowRun.extra_http_headers;
|
||||||
|
|
||||||
return (
|
return (
|
||||||
<div className="space-y-5">
|
<div className="space-y-5">
|
||||||
{activeBlock && isTaskVariantBlock(activeBlock) ? (
|
{activeBlock && isTaskVariantBlock(activeBlock) ? (
|
||||||
@@ -147,6 +152,20 @@ function WorkflowPostRunParameters() {
|
|||||||
}}
|
}}
|
||||||
/>
|
/>
|
||||||
</div>
|
</div>
|
||||||
|
<div className="flex gap-16">
|
||||||
|
<div className="w-80">
|
||||||
|
<h1 className="text-lg">Extra HTTP Headers</h1>
|
||||||
|
</div>
|
||||||
|
<div className="w-full">
|
||||||
|
<KeyValueInput
|
||||||
|
value={
|
||||||
|
extraHttpHeaders ? JSON.stringify(extraHttpHeaders) : null
|
||||||
|
}
|
||||||
|
readOnly={true}
|
||||||
|
onChange={() => {}}
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
{workflowRun.task_v2 ? (
|
{workflowRun.task_v2 ? (
|
||||||
|
|||||||
@@ -152,6 +152,7 @@ class WorkflowRunResponseBase(BaseModel):
|
|||||||
webhook_callback_url: str | None = None
|
webhook_callback_url: str | None = None
|
||||||
totp_verification_url: str | None = None
|
totp_verification_url: str | None = None
|
||||||
totp_identifier: str | None = None
|
totp_identifier: str | None = None
|
||||||
|
extra_http_headers: dict[str, str] | None = None
|
||||||
queued_at: datetime | None = None
|
queued_at: datetime | None = None
|
||||||
started_at: datetime | None = None
|
started_at: datetime | None = None
|
||||||
finished_at: datetime | None = None
|
finished_at: datetime | None = None
|
||||||
|
|||||||
@@ -1184,6 +1184,7 @@ class WorkflowService:
|
|||||||
webhook_callback_url=workflow_run.webhook_callback_url,
|
webhook_callback_url=workflow_run.webhook_callback_url,
|
||||||
totp_verification_url=workflow_run.totp_verification_url,
|
totp_verification_url=workflow_run.totp_verification_url,
|
||||||
totp_identifier=workflow_run.totp_identifier,
|
totp_identifier=workflow_run.totp_identifier,
|
||||||
|
extra_http_headers=workflow_run.extra_http_headers,
|
||||||
queued_at=workflow_run.queued_at,
|
queued_at=workflow_run.queued_at,
|
||||||
started_at=workflow_run.started_at,
|
started_at=workflow_run.started_at,
|
||||||
finished_at=workflow_run.finished_at,
|
finished_at=workflow_run.finished_at,
|
||||||
|
|||||||
Reference in New Issue
Block a user