minor changes

This commit is contained in:
AmitChauhan63390
2025-01-26 21:05:08 +05:30
parent 6dfdb496db
commit e89d64d04f
2 changed files with 365 additions and 261 deletions

View File

@@ -573,11 +573,6 @@ router.post(
import crypto from 'crypto'; import crypto from 'crypto';
// Add these environment variables to your .env file
// AIRTABLE_CLIENT_ID=your_client_id
// AIRTABLE_CLIENT_SECRET=your_client_secret
// AIRTABLE_REDIRECT_URI=http://localhost:8080/auth/airtable/callback
// Airtable OAuth Routes // Airtable OAuth Routes
router.get("/airtable", (req, res) => { router.get("/airtable", (req, res) => {
const { robotId } = req.query; const { robotId } = req.query;
@@ -668,6 +663,7 @@ router.get("/airtable/callback", async (req, res) => {
await robot.update({ await robot.update({
airtable_access_token: tokens.access_token, airtable_access_token: tokens.access_token,
airtable_refresh_token: tokens.refresh_token, airtable_refresh_token: tokens.refresh_token,
}); });
@@ -689,7 +685,7 @@ router.get("/airtable/callback", async (req, res) => {
}); });
// Get Airtable bases // Get Airtable bases
router.get("/airtable/bases", requireSignIn, async (req: AuthenticatedRequest, res) => { router.get("/airtable/bases", async (req: AuthenticatedRequest, res) => {
try { try {
const { robotId } = req.query; const { robotId } = req.query;
if (!robotId) { if (!robotId) {
@@ -697,7 +693,7 @@ router.get("/airtable/bases", requireSignIn, async (req: AuthenticatedRequest, r
} }
const robot = await Robot.findOne({ const robot = await Robot.findOne({
where: { "recording_meta.id": robotId }, where: { "recording_meta.id": robotId.toString() },
raw: true, raw: true,
}); });

View File

@@ -6,6 +6,7 @@ import {
CircularProgress, CircularProgress,
Alert, Alert,
AlertTitle, AlertTitle,
Chip,
} from "@mui/material"; } from "@mui/material";
import Button from "@mui/material/Button"; import Button from "@mui/material/Button";
import TextField from "@mui/material/TextField"; import TextField from "@mui/material/TextField";
@@ -23,11 +24,12 @@ interface IntegrationProps {
} }
export interface IntegrationSettings { export interface IntegrationSettings {
spreadsheetId: string; spreadsheetId?: string;
spreadsheetName: string; spreadsheetName?: string;
airtableBaseId: string; airtableBaseId?: string;
airtableBaseName: string; airtableBaseName?: string;
data: string; data: string;
integrationType: "googleSheets" | "airtable";
} }
// Helper functions to replace js-cookie functionality // Helper functions to replace js-cookie functionality
@@ -50,123 +52,126 @@ export const IntegrationSettingsModal = ({
handleClose, handleClose,
}: IntegrationProps) => { }: IntegrationProps) => {
const { t } = useTranslation(); const { t } = useTranslation();
const [selectedIntegrationType, setSelectedIntegrationType] = useState<
"googleSheets" | "airtable" | null
>(null);
const [settings, setSettings] = useState<IntegrationSettings>({ const [settings, setSettings] = useState<IntegrationSettings>({
spreadsheetId: "", spreadsheetId: "",
spreadsheetName: "", spreadsheetName: "",
airtableBaseId: "", airtableBaseId: "",
airtableBaseName: "", airtableBaseName: "",
data: "", data: "",
integrationType: "googleSheets",
}); });
const [spreadsheets, setSpreadsheets] = useState<{ id: string; name: string }[]>([]); const [airtableTables, setAirtableTables] = useState<{ id: string; name: string }[]>([]);
const [airtableBases, setAirtableBases] = useState<{ id: string; name: string }[]>([]); const [spreadsheets, setSpreadsheets] = useState<
{ id: string; name: string }[]
>([]);
const [airtableBases, setAirtableBases] = useState<
{ id: string; name: string }[]
>([]);
const [loading, setLoading] = useState(false); const [loading, setLoading] = useState(false);
const [error, setError] = useState<string | null>(null); const [error, setError] = useState<string | null>(null);
const { recordingId, notify } = useGlobalInfoStore(); const { recordingId, notify } = useGlobalInfoStore();
const [recording, setRecording] = useState<any>(null); const [recording, setRecording] = useState<any>(null);
// Authenticate with Google
const authenticateWithGoogle = () => { const authenticateWithGoogle = () => {
const redirectUri = `${window.location.origin}/google/callback`; window.location.href = `${apiUrl}/auth/google?robotId=${recordingId}`;
window.location.href = `${apiUrl}/auth/google?robotId=${recordingId}&redirect_uri=${encodeURIComponent(redirectUri)}`;
}; };
// Authenticate with Airtable
const authenticateWithAirtable = () => { const authenticateWithAirtable = () => {
const redirectUri = `${window.location.origin}/airtable/callback`; window.location.href = `${apiUrl}/auth/airtable?robotId=${recordingId}`;
window.location.href = `${apiUrl}/auth/airtable?robotId=${recordingId}&redirect_uri=${encodeURIComponent(redirectUri)}`;
}; };
// Handle Google OAuth callback const handleIntegrationType = (type: "googleSheets" | "airtable") => {
const handleGoogleCallback = async () => { setSelectedIntegrationType(type);
setSettings({
...settings,
integrationType: type,
});
};
const fetchAirtableTables = async (baseId: string) => {
try { try {
const urlParams = new URLSearchParams(window.location.search);
const code = urlParams.get("code");
if (!code) {
setError(t("integration_settings.errors.no_auth_code"));
return;
}
const response = await axios.get( const response = await axios.get(
`${apiUrl}/auth/google/callback?code=${code}&robotId=${recordingId}` `${apiUrl}/auth/airtable/tables?baseId=${baseId}&robotId=${recordingId}`,
{
withCredentials: true,
}
);
setAirtableTables(response.data);
} catch (error: any) {
console.error(
"Error fetching Airtable tables:",
error.response?.data?.message || error.message
);
notify(
"error",
t("integration_settings.errors.fetch_error", {
message: error.response?.data?.message || error.message,
})
); );
if (response.data.accessToken) {
notify("success", t("integration_settings.notifications.google_auth_success"));
await fetchSpreadsheetFiles();
}
// Clear URL parameters
window.history.replaceState({}, document.title, window.location.pathname);
} catch (error) {
setError(t("integration_settings.errors.google_auth_error"));
} }
}; };
// Handle Airtable OAuth callback
const handleAirtableCallback = async () => {
try {
const urlParams = new URLSearchParams(window.location.search);
const code = urlParams.get("code");
if (!code) {
setError(t("integration_settings.errors.no_auth_code"));
return;
}
const response = await axios.get(
`${apiUrl}/auth/airtable/callback?code=${code}&robotId=${recordingId}`
);
if (response.data.accessToken) {
notify("success", t("integration_settings.notifications.airtable_auth_success"));
await fetchAirtableBases();
}
// Clear URL parameters
window.history.replaceState({}, document.title, window.location.pathname);
} catch (error) {
setError(t("integration_settings.errors.airtable_auth_error"));
}
};
// Fetch Google Sheets
const fetchSpreadsheetFiles = async () => { const fetchSpreadsheetFiles = async () => {
try { try {
setLoading(true); const response = await axios.get(
const response = await axios.get(`${apiUrl}/auth/gsheets/files?robotId=${recordingId}`, { `${apiUrl}/auth/gsheets/files?robotId=${recordingId}`,
withCredentials: true, {
}); withCredentials: true,
}
);
setSpreadsheets(response.data); setSpreadsheets(response.data);
} catch (error: any) { } catch (error: any) {
console.error("Error fetching spreadsheet files:", error.response?.data?.message || error.message); console.error(
notify("error", t("integration_settings.errors.fetch_error", { message: error.response?.data?.message || error.message })); "Error fetching spreadsheet files:",
} finally { error.response?.data?.message || error.message
setLoading(false); );
notify(
"error",
t("integration_settings.errors.fetch_error", {
message: error.response?.data?.message || error.message,
})
);
} }
}; };
// Fetch Airtable Bases console.log("recordingId", recordingId);
const fetchAirtableBases = async () => { const fetchAirtableBases = async () => {
try { try {
setLoading(true); const response = await axios.get(
const response = await axios.get(`${apiUrl}/auth/airtable/bases?robotId=${recordingId}`, { `${apiUrl}/auth/airtable/bases?robotId=${recordingId}`,
withCredentials: true, {
}); withCredentials: true,
}
);
setAirtableBases(response.data); setAirtableBases(response.data);
console.log("Airtable bases:", response.data);
} catch (error: any) { } catch (error: any) {
console.error("Error fetching Airtable bases:", error.response?.data?.message || error.message); console.error(
notify("error", t("integration_settings.errors.fetch_error", { message: error.response?.data?.message || error.message })); "Error fetching Airtable bases:",
} finally { error.response?.data?.message || error.message
setLoading(false); );
notify(
"error",
t("integration_settings.errors.fetch_error", {
message: error.response?.data?.message || error.message,
})
);
} }
}; };
// Handle Google Sheet selection
const handleSpreadsheetSelect = (e: React.ChangeEvent<HTMLInputElement>) => { const handleSpreadsheetSelect = (e: React.ChangeEvent<HTMLInputElement>) => {
const selectedSheet = spreadsheets.find((sheet) => sheet.id === e.target.value); const selectedSheet = spreadsheets.find(
(sheet) => sheet.id === e.target.value
);
if (selectedSheet) { if (selectedSheet) {
setSettings({ setSettings({
...settings, ...settings,
@@ -176,9 +181,10 @@ export const IntegrationSettingsModal = ({
} }
}; };
// Handle Airtable Base selection
const handleAirtableBaseSelect = (e: React.ChangeEvent<HTMLInputElement>) => { const handleAirtableBaseSelect = (e: React.ChangeEvent<HTMLInputElement>) => {
const selectedBase = airtableBases.find((base) => base.id === e.target.value); const selectedBase = airtableBases.find(
(base) => base.id === e.target.value
);
if (selectedBase) { if (selectedBase) {
setSettings({ setSettings({
...settings, ...settings,
@@ -188,10 +194,8 @@ export const IntegrationSettingsModal = ({
} }
}; };
// Update Google Sheet ID
const updateGoogleSheetId = async () => { const updateGoogleSheetId = async () => {
try { try {
setLoading(true);
const response = await axios.post( const response = await axios.post(
`${apiUrl}/auth/gsheets/update`, `${apiUrl}/auth/gsheets/update`,
{ {
@@ -201,19 +205,18 @@ export const IntegrationSettingsModal = ({
}, },
{ withCredentials: true } { withCredentials: true }
); );
notify("success", t("integration_settings.notifications.sheet_selected")); notify(`success`, t("integration_settings.notifications.sheet_selected"));
console.log("Google Sheet ID updated:", response.data); console.log("Google Sheet ID updated:", response.data);
} catch (error: any) { } catch (error: any) {
console.error("Error updating Google Sheet ID:", error.response?.data?.message || error.message); console.error(
} finally { "Error updating Google Sheet ID:",
setLoading(false); error.response?.data?.message || error.message
);
} }
}; };
// Update Airtable Base ID
const updateAirtableBaseId = async () => { const updateAirtableBaseId = async () => {
try { try {
setLoading(true);
const response = await axios.post( const response = await axios.post(
`${apiUrl}/auth/airtable/update`, `${apiUrl}/auth/airtable/update`,
{ {
@@ -223,21 +226,25 @@ export const IntegrationSettingsModal = ({
}, },
{ withCredentials: true } { withCredentials: true }
); );
notify("success", t("integration_settings.notifications.base_selected")); notify(`success`, t("integration_settings.notifications.base_selected"));
console.log("Airtable Base ID updated:", response.data); console.log("Airtable Base ID updated:", response.data);
} catch (error: any) { } catch (error: any) {
console.error("Error updating Airtable Base ID:", error.response?.data?.message || error.message); console.error(
} finally { "Error updating Airtable Base ID:",
setLoading(false); error.response?.data?.message || error.message
);
} }
}; };
// Remove Integration
const removeIntegration = async () => { const removeIntegration = async () => {
try { try {
setLoading(true); const endpoint =
selectedIntegrationType === "googleSheets"
? "/auth/gsheets/remove"
: "/auth/airtable/remove";
await axios.post( await axios.post(
`${apiUrl}/auth/gsheets/remove`, `${apiUrl}${endpoint}`,
{ robotId: recordingId }, { robotId: recordingId },
{ withCredentials: true } { withCredentials: true }
); );
@@ -245,204 +252,305 @@ export const IntegrationSettingsModal = ({
setRecording(null); setRecording(null);
setSpreadsheets([]); setSpreadsheets([]);
setAirtableBases([]); setAirtableBases([]);
setSelectedIntegrationType(null);
setSettings({ setSettings({
spreadsheetId: "", spreadsheetId: "",
spreadsheetName: "", spreadsheetName: "",
airtableBaseId: "", airtableBaseId: "",
airtableBaseName: "", airtableBaseName: "",
data: "", data: "",
integrationType: "googleSheets",
}); });
notify("success", t("integration_settings.notifications.integration_removed"));
} catch (error: any) { } catch (error: any) {
console.error("Error removing integration:", error.response?.data?.message || error.message); console.error(
} finally { "Error removing integration:",
setLoading(false); error.response?.data?.message || error.message
);
} }
}; };
useEffect(() => { useEffect(() => {
const checkAuthCallback = () => { const status = getCookie("robot_auth_status");
const path = window.location.pathname; const message = getCookie("robot_auth_message");
const urlParams = new URLSearchParams(window.location.search);
const code = urlParams.get("code");
if (code) { if (status === "success" && message) {
if (path.includes("/google/callback")) { notify("success", message);
handleGoogleCallback(); removeCookie("robot_auth_status");
} else if (path.includes("/airtable/callback")) { removeCookie("robot_auth_message");
handleAirtableCallback(); }
}
}
};
checkAuthCallback(); const urlParams = new URLSearchParams(window.location.search);
const code = urlParams.get("code");
if (code) {
// Determine which authentication callback to handle
// You'll need to implement similar callback logic for Airtable
}
// Cleanup function
return () => {
window.history.replaceState({}, document.title, window.location.pathname);
};
}, []);
useEffect(() => {
const fetchRecordingInfo = async () => { const fetchRecordingInfo = async () => {
if (!recordingId) return; if (!recordingId) return;
const recording = await getStoredRecording(recordingId); const recording = await getStoredRecording(recordingId);
if (recording) { if (recording) {
setRecording(recording); setRecording(recording);
// Determine integration type based on existing integration
if (recording.google_sheet_id) {
setSelectedIntegrationType("googleSheets");
} else if (recording.airtable_base_id) {
setSelectedIntegrationType("airtable");
}
} }
}; };
fetchRecordingInfo(); fetchRecordingInfo();
}, [recordingId]); }, [recordingId]);
// Initial integration type selection
if (!selectedIntegrationType) {
return (
<GenericModal
isOpen={isOpen}
onClose={handleClose}
modalStyle={modalStyle}
>
<div
style={{
display: "flex",
flexDirection: "column",
alignItems: "center",
padding: "20px",
}}
>
<Typography variant="h6" sx={{ marginBottom: "20px" }}>
{t("integration_settings.title_select_integration")}
</Typography>
<div style={{ display: "flex", gap: "20px" }}>
<Button
variant="contained"
color="primary"
onClick={() => handleIntegrationType("googleSheets")}
>
Google Sheets
</Button>
<Button
variant="contained"
color="secondary"
onClick={() => handleIntegrationType("airtable")}
>
Airtable
</Button>
</div>
</div>
</GenericModal>
);
}
return ( return (
<GenericModal isOpen={isOpen} onClose={handleClose} modalStyle={modalStyle}> <GenericModal isOpen={isOpen} onClose={handleClose} modalStyle={modalStyle}>
<div style={{ display: "flex", flexDirection: "column", alignItems: "flex-start", marginLeft: "65px" }}> <div
<Typography variant="h6">{t("integration_settings.title")}</Typography> style={{
display: "flex",
flexDirection: "column",
alignItems: "flex-start",
marginLeft: "65px",
}}
>
<Typography variant="h6">
{selectedIntegrationType === "googleSheets"
? t("integration_settings.title_google")
: t("integration_settings.title_airtable")}
</Typography>
{recording && (recording.google_sheet_id || recording.airtable_base_id) ? ( {recording &&
(recording.google_sheet_id || recording.airtable_base_id ? (
<>
<Alert
severity="info"
sx={{ marginTop: "10px", border: "1px solid #ff00c3" }}
>
<AlertTitle>
{t("integration_settings.alerts.success.title")}
</AlertTitle>
{selectedIntegrationType === "googleSheets" ? (
<>
{t("integration_settings.alerts.success.content", {
sheetName: recording.google_sheet_name,
})}
<a
href={`https://docs.google.com/spreadsheets/d/${recording.google_sheet_id}`}
target="_blank"
rel="noreferrer"
>
{t("integration_settings.alerts.success.here")}
</a>
</>
) : (
<>
{t("integration_settings.alerts.success.content", {
sheetName: recording.airtable_base_name,
})}
<a
href={`https://airtable.com/${recording.airtable_base_id}`}
target="_blank"
rel="noreferrer"
>
{t("integration_settings.alerts.success.here")}
</a>
</>
)}
<br />
<strong>
{t("integration_settings.alerts.success.note")}
</strong>{" "}
{t("integration_settings.alerts.success.sync_limitation")}
</Alert>
<Button
variant="outlined"
color="error"
onClick={removeIntegration}
style={{ marginTop: "15px" }}
>
{t("integration_settings.buttons.remove_integration")}
</Button>
</>
) : null)}
{!recording?.[
selectedIntegrationType === "googleSheets"
? "google_sheet_email"
: "airtable_email"
] ? (
<> <>
{recording.google_sheet_id && ( <p>{t("integration_settings.descriptions.sync_info")}</p>
<Alert severity="info" sx={{ marginTop: "10px", border: "1px solid #ff00c3" }}> <Button
<AlertTitle>{t("integration_settings.alerts.success.title")}</AlertTitle> variant="contained"
{t("integration_settings.alerts.success.content", { sheetName: recording.google_sheet_name })} color="primary"
<a href={`https://docs.google.com/spreadsheets/d/${recording.google_sheet_id}`} target="_blank" rel="noreferrer"> onClick={
{t("integration_settings.alerts.success.here")} selectedIntegrationType === "googleSheets"
</a>. ? authenticateWithGoogle
<br /> : authenticateWithAirtable
<strong>{t("integration_settings.alerts.success.note")}</strong> {t("integration_settings.alerts.success.sync_limitation")} }
</Alert> >
)} {t("integration_settings.buttons.authenticate")}
{recording.airtable_base_id && (
<Alert severity="info" sx={{ marginTop: "10px", border: "1px solid #ff00c3" }}>
<AlertTitle>{t("integration_settings.alerts.success.title")}</AlertTitle>
{t("integration_settings.alerts.success.content", { sheetName: recording.airtable_base_name })}
<a href={`https://airtable.com/${recording.airtable_base_id}`} target="_blank" rel="noreferrer">
{t("integration_settings.alerts.success.here")}
</a>.
<br />
<strong>{t("integration_settings.alerts.success.note")}</strong> {t("integration_settings.alerts.success.sync_limitation")}
</Alert>
)}
<Button variant="outlined" color="error" onClick={removeIntegration} style={{ marginTop: "15px" }}>
{t("integration_settings.buttons.remove_integration")}
</Button> </Button>
</> </>
) : ( ) : (
<> <>
{!recording?.google_sheet_email && !recording?.airtable_email ? ( {recording[
selectedIntegrationType === "googleSheets"
? "google_sheet_email"
: "airtable_email"
] && (
<Typography sx={{ margin: "20px 0px 30px 0px" }}>
{t("integration_settings.descriptions.authenticated_as", {
email:
recording[
selectedIntegrationType === "googleSheets"
? "google_sheet_email"
: "airtable_email"
],
})}
</Typography>
)}
{loading ? (
<CircularProgress sx={{ marginBottom: "15px" }} />
) : error ? (
<Typography color="error">{error}</Typography>
) : (selectedIntegrationType === "googleSheets"
? spreadsheets
: airtableBases
).length === 0 ? (
<> <>
<p>{t("integration_settings.descriptions.sync_info")}</p> <div style={{ display: "flex", gap: "10px" }}>
<Button variant="contained" color="primary" onClick={authenticateWithGoogle} style={{ marginBottom: "10px" }}> <Button
{t("integration_settings.buttons.authenticate_google")} variant="outlined"
</Button> color="primary"
<Button variant="contained" color="primary" onClick={authenticateWithAirtable}> onClick={
{t("integration_settings.buttons.authenticate_airtable")} selectedIntegrationType === "googleSheets"
</Button> ? fetchSpreadsheetFiles
: fetchAirtableBases
}
>
{t("integration_settings.buttons.fetch_sheets")}
</Button>
<Button
variant="outlined"
color="error"
onClick={removeIntegration}
>
{t("integration_settings.buttons.remove_integration")}
</Button>
</div>
</> </>
) : ( ) : (
<> <>
{(recording.google_sheet_email || recording.airtable_email) && ( <TextField
<Typography sx={{ margin: "20px 0px 30px 0px" }}> sx={{ marginBottom: "15px" }}
{t("integration_settings.descriptions.authenticated_as", { select
email: recording.google_sheet_email || recording.airtable_email, label={t("integration_settings.fields.select_sheet")}
required
value={
selectedIntegrationType === "googleSheets"
? settings.spreadsheetId
: settings.airtableBaseId
}
onChange={
selectedIntegrationType === "googleSheets"
? handleSpreadsheetSelect
: handleAirtableBaseSelect
}
fullWidth
>
{(selectedIntegrationType === "googleSheets"
? spreadsheets
: airtableBases
).map((item) => (
<MenuItem key={item.id} value={item.id}>
{item.name}
</MenuItem>
))}
</TextField>
{(selectedIntegrationType === "googleSheets"
? settings.spreadsheetId
: settings.airtableBaseId) && (
<Typography sx={{ marginBottom: "10px" }}>
{t("integration_settings.fields.selected_sheet", {
name:
selectedIntegrationType === "googleSheets"
? spreadsheets.find(
(s) => s.id === settings.spreadsheetId
)?.name
: airtableBases.find(
(b) => b.id === settings.airtableBaseId
)?.name,
id:
selectedIntegrationType === "googleSheets"
? settings.spreadsheetId
: settings.airtableBaseId,
})} })}
</Typography> </Typography>
)} )}
{loading ? ( <Button
<CircularProgress sx={{ marginBottom: "15px" }} /> variant="contained"
) : error ? ( color="primary"
<Typography color="error">{error}</Typography> onClick={() => {
) : ( if (selectedIntegrationType === "googleSheets") {
<> updateGoogleSheetId();
{recording.google_sheet_email && ( } else {
<> updateAirtableBaseId();
<TextField }
sx={{ marginBottom: "15px" }} handleStart(settings);
select }}
label={t("integration_settings.fields.select_sheet")} style={{ marginTop: "10px" }}
required disabled={
value={settings.spreadsheetId} !(selectedIntegrationType === "googleSheets"
onChange={handleSpreadsheetSelect} ? settings.spreadsheetId
fullWidth : settings.airtableBaseId) || loading
> }
{spreadsheets.map((sheet) => ( >
<MenuItem key={sheet.id} value={sheet.id}> {t("integration_settings.buttons.submit")}
{sheet.name} </Button>
</MenuItem>
))}
</TextField>
{settings.spreadsheetId && (
<Typography sx={{ marginBottom: "10px" }}>
{t("integration_settings.fields.selected_sheet", {
name: spreadsheets.find((s) => s.id === settings.spreadsheetId)?.name,
id: settings.spreadsheetId,
})}
</Typography>
)}
<Button
variant="contained"
color="primary"
onClick={() => {
updateGoogleSheetId();
handleStart(settings);
}}
style={{ marginTop: "10px" }}
disabled={!settings.spreadsheetId || loading}
>
{t("integration_settings.buttons.submit_google")}
</Button>
</>
)}
{recording.airtable_email && (
<>
<TextField
sx={{ marginBottom: "15px" }}
select
label={t("integration_settings.fields.select_base")}
required
value={settings.airtableBaseId}
onChange={handleAirtableBaseSelect}
fullWidth
>
{airtableBases.map((base) => (
<MenuItem key={base.id} value={base.id}>
{base.name}
</MenuItem>
))}
</TextField>
{settings.airtableBaseId && (
<Typography sx={{ marginBottom: "10px" }}>
{t("integration_settings.fields.selected_base", {
name: airtableBases.find((b) => b.id === settings.airtableBaseId)?.name,
id: settings.airtableBaseId,
})}
</Typography>
)}
<Button
variant="contained"
color="primary"
onClick={() => {
updateAirtableBaseId();
handleStart(settings);
}}
style={{ marginTop: "10px" }}
disabled={!settings.airtableBaseId || loading}
>
{t("integration_settings.buttons.submit_airtable")}
</Button>
</>
)}
</>
)}
</> </>
)} )}
</> </>
@@ -462,4 +570,4 @@ export const modalStyle = {
height: "fit-content", height: "fit-content",
display: "block", display: "block",
padding: "20px", padding: "20px",
}; };