react中自定义上传文件的hook
在React中,你可以创建自定义Hook来处理文件上传的逻辑。自定义Hook允许你将组件逻辑提取到可重用的函数中,这样你就可以在不同的组件之间共享这些逻辑。
以下是一个简单的示例,展示了如何创建一个用于文件上传的自定义Hook :useFileUpload:
            
            
              typescript
              
              
            
          
          import { useState } from 'react';
// useFileUpload Hook
function useFileUpload(uploadApiUrl) {
  const [loading, setLoading] = useState(false);
  const [error, setError] = useState(null);
  const [file, setFile] = useState(null);
  const handleFileChange = (event) => {
    setFile(event.target.files[0]);
  };
  const uploadFile = async () => {
    if (!file) {
      setError('Please select a file to upload.');
      return;
    }
    setLoading(true);
    setError(null);
    const formData = new FormData();
    formData.append('file', file);
    try {
      const response = await fetch(uploadApiUrl, {
        method: 'POST',
        body: formData,
      });
      if (!response.ok) {
        throw new Error('Upload failed');
      }
      const result = await response.json();
      console.log('File uploaded successfully:', result);
    } catch (err) {
      setError(err.message || 'Something went wrong');
    } finally {
      setLoading(false);
    }
  };
  return { file, handleFileChange, uploadFile, loading, error };
}
export default useFileUpload;现在,你可以在任何组件中使用这个useFileUpload Hook来添加文件上传的功能:
            
            
              typescript
              
              
            
          
          import React from 'react';
import useFileUpload from './useFileUpload';
function FileUploadComponent() {
  const { file, handleFileChange, uploadFile, loading, error } = useFileUpload('YOUR_UPLOAD_API_URL');
  return (
    <div>
      <input type="file" onChange={handleFileChange} />
      <button onClick={uploadFile} disabled={loading}>
        Upload
      </button>
      {error && <p>Error: {error}</p>}
      {loading && <p>Loading...</p>}
      {file && <p>File selected: {file.name}</p>}
    </div>
  );
}
export default FileUploadComponent;在这个组件中,我们使用了useFileUpload Hook,并传递了上传API的URL。Hook 提供了以下功能:
- handleFileChange:处理文件选择的输入变化。
- uploadFile:处理文件上传的异步函数。
- loading:表示上传是否正在进行。
- error:在上传过程中捕获的错误。
用户可以选择文件,点击上传按钮,然后文件将被上传到指定的API端点。同时,组件会显示加载状态和可能发生的错误。
请确保根据你的具体需求调整API URL和错误处理逻辑。此外,你可能还需要添加额外的功能,比如文件类型检查、文件大小限制等。