File Upload
File upload component is used to upload multiple files.
The native input file element is quite difficult to style and doesn't provide a drag-n-drop version.
The file upload component doesn't handle the actual file uploading process. It only handles the UI and the state of the file upload.
Features
- Supports a button to open the file dialog.
- Supports drag and drop to upload files.
- Set the maximum number of files that can be uploaded.
- Set the maximum size of the files that can be uploaded.
- Set the accepted file types.
Installation
To use the file upload machine in your project, run the following command in your command line:
npm install @zag-js/file-upload @zag-js/react # or yarn add @zag-js/file-upload @zag-js/react
npm install @zag-js/file-upload @zag-js/solid # or yarn add @zag-js/file-upload @zag-js/solid
npm install @zag-js/file-upload @zag-js/vue # or yarn add @zag-js/file-upload @zag-js/vue
This command will install the framework agnostic file upload logic and the reactive utilities for your framework of choice.
Anatomy
To set up the file upload correctly, you'll need to understand its anatomy and how we name its parts.
Each part includes a
data-part
attribute to help identify them in the DOM.
Usage
First, import the file upload package into your project
import * as fileUpload from "@zag-js/file-upload"
The file upload package exports two key functions:
machine
— The state machine logic for the file upload widget.connect
— The function that translates the machine's state to JSX attributes and event handlers.
Next, import the required hooks and functions for your framework and use the file upload machine in your project 🔥
import * as fileUpload from "@zag-js/file-upload" import { normalizeProps, useMachine } from "@zag-js/react" import { useId } from "react" export function FileUpload() { const [state, send] = useMachine( fileUpload.machine({ id: useId(), }), ) const api = fileUpload.connect(state, send, normalizeProps) return ( <div {...api.getRootProps()}> <div {...api.getDropzoneProps()}> <input {...api.getHiddenInputProps()} /> <span>Drag your file(s) here</span> </div> <button {...api.getTriggerProps()}>Choose file(s)</button> <ul {...api.getItemGroupProps()}> {api.acceptedFiles.map((file) => ( <li key={file.name} {...api.getItemProps({ file })}> <div {...api.getItemNameProps({ file })}>{file.name}</div> <button {...api.getItemDeleteTriggerProps({ file })}>Delete</button> </li> ))} </ul> </div> ) }
import * as fileUpload from "@zag-js/file-upload" import { normalizeProps, useMachine } from "@zag-js/solid" import { createUniqueId, createMemo, Index } from "solid-js" export function FileUpload() { const [state, send] = useMachine( fileUpload.machine({ id: createUniqueId(), }), ) const api = createMemo(() => fileUpload.connect(state, send, normalizeProps)) return ( <div {...api().getRootProps()}> <div {...api().getDropzoneProps()}> <input {...api().getHiddenInputProps()} /> <span>Drag your file(s) here</span> </div> <button {...api().getTriggerProps()}>Choose file(s)</button> <ul {...api().getItemGroupProps()}> <Index each={api().acceptedFiles}> {(file) => ( <li {...api().getItemProps({ file: file() })}> <div {...api().getItemNameProps({ file: file() })}> {file().name} </div> <button {...api().getItemDeleteTriggerProps({ file: file() })}> Delete </button> </li> )} </Index> </ul> </div> ) }
<script setup> import * as fileUpload from "@zag-js/file-upload" import { normalizeProps, useMachine } from "@zag-js/vue" import { computed } from "vue" const [state, send] = useMachine(fileUpload.machine({ id: "1" })) const api = computed(() => fileUpload.connect(state.value, send, normalizeProps), ) </script> <template> <div v-bind="api.getRootProps()"> <div v-bind="api.getDropzoneProps()"> <input v-bind="api.getHiddenInputProps()" /> Drag your files here </div> <button v-bind="api.getTriggerProps()">Choose Files...</button> <ul v-bind="api.getItemGroupProps()"> <li v-for="file in api.acceptedFiles" :key="file.name" v-bind="api.getItemProps({ file })" > <div v-bind="api.getItemNameProps({ file })">{{ file.name }}</div> <button v-bind="api.getItemDeleteTriggerProps({ file })">Delete</button> </li> </ul> </div> </template>
Setting the accepted file types
Use the accept
attribute to set the accepted file types.
const [state, send] = useMachine( fileUpload.machine({ accept: "image/*", }), )
Alternatively, you can provide an object with a MIME type and an array of file extensions.
const [state, send] = useMachine( fileUpload.machine({ accept: { "image/png": [".png"], "text/html": [".html", ".htm"], }, }), )
Setting the maximum number of files
Use the maxFiles
attribute to set the maximum number of files that can be
uploaded. This will set the multiple
attribute on the underlying input
element.
const [state, send] = useMachine( fileUpload.machine({ maxFiles: 5, }), )
Setting the maximum size per file
Use the maxFileSize
attribute to set the maximum size per file that can be
uploaded.
const [state, send] = useMachine( fileUpload.machine({ maxFileSize: 1024 * 1024 * 10, // 10MB }), )
Listening to file changes
When files are uploaded, the onFileChange
callback is invoked with the details
of the accepted and rejected files.
const [state, send] = useMachine( fileUpload.machine({ onFileChange(details) { // details => { acceptedFiles: File[], rejectedFiles: { file: File, errors: [] }[] } console.log(details.acceptedFiles) console.log(details.rejectedFiles) }, }), )
Usage within a form
To use the file upload within a form, set the name
attribute in the machine's
context, and ensure you render the input element api.getHiddenInputProps()
const [state, send] = useMachine( fileUpload.machine({ name: "avatar", }), )
Displaying image preview
To display a preview of the uploaded image, use the built-in FileReader API to
read the file and set the src
attribute of an image element.
const [state, send] = useMachine( fileUpload.machine({ onFileChange(details) { const reader = new FileReader() reader.onload = (event) => { const image = event.target.result // set the image as the src of an image element } reader.readAsDataURL(details.acceptedFiles[0]) }, }), )
Applying custom validation
To apply custom validation, set the validate
attribute to a function that
returns an array of errors.
The returned error must be one of TOO_MANY_FILES
, FILE_INVALID_TYPE
,FILE_TOO_LARGE
, or FILE_TOO_SMALL
const [state, send] = useMachine( fileUpload.machine({ validate(file) { if (file.size > 1024 * 1024 * 10) { return ["FILE_TOO_LARGE"] } return null }, }), )
Disabling drag and drop
To disable the drag and drop functionalty, set the allowDrop
context property
to false
.
const [state, send] = useMachine( fileUpload.machine({ allowDrop: false, }), )
Allowing directory selection
Set the directory
property to true
to enable selecting directories instead
of files.
This maps to the native input webkitdirectory
HTML attribute and allows users
to select directories and their contents.
Please note that support for this feature varies from browser to browser.
const [state, send] = useMachine( fileUpload.machine({ directory: true, }), )
Supporting media capture on mobile devices
Set the capture
property to specify the media capture mechanism to capture
media on the spot. The value can be:
user
for capturing media from the user-facing cameraenvironment
for the outward-facing camera
This behavior only works on mobile devices. On desktop devices, it will open the file system like normal.
const [state, send] = useMachine( fileUpload.machine({ capture: "user", }), )
Pasting files from clipboard
After a user copies an image, to allow pasting the files from the clipboard, you
can listen for the paste event and use the api.setFiles
method to set the
files.
Here's an example of how to do this in React.
function Demo() { const [state, send] = useMachine( fileUpload.machine({ accept: "image/*", }), ) const api = fileUpload.connect(state, send, normalizeProps) return ( <textarea onPaste={(event) => { if (event.clipboardData?.files) { api.setFiles(Array.from(event.clipboardData.files)) } }} /> ) }
Styling guide
Earlier, we mentioned that each file upload part has a data-part
attribute
added to them to select and style them in the DOM.
[data-part="root"] { /* styles for root element*/ } [data-part="dropzone"] { /* styles for root element*/ } [data-part="trigger"] { /* styles for file picker trigger */ } [data-part="label"] { /* styles for the input's label */ }
Dragging State
When the user drags a file over the file upload, the data-dragging
attribute
is added to the root
and dropzone
parts.
[data-part="root"][data-dragging] { /* styles for when the user is dragging a file over the file upload */ } [data-part="dropzone"][data-dragging] { /* styles for when the user is dragging a file over the file upload */ }
Disabled State
When the file upload is disabled, the data-disabled
attribute is added to the
component parts.
[data-part="root"][data-disabled] { /* styles for when the file upload is disabled */ } [data-part="dropzone"][data-disabled] { /* styles for when the file upload is disabled */ } [data-part="trigger"][data-disabled] { /* styles for when the file upload is disabled */ } [data-part="label"][data-disabled] { /* styles for when the file upload is disabled */ }
Methods and Properties
Machine Context
The file upload machine exposes the following context properties:
name
string
The name of the underlying file inputids
Partial<{ root: string; dropzone: string; hiddenInput: string; trigger: string; label: string; item(id: string): string; itemName(id: string): string; itemSizeText(id: string): string; itemPreview(id: string): string; }>
The ids of the elements. Useful for composition.translations
IntlTranslations
The localized messages to use.accept
Record<string, string[]> | FileMimeType[]
The accept file typesdisabled
boolean
Whether the file input is disabledrequired
boolean
Whether the file input is requiredallowDrop
boolean
Whether to allow drag and drop in the dropzone elementmaxFileSize
number
The maximum file size in bytesminFileSize
number
The minimum file size in bytesmaxFiles
number
The maximum number of filesvalidate
(file: File) => FileError[]
Function to validate a fileonFileChange
(details: FileChangeDetails) => void
Function called when the value changes, whether accepted or rejectedonFileAccept
(details: FileAcceptDetails) => void
Function called when the file is acceptedonFileReject
(details: FileRejectDetails) => void
Function called when the file is rejectedcapture
"user" | "environment"
The default camera to use when capturing mediadirectory
boolean
Whether to accept directories, only works in webkit browsersinvalid
boolean
Whether the file input is invalidlocale
string
The current locale. Based on the BCP 47 definition.dir
"ltr" | "rtl"
The document's text/writing direction.id
string
The unique identifier of the machine.getRootNode
() => ShadowRoot | Node | Document
A root node to correctly resolve document in custom environments. E.x.: Iframes, Electron.
Machine API
The file upload api
exposes the following methods:
dragging
boolean
Whether the user is dragging something over the root elementfocused
boolean
Whether the user is focused on the dropzone elementopenFilePicker
() => void
Function to open the file dialogdeleteFile
(file: File) => void
Function to delete the file from the listacceptedFiles
File[]
The accepted files that have been dropped or selectedrejectedFiles
FileRejection[]
The files that have been rejectedsetFiles
(files: File[]) => void
Function to set the valueclearFiles
() => void
Function to clear the valueclearRejectedFiles
() => void
Function to clear the rejected filesgetFileSize
(file: File) => string
Function to format the file size (e.g. 1.2MB)createFileUrl
(file: File, cb: (url: string) => void) => VoidFunction
Function to get the preview url of a file. It returns a function to revoke the url.
Data Attributes
Edit this page on GitHub