You are viewing a plain text version of this content. The canonical link for it is here.
Posted to notifications@apisix.apache.org by GitBox <gi...@apache.org> on 2022/06/24 01:23:50 UTC

[GitHub] [apisix-dashboard] LiteSun commented on a diff in pull request #2480: feat: support data loader in frontend

LiteSun commented on code in PR #2480:
URL: https://github.com/apache/apisix-dashboard/pull/2480#discussion_r905629184


##########
web/src/pages/Route/components/DataLoader/Import.tsx:
##########
@@ -0,0 +1,262 @@
+/*
+ * Licensed to the Apache Software Foundation (ASF) under one or more
+ * contributor license agreements.  See the NOTICE file distributed with
+ * this work for additional information regarding copyright ownership.
+ * The ASF licenses this file to You under the Apache License, Version 2.0
+ * (the "License"); you may not use this file except in compliance with
+ * the License.  You may obtain a copy of the License at
+ *
+ *     http://www.apache.org/licenses/LICENSE-2.0
+ *
+ * Unless required by applicable law or agreed to in writing, software
+ * distributed under the License is distributed on an "AS IS" BASIS,
+ * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+ * See the License for the specific language governing permissions and
+ * limitations under the License.
+ */
+import React, { useState } from 'react';
+import {
+  Button,
+  Col,
+  Collapse,
+  Divider,
+  Drawer,
+  Form,
+  Input,
+  notification,
+  Result,
+  Row,
+  Select,
+  Space,
+  Upload,
+} from 'antd';
+import { UploadOutlined } from '@ant-design/icons';
+import { useIntl } from '@@/plugin-locale/localeExports';
+import OpenAPI3 from './loader/OpenAPI3';
+import type { RcFile } from 'antd/lib/upload';
+import { importRoutes } from '@/pages/Route/service';
+
+type Props = {
+  onClose?: () => void;
+  onFinish?: () => void;
+};
+
+type ImportType = 'openapi3' | 'openapi_legacy';
+type ImportState = 'import' | 'result';
+type ImportResult = {
+  success: boolean;
+  data: Record<
+    string,
+    {
+      total: number;
+      failed: number;
+      errors: string[];
+    }
+  >;
+};
+
+const entityNames = [
+  'route',
+  'upstream',
+  'service',
+  'consumer',
+  'ssl',
+  'stream_route',
+  'global_rule',
+  'plugin_config',
+  'proto',
+];
+
+const Option: React.FC<{
+  type: ImportType;
+}> = ({ type }) => {
+  switch (type) {
+    case 'openapi_legacy':
+      return <></>;
+    case 'openapi3':
+    default:
+      return <OpenAPI3 />;
+  }
+};
+
+const DataLoaderImport: React.FC<Props> = (props) => {
+  const [form] = Form.useForm();
+  const { formatMessage } = useIntl();
+  const { onClose } = props;
+  const [importType, setImportType] = useState<ImportType>('openapi3');
+  const [uploadFileList, setUploadFileList] = useState<RcFile[]>([]);
+  const [state, setState] = useState<ImportState>('import');
+  const [importResult, setImportResult] = useState<ImportResult>({
+    success: true,
+    data: {},
+  });
+
+  const onFinish = (values: Record<string, string>) => {
+    const formData = new FormData();
+    if (!uploadFileList[0]) {
+      notification.warn({
+        message: formatMessage({ id: 'page.route.button.selectFile' }),
+      });
+      return;
+    }
+    Object.keys(values).forEach((key) => {
+      formData.append(key, values[key]);
+    });
+    formData.append('file', uploadFileList[0]);
+
+    importRoutes(formData).then((r) => {
+      let errorNumber = 0;
+      entityNames.forEach((v) => {
+        errorNumber += r.data[v].failed;
+      });
+
+      setImportResult({
+        success: errorNumber <= 0,
+        data: r.data,
+      });
+      setState('result');
+    });
+  };
+
+  return (
+    <>

Review Comment:
   ```suggestion
   ```



##########
web/src/pages/Route/components/DataLoader/loader/OpenAPI3.tsx:
##########
@@ -0,0 +1,40 @@
+/*
+ * Licensed to the Apache Software Foundation (ASF) under one or more
+ * contributor license agreements.  See the NOTICE file distributed with
+ * this work for additional information regarding copyright ownership.
+ * The ASF licenses this file to You under the Apache License, Version 2.0
+ * (the "License"); you may not use this file except in compliance with
+ * the License.  You may obtain a copy of the License at
+ *
+ *     http://www.apache.org/licenses/LICENSE-2.0
+ *
+ * Unless required by applicable law or agreed to in writing, software
+ * distributed under the License is distributed on an "AS IS" BASIS,
+ * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+ * See the License for the specific language governing permissions and
+ * limitations under the License.
+ */
+import React from 'react';
+import { Col, Form, Row, Switch } from 'antd';
+import { useIntl } from '@@/plugin-locale/localeExports';
+
+const DataLoaderOpenAPI3: React.FC = () => {
+  const { formatMessage } = useIntl();
+
+  return (
+    <Row gutter={16}>
+      <Col span={12}>
+        <Form.Item
+          name="merge_method"
+          label={formatMessage({ id: 'page.route.data_loader.labels.openapi3_merge_method' })}
+          tooltip={formatMessage({ id: 'page.route.data_loader.tips.openapi3_merge_method' })}
+          initialValue={true}
+        >
+          <Switch defaultChecked />
+        </Form.Item>
+      </Col>
+    </Row>
+  );
+};
+
+export default DataLoaderOpenAPI3;

Review Comment:
   ditto.



##########
web/src/pages/Route/components/DataLoader/Import.tsx:
##########
@@ -0,0 +1,262 @@
+/*
+ * Licensed to the Apache Software Foundation (ASF) under one or more
+ * contributor license agreements.  See the NOTICE file distributed with
+ * this work for additional information regarding copyright ownership.
+ * The ASF licenses this file to You under the Apache License, Version 2.0
+ * (the "License"); you may not use this file except in compliance with
+ * the License.  You may obtain a copy of the License at
+ *
+ *     http://www.apache.org/licenses/LICENSE-2.0
+ *
+ * Unless required by applicable law or agreed to in writing, software
+ * distributed under the License is distributed on an "AS IS" BASIS,
+ * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+ * See the License for the specific language governing permissions and
+ * limitations under the License.
+ */
+import React, { useState } from 'react';
+import {
+  Button,
+  Col,
+  Collapse,
+  Divider,
+  Drawer,
+  Form,
+  Input,
+  notification,
+  Result,
+  Row,
+  Select,
+  Space,
+  Upload,
+} from 'antd';
+import { UploadOutlined } from '@ant-design/icons';
+import { useIntl } from '@@/plugin-locale/localeExports';
+import OpenAPI3 from './loader/OpenAPI3';
+import type { RcFile } from 'antd/lib/upload';
+import { importRoutes } from '@/pages/Route/service';
+
+type Props = {
+  onClose?: () => void;
+  onFinish?: () => void;
+};
+
+type ImportType = 'openapi3' | 'openapi_legacy';
+type ImportState = 'import' | 'result';
+type ImportResult = {
+  success: boolean;
+  data: Record<
+    string,
+    {
+      total: number;
+      failed: number;
+      errors: string[];
+    }
+  >;
+};
+
+const entityNames = [
+  'route',
+  'upstream',
+  'service',
+  'consumer',
+  'ssl',
+  'stream_route',
+  'global_rule',
+  'plugin_config',
+  'proto',
+];
+
+const Option: React.FC<{
+  type: ImportType;
+}> = ({ type }) => {
+  switch (type) {
+    case 'openapi_legacy':
+      return <></>;
+    case 'openapi3':
+    default:
+      return <OpenAPI3 />;
+  }
+};
+
+const DataLoaderImport: React.FC<Props> = (props) => {
+  const [form] = Form.useForm();
+  const { formatMessage } = useIntl();
+  const { onClose } = props;
+  const [importType, setImportType] = useState<ImportType>('openapi3');
+  const [uploadFileList, setUploadFileList] = useState<RcFile[]>([]);
+  const [state, setState] = useState<ImportState>('import');
+  const [importResult, setImportResult] = useState<ImportResult>({
+    success: true,
+    data: {},
+  });
+
+  const onFinish = (values: Record<string, string>) => {
+    const formData = new FormData();
+    if (!uploadFileList[0]) {
+      notification.warn({
+        message: formatMessage({ id: 'page.route.button.selectFile' }),
+      });
+      return;
+    }
+    Object.keys(values).forEach((key) => {
+      formData.append(key, values[key]);
+    });
+    formData.append('file', uploadFileList[0]);
+
+    importRoutes(formData).then((r) => {
+      let errorNumber = 0;
+      entityNames.forEach((v) => {
+        errorNumber += r.data[v].failed;
+      });
+
+      setImportResult({
+        success: errorNumber <= 0,
+        data: r.data,
+      });
+      setState('result');
+    });
+  };
+
+  return (
+    <>
+      <Drawer
+        title={formatMessage({ id: 'page.route.data_loader.import_panel' })}
+        width={480}
+        visible={true}
+        onClose={onClose}
+        footer={
+          <div
+            style={{
+              display: state === 'result' ? 'none' : 'flex',
+              justifyContent: 'space-between',
+            }}
+          >
+            <Button onClick={onClose}>{formatMessage({ id: 'component.global.cancel' })}</Button>
+            <Space>
+              <Button
+                type="primary"
+                onClick={() => {
+                  form.submit();
+                }}
+              >
+                {formatMessage({ id: 'component.global.submit' })}
+              </Button>
+            </Space>
+          </div>
+        }
+      >
+        {state === 'import' && (
+          <Form layout="vertical" form={form} onFinish={onFinish} hideRequiredMark>
+            <Row gutter={16}>
+              <Col span={12}>
+                <Form.Item
+                  name="type"
+                  label={formatMessage({ id: 'page.route.data_loader.labels.loader_type' })}
+                  rules={[
+                    {
+                      required: true,
+                      message: formatMessage({ id: 'page.route.data_loader.tips.select_type' }),
+                    },
+                  ]}
+                  initialValue={importType}
+                >
+                  <Select onChange={(value: ImportType) => setImportType(value)}>
+                    <Select.Option value="openapi3">
+                      {formatMessage({ id: 'page.route.data_loader.types.openapi3' })}
+                    </Select.Option>
+                    <Select.Option value="openapi_legacy" disabled>
+                      {formatMessage({ id: 'page.route.data_loader.types.openapi_legacy' })}
+                    </Select.Option>
+                  </Select>
+                </Form.Item>
+              </Col>
+              <Col span={12}>
+                <Form.Item
+                  name="task_name"
+                  label={formatMessage({ id: 'page.route.data_loader.labels.task_name' })}
+                  rules={[
+                    {
+                      required: true,
+                      message: formatMessage({ id: 'page.route.data_loader.tips.input_task_name' }),
+                    },
+                  ]}
+                >
+                  <Input
+                    placeholder={formatMessage({
+                      id: 'page.route.data_loader.tips.input_task_name',
+                    })}
+                  />
+                </Form.Item>
+              </Col>
+            </Row>
+            <Option type={importType}></Option>
+            <Divider />
+            <Row gutter={16}>
+              <Col span={24}>
+                <Form.Item label={formatMessage({ id: 'page.route.data_loader.labels.upload' })}>
+                  <Upload
+                    fileList={uploadFileList as any}
+                    beforeUpload={(file) => {
+                      setUploadFileList([file]);
+                      return false;
+                    }}
+                    onRemove={() => {
+                      setUploadFileList([]);
+                    }}
+                  >
+                    <Button icon={<UploadOutlined />}>
+                      {formatMessage({ id: 'page.route.data_loader.tips.click_upload' })}
+                    </Button>
+                  </Upload>
+                </Form.Item>
+              </Col>
+            </Row>
+          </Form>
+        )}
+        {state === 'result' && (
+          <Result
+            status={importResult.success ? 'success' : 'error'}
+            title={`${formatMessage({ id: 'page.route.data_loader.import' })} ${
+              importResult.success
+                ? formatMessage({ id: 'component.status.success' })
+                : formatMessage({ id: 'component.status.fail' })
+            }`}
+            extra={[
+              <Button
+                type="primary"
+                onClick={() => {
+                  setState('import');
+                  onClose?.();
+                  if (props.onFinish) props.onFinish();
+                }}
+              >
+                {formatMessage({ id: 'menu.close' })}
+              </Button>,
+            ]}
+          >
+            <Collapse>
+              {entityNames.map((v) => {
+                if (importResult.data[v] && importResult.data[v].total > 0) {
+                  return (
+                    <Collapse.Panel
+                      collapsible={importResult.data[v].failed > 0 ? 'header' : 'disabled'}
+                      header={`Total ${importResult.data[v].total} ${v} imported, ${importResult.data[v].failed} failed`}
+                      key={v}
+                    >
+                      {importResult.data[v].errors &&
+                        importResult.data[v].errors.map((err) => <p>{err}</p>)}
+                    </Collapse.Panel>
+                  );
+                }
+                return null;
+              })}
+            </Collapse>
+          </Result>
+        )}
+      </Drawer>
+    </>
+  );
+};
+
+export default DataLoaderImport;

Review Comment:
   ```suggestion
   export default memo(DataLoaderImport);
   ```
   This way could reduce component rerender times.



##########
web/src/pages/Route/locales/tr-TR.ts:
##########
@@ -183,18 +184,34 @@ export default {
   'page.route.fields.service_id.without-upstream':
     'Hizmeti bağlamazsanız, Yukarı Akışı ayarlamanız gerekir (Adım 2)',
   'page.route.advanced-match.tooltip':
-  'İstek üstbilgileri, istek parametreleri ve tanımlama bilgileri aracılığıyla rota eşleştirmeyi destekler ve gri tonlamalı yayınlama ve mavi-yeşil test gibi senaryolara uygulanabilir.',
+    'İstek üstbilgileri, istek parametreleri ve tanımlama bilgileri aracılığıyla rota eşleştirmeyi destekler ve gri tonlamalı yayınlama ve mavi-yeşil test gibi senaryolara uygulanabilir.',
   'page.route.advanced-match.message': 'İpuçları',
-  'page.route.advanced-match.tips.requestParameter': 'İstek Parametresi:İstek URLsinin sorgulanması',
+  'page.route.advanced-match.tips.requestParameter':
+    'İstek Parametresi:İstek URLsinin sorgulanması',
   'page.route.advanced-match.tips.postRequestParameter':
-  'POST İstek Parametresi:Yalnızca x-www-form-urlencoding formunu destekler',
+    'POST İstek Parametresi:Yalnızca x-www-form-urlencoding formunu destekler',
   'page.route.advanced-match.tips.builtinParameter':
     'Yerleşik Parametre: Nginx dahili parametreleri destekler',
 
   'page.route.fields.custom.redirectOption.tooltip': 'Bu yönlendirme eklentisi ile ilgilidir',
-  'page.route.fields.service_id.tooltip': 'Yapılandırmalarını yeniden kullanmak için Hizmet nesnesini bağlayın.',
+  'page.route.fields.service_id.tooltip':
+    'Yapılandırmalarını yeniden kullanmak için Hizmet nesnesini bağlayın.',
 
   'page.route.fields.vars.invalid': 'Lütfen gelişmiş eşleşme koşulu yapılandırmasını kontrol edin',
   'page.route.fields.vars.in.invalid':
     'IN operatörünü kullanırken parametre değerlerini dizi formatında girin.',
+
+  'page.route.data_loader.import': 'Import',

Review Comment:
   why use English here, will it update in the future?



##########
web/src/pages/Route/components/DataLoader/Import.tsx:
##########
@@ -0,0 +1,262 @@
+/*
+ * Licensed to the Apache Software Foundation (ASF) under one or more
+ * contributor license agreements.  See the NOTICE file distributed with
+ * this work for additional information regarding copyright ownership.
+ * The ASF licenses this file to You under the Apache License, Version 2.0
+ * (the "License"); you may not use this file except in compliance with
+ * the License.  You may obtain a copy of the License at
+ *
+ *     http://www.apache.org/licenses/LICENSE-2.0
+ *
+ * Unless required by applicable law or agreed to in writing, software
+ * distributed under the License is distributed on an "AS IS" BASIS,
+ * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+ * See the License for the specific language governing permissions and
+ * limitations under the License.
+ */
+import React, { useState } from 'react';
+import {
+  Button,
+  Col,
+  Collapse,
+  Divider,
+  Drawer,
+  Form,
+  Input,
+  notification,
+  Result,
+  Row,
+  Select,
+  Space,
+  Upload,
+} from 'antd';
+import { UploadOutlined } from '@ant-design/icons';
+import { useIntl } from '@@/plugin-locale/localeExports';
+import OpenAPI3 from './loader/OpenAPI3';
+import type { RcFile } from 'antd/lib/upload';
+import { importRoutes } from '@/pages/Route/service';
+
+type Props = {
+  onClose?: () => void;
+  onFinish?: () => void;
+};
+
+type ImportType = 'openapi3' | 'openapi_legacy';
+type ImportState = 'import' | 'result';
+type ImportResult = {
+  success: boolean;
+  data: Record<
+    string,
+    {
+      total: number;
+      failed: number;
+      errors: string[];
+    }
+  >;
+};
+
+const entityNames = [
+  'route',
+  'upstream',
+  'service',
+  'consumer',
+  'ssl',
+  'stream_route',
+  'global_rule',
+  'plugin_config',
+  'proto',
+];
+
+const Option: React.FC<{
+  type: ImportType;
+}> = ({ type }) => {
+  switch (type) {
+    case 'openapi_legacy':
+      return <></>;
+    case 'openapi3':
+    default:
+      return <OpenAPI3 />;
+  }
+};
+
+const DataLoaderImport: React.FC<Props> = (props) => {
+  const [form] = Form.useForm();
+  const { formatMessage } = useIntl();
+  const { onClose } = props;
+  const [importType, setImportType] = useState<ImportType>('openapi3');
+  const [uploadFileList, setUploadFileList] = useState<RcFile[]>([]);
+  const [state, setState] = useState<ImportState>('import');
+  const [importResult, setImportResult] = useState<ImportResult>({
+    success: true,
+    data: {},
+  });
+
+  const onFinish = (values: Record<string, string>) => {
+    const formData = new FormData();
+    if (!uploadFileList[0]) {
+      notification.warn({
+        message: formatMessage({ id: 'page.route.button.selectFile' }),
+      });
+      return;
+    }
+    Object.keys(values).forEach((key) => {
+      formData.append(key, values[key]);
+    });
+    formData.append('file', uploadFileList[0]);
+
+    importRoutes(formData).then((r) => {

Review Comment:
   don't need to handle request error cases?



##########
web/src/pages/Route/components/DataLoader/Import.tsx:
##########
@@ -0,0 +1,262 @@
+/*
+ * Licensed to the Apache Software Foundation (ASF) under one or more
+ * contributor license agreements.  See the NOTICE file distributed with
+ * this work for additional information regarding copyright ownership.
+ * The ASF licenses this file to You under the Apache License, Version 2.0
+ * (the "License"); you may not use this file except in compliance with
+ * the License.  You may obtain a copy of the License at
+ *
+ *     http://www.apache.org/licenses/LICENSE-2.0
+ *
+ * Unless required by applicable law or agreed to in writing, software
+ * distributed under the License is distributed on an "AS IS" BASIS,
+ * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+ * See the License for the specific language governing permissions and
+ * limitations under the License.
+ */
+import React, { useState } from 'react';
+import {
+  Button,
+  Col,
+  Collapse,
+  Divider,
+  Drawer,
+  Form,
+  Input,
+  notification,
+  Result,
+  Row,
+  Select,
+  Space,
+  Upload,
+} from 'antd';
+import { UploadOutlined } from '@ant-design/icons';
+import { useIntl } from '@@/plugin-locale/localeExports';
+import OpenAPI3 from './loader/OpenAPI3';
+import type { RcFile } from 'antd/lib/upload';
+import { importRoutes } from '@/pages/Route/service';
+
+type Props = {
+  onClose?: () => void;
+  onFinish?: () => void;
+};
+
+type ImportType = 'openapi3' | 'openapi_legacy';
+type ImportState = 'import' | 'result';
+type ImportResult = {
+  success: boolean;
+  data: Record<
+    string,
+    {
+      total: number;
+      failed: number;
+      errors: string[];
+    }
+  >;
+};
+
+const entityNames = [
+  'route',
+  'upstream',
+  'service',
+  'consumer',
+  'ssl',
+  'stream_route',
+  'global_rule',
+  'plugin_config',
+  'proto',
+];
+
+const Option: React.FC<{
+  type: ImportType;
+}> = ({ type }) => {
+  switch (type) {
+    case 'openapi_legacy':
+      return <></>;
+    case 'openapi3':
+    default:
+      return <OpenAPI3 />;
+  }
+};
+
+const DataLoaderImport: React.FC<Props> = (props) => {
+  const [form] = Form.useForm();
+  const { formatMessage } = useIntl();
+  const { onClose } = props;
+  const [importType, setImportType] = useState<ImportType>('openapi3');
+  const [uploadFileList, setUploadFileList] = useState<RcFile[]>([]);
+  const [state, setState] = useState<ImportState>('import');
+  const [importResult, setImportResult] = useState<ImportResult>({
+    success: true,
+    data: {},
+  });
+
+  const onFinish = (values: Record<string, string>) => {
+    const formData = new FormData();
+    if (!uploadFileList[0]) {
+      notification.warn({
+        message: formatMessage({ id: 'page.route.button.selectFile' }),
+      });
+      return;
+    }
+    Object.keys(values).forEach((key) => {
+      formData.append(key, values[key]);
+    });
+    formData.append('file', uploadFileList[0]);
+
+    importRoutes(formData).then((r) => {
+      let errorNumber = 0;
+      entityNames.forEach((v) => {
+        errorNumber += r.data[v].failed;
+      });
+
+      setImportResult({
+        success: errorNumber <= 0,
+        data: r.data,
+      });
+      setState('result');
+    });
+  };
+
+  return (
+    <>
+      <Drawer
+        title={formatMessage({ id: 'page.route.data_loader.import_panel' })}
+        width={480}
+        visible={true}
+        onClose={onClose}
+        footer={
+          <div
+            style={{
+              display: state === 'result' ? 'none' : 'flex',
+              justifyContent: 'space-between',
+            }}
+          >
+            <Button onClick={onClose}>{formatMessage({ id: 'component.global.cancel' })}</Button>
+            <Space>
+              <Button
+                type="primary"
+                onClick={() => {
+                  form.submit();
+                }}
+              >
+                {formatMessage({ id: 'component.global.submit' })}
+              </Button>
+            </Space>
+          </div>
+        }
+      >
+        {state === 'import' && (
+          <Form layout="vertical" form={form} onFinish={onFinish} hideRequiredMark>
+            <Row gutter={16}>
+              <Col span={12}>
+                <Form.Item
+                  name="type"
+                  label={formatMessage({ id: 'page.route.data_loader.labels.loader_type' })}
+                  rules={[
+                    {
+                      required: true,
+                      message: formatMessage({ id: 'page.route.data_loader.tips.select_type' }),
+                    },
+                  ]}
+                  initialValue={importType}
+                >
+                  <Select onChange={(value: ImportType) => setImportType(value)}>
+                    <Select.Option value="openapi3">
+                      {formatMessage({ id: 'page.route.data_loader.types.openapi3' })}
+                    </Select.Option>
+                    <Select.Option value="openapi_legacy" disabled>
+                      {formatMessage({ id: 'page.route.data_loader.types.openapi_legacy' })}
+                    </Select.Option>
+                  </Select>
+                </Form.Item>
+              </Col>
+              <Col span={12}>
+                <Form.Item
+                  name="task_name"
+                  label={formatMessage({ id: 'page.route.data_loader.labels.task_name' })}
+                  rules={[
+                    {
+                      required: true,
+                      message: formatMessage({ id: 'page.route.data_loader.tips.input_task_name' }),
+                    },
+                  ]}
+                >
+                  <Input
+                    placeholder={formatMessage({
+                      id: 'page.route.data_loader.tips.input_task_name',
+                    })}
+                  />
+                </Form.Item>
+              </Col>
+            </Row>
+            <Option type={importType}></Option>
+            <Divider />
+            <Row gutter={16}>
+              <Col span={24}>
+                <Form.Item label={formatMessage({ id: 'page.route.data_loader.labels.upload' })}>
+                  <Upload
+                    fileList={uploadFileList as any}
+                    beforeUpload={(file) => {
+                      setUploadFileList([file]);
+                      return false;
+                    }}
+                    onRemove={() => {
+                      setUploadFileList([]);
+                    }}
+                  >
+                    <Button icon={<UploadOutlined />}>
+                      {formatMessage({ id: 'page.route.data_loader.tips.click_upload' })}
+                    </Button>
+                  </Upload>
+                </Form.Item>
+              </Col>
+            </Row>
+          </Form>
+        )}
+        {state === 'result' && (
+          <Result
+            status={importResult.success ? 'success' : 'error'}
+            title={`${formatMessage({ id: 'page.route.data_loader.import' })} ${
+              importResult.success
+                ? formatMessage({ id: 'component.status.success' })
+                : formatMessage({ id: 'component.status.fail' })
+            }`}
+            extra={[
+              <Button
+                type="primary"
+                onClick={() => {
+                  setState('import');
+                  onClose?.();
+                  if (props.onFinish) props.onFinish();
+                }}
+              >
+                {formatMessage({ id: 'menu.close' })}
+              </Button>,
+            ]}
+          >
+            <Collapse>
+              {entityNames.map((v) => {
+                if (importResult.data[v] && importResult.data[v].total > 0) {
+                  return (
+                    <Collapse.Panel
+                      collapsible={importResult.data[v].failed > 0 ? 'header' : 'disabled'}
+                      header={`Total ${importResult.data[v].total} ${v} imported, ${importResult.data[v].failed} failed`}
+                      key={v}
+                    >
+                      {importResult.data[v].errors &&
+                        importResult.data[v].errors.map((err) => <p>{err}</p>)}
+                    </Collapse.Panel>
+                  );
+                }
+                return null;
+              })}
+            </Collapse>
+          </Result>
+        )}
+      </Drawer>
+    </>

Review Comment:
   ```suggestion
   ```



-- 
This is an automated message from the Apache Git Service.
To respond to the message, please log on to GitHub and use the
URL above to go to the specific comment.

To unsubscribe, e-mail: notifications-unsubscribe@apisix.apache.org

For queries about this service, please contact Infrastructure at:
users@infra.apache.org