DevExtreme v25.2 is now available.

Explore our newest features/capabilities and share your thoughts with us.

Your search did not match any results.

React Form - Smart Paste

The DevExtreme Form ships with AI-powered Smart Paste functionality. When a user copies unstructured text from external sources such as documents, spreadsheets, web pages, or emails, Smart Paste processes clipboard data and populates related form fields automatically.

Backend API
import React, { useCallback, useEffect, useRef, useState } from 'react'; import { AzureOpenAI, type OpenAI } from 'openai'; import { AIIntegration, RequestParams, Response, } from 'devextreme-react/common/ai-integration'; import type { ValidationRule } from 'devextreme-react/common'; import { Button, type ButtonTypes } from 'devextreme-react/button'; import { Form, Item, GroupItem, ButtonItem, FormRef, } from 'devextreme-react/form'; import { TextArea, type TextAreaTypes } from 'devextreme-react/text-area'; import notify from 'devextreme/ui/notify'; import { AzureOpenAIConfig, defaultText } from './data.ts'; type AIMessage = (OpenAI.ChatCompletionUserMessageParam | OpenAI.ChatCompletionSystemMessageParam) & { content: string; }; const stylingMode = 'filled'; const amountDueEditorOptions = { placeholder: '$0.00', stylingMode }; const amountDueAIOptions = { instruction: 'Format as the following: $0.00' }; const statementDueEditorOptions = { placeholder: 'MM/DD/YYYY', stylingMode }; const statementDueAIOptions = { instruction: 'Format as the following: MM/DD/YYYY' }; const textEditorOptions = { stylingMode }; const phoneEditorOptions = { placeholder: '(000) 000-0000', stylingMode }; const phoneAIOptions = { instruction: 'Format as the following: (000) 000-0000' }; const emailValidationRules: ValidationRule[] = [{ type: 'email' }]; const emailAIOptions = { instruction: 'Do not fill this field if the text contains an invalid email address. A valid email is in the following format: email@example.com' }; const zipEditorOptions = { stylingMode, mode: 'text', value: null }; const zipAIOptions = { instruction: 'If the text does not contain a ZIP, determine the ZIP code from the provided address.' }; const resetButtonOptions: ButtonTypes.Properties = { stylingMode: 'outlined', type: 'normal', }; const smartPasteButtonOptions: ButtonTypes.Properties = { stylingMode: 'contained', type: 'default', }; const colCountByScreen = { xs: 2, sm: 2, md: 2, lg: 2, }; const showNotification = (message: string, of: string, isError?: boolean, offset?: string) => { notify({ message, position: { my: 'bottom center', at: 'bottom center', of, offset: offset ?? '0 -50', }, width: 'fit-content', maxWidth: 'fit-content', minWidth: 'fit-content', }, isError ? 'error' : 'info', 1500); }; const aiService = new AzureOpenAI(AzureOpenAIConfig); export async function getAIResponse(messages: AIMessage[], signal: AbortSignal) { const params = { messages, model: AzureOpenAIConfig.deployment, max_tokens: 1000, temperature: 0.7, }; const response = await aiService.chat.completions.create(params, { signal }); const result = response.choices[0].message?.content; return result; } export const aiIntegration = new AIIntegration({ sendRequest({ prompt }: RequestParams): Response { const controller = new AbortController(); const signal = controller.signal; const aiPrompt: AIMessage[] = [ { role: 'system', content: prompt.system }, { role: 'user', content: prompt.user }, ]; const promise = getAIResponse(aiPrompt, signal); promise.catch(() => { showNotification('Something went wrong. Please try again.', '#form', true); }); const result: Response = { promise, abort: () => { controller.abort(); }, }; return result; }, }); const App = () => { const formRef = useRef<FormRef>(null); const [text, setText] = useState(defaultText); const onCopy = useCallback(() => { navigator.clipboard.writeText(text); showNotification('Text copied to clipboard', '#textarea', false, '0 -20'); }, [text]); const shortcutHandler = useCallback((event: KeyboardEvent) => { if (event.ctrlKey && event.shiftKey) { navigator.clipboard.readText() .then((clipboardText) => { if (clipboardText) { formRef.current?.instance().smartPaste(clipboardText); } else { showNotification('Clipboard is empty. Copy text before pasting', '#form'); } }) .catch(() => { showNotification('Could not access the clipboard', '#form'); }); } }, []); useEffect(() => { formRef.current.instance().registerKeyHandler('V', shortcutHandler); }, [shortcutHandler]); const onTextAreaValueChanged = useCallback((e: TextAreaTypes.ValueChangedEvent) => { setText(e.value); }, []); return ( <React.Fragment> <div id="textarea-label" className="instruction"> Copy text from the editor below to the clipboard. Edit the text to see how your changes affect Smart Paste result. </div> <div className="instruction"> Paste text from the clipboard to populate the form. Press Ctrl+Shift+V (when the form is focused) or use the "Smart Paste" button under the form. </div> <div className="textarea-container"> <Button text="Copy Text" icon="copy" stylingMode="contained" type="default" width="fit-content" onClick={onCopy} /> <TextArea id="textarea" inputAttr={{ 'aria-labelledby': 'textarea-label' }} value={text} stylingMode="filled" height="100%" onValueChanged={onTextAreaValueChanged} /> </div> <Form id="form" ref={formRef} labelMode="outside" labelLocation="top" showColonAfterLabel={false} minColWidth={220} aiIntegration={aiIntegration} > <GroupItem colCountByScreen={colCountByScreen} caption="Billing Summary"> <Item dataField="Amount Due" editorType="dxTextBox" editorOptions={amountDueEditorOptions} aiOptions={amountDueAIOptions} /> <Item dataField="Statement Date" editorType="dxDateBox" editorOptions={statementDueEditorOptions} aiOptions={statementDueAIOptions} /> </GroupItem> <GroupItem colCountByScreen={colCountByScreen} caption="Billing Information"> <Item dataField="First Name" editorType="dxTextBox" editorOptions={textEditorOptions} /> <Item dataField="Last Name" editorType="dxTextBox" editorOptions={textEditorOptions} /> <Item dataField="Phone Number" editorType="dxTextBox" editorOptions={phoneEditorOptions} aiOptions={phoneAIOptions} /> <Item dataField="Email" editorType="dxTextBox" editorOptions={textEditorOptions} aiOptions={emailAIOptions} validationRules={emailValidationRules} /> </GroupItem> <GroupItem colCountByScreen={colCountByScreen} caption="Billing Address"> <Item dataField="Street Address" editorType="dxTextBox" editorOptions={textEditorOptions} /> <Item dataField="City" editorType="dxTextBox" editorOptions={textEditorOptions} /> <Item dataField="State/Province/Region" editorType="dxTextBox" editorOptions={textEditorOptions} /> <Item dataField="ZIP" editorType="dxNumberBox" editorOptions={zipEditorOptions} aiOptions={zipAIOptions} /> </GroupItem> <GroupItem cssClass="buttons-group" colCountByScreen={colCountByScreen}> <ButtonItem buttonOptions={smartPasteButtonOptions} name="smartPaste" /> <ButtonItem buttonOptions={resetButtonOptions} name="reset" /> </GroupItem> </Form> </React.Fragment> ); }; export default App;
import React, { useCallback, useEffect, useRef, useState, } from 'react'; import { AzureOpenAI } from 'openai'; import { AIIntegration } from 'devextreme-react/common/ai-integration'; import { Button } from 'devextreme-react/button'; import { Form, Item, GroupItem, ButtonItem, } from 'devextreme-react/form'; import { TextArea } from 'devextreme-react/text-area'; import notify from 'devextreme/ui/notify'; import { AzureOpenAIConfig, defaultText } from './data.js'; const stylingMode = 'filled'; const amountDueEditorOptions = { placeholder: '$0.00', stylingMode }; const amountDueAIOptions = { instruction: 'Format as the following: $0.00' }; const statementDueEditorOptions = { placeholder: 'MM/DD/YYYY', stylingMode }; const statementDueAIOptions = { instruction: 'Format as the following: MM/DD/YYYY' }; const textEditorOptions = { stylingMode }; const phoneEditorOptions = { placeholder: '(000) 000-0000', stylingMode }; const phoneAIOptions = { instruction: 'Format as the following: (000) 000-0000' }; const emailValidationRules = [{ type: 'email' }]; const emailAIOptions = { instruction: 'Do not fill this field if the text contains an invalid email address. A valid email is in the following format: email@example.com', }; const zipEditorOptions = { stylingMode, mode: 'text', value: null }; const zipAIOptions = { instruction: 'If the text does not contain a ZIP, determine the ZIP code from the provided address.', }; const resetButtonOptions = { stylingMode: 'outlined', type: 'normal', }; const smartPasteButtonOptions = { stylingMode: 'contained', type: 'default', }; const colCountByScreen = { xs: 2, sm: 2, md: 2, lg: 2, }; const showNotification = (message, of, isError, offset) => { notify( { message, position: { my: 'bottom center', at: 'bottom center', of, offset: offset ?? '0 -50', }, width: 'fit-content', maxWidth: 'fit-content', minWidth: 'fit-content', }, isError ? 'error' : 'info', 1500, ); }; const aiService = new AzureOpenAI(AzureOpenAIConfig); export async function getAIResponse(messages, signal) { const params = { messages, model: AzureOpenAIConfig.deployment, max_tokens: 1000, temperature: 0.7, }; const response = await aiService.chat.completions.create(params, { signal }); const result = response.choices[0].message?.content; return result; } export const aiIntegration = new AIIntegration({ sendRequest({ prompt }) { const controller = new AbortController(); const signal = controller.signal; const aiPrompt = [ { role: 'system', content: prompt.system }, { role: 'user', content: prompt.user }, ]; const promise = getAIResponse(aiPrompt, signal); promise.catch(() => { showNotification('Something went wrong. Please try again.', '#form', true); }); const result = { promise, abort: () => { controller.abort(); }, }; return result; }, }); const App = () => { const formRef = useRef(null); const [text, setText] = useState(defaultText); const onCopy = useCallback(() => { navigator.clipboard.writeText(text); showNotification('Text copied to clipboard', '#textarea', false, '0 -20'); }, [text]); const shortcutHandler = useCallback((event) => { if (event.ctrlKey && event.shiftKey) { navigator.clipboard .readText() .then((clipboardText) => { if (clipboardText) { formRef.current?.instance().smartPaste(clipboardText); } else { showNotification('Clipboard is empty. Copy text before pasting', '#form'); } }) .catch(() => { showNotification('Could not access the clipboard', '#form'); }); } }, []); useEffect(() => { formRef.current.instance().registerKeyHandler('V', shortcutHandler); }, [shortcutHandler]); const onTextAreaValueChanged = useCallback((e) => { setText(e.value); }, []); return ( <React.Fragment> <div id="textarea-label" className="instruction" > Copy text from the editor below to the clipboard. Edit the text to see how your changes affect Smart Paste result. </div> <div className="instruction"> Paste text from the clipboard to populate the form. Press Ctrl+Shift+V (when the form is focused) or use the "Smart Paste" button under the form. </div> <div className="textarea-container"> <Button text="Copy Text" icon="copy" stylingMode="contained" type="default" width="fit-content" onClick={onCopy} /> <TextArea id="textarea" inputAttr={{ 'aria-labelledby': 'textarea-label' }} value={text} stylingMode="filled" height="100%" onValueChanged={onTextAreaValueChanged} /> </div> <Form id="form" ref={formRef} labelMode="outside" labelLocation="top" showColonAfterLabel={false} minColWidth={220} aiIntegration={aiIntegration} > <GroupItem colCountByScreen={colCountByScreen} caption="Billing Summary" > <Item dataField="Amount Due" editorType="dxTextBox" editorOptions={amountDueEditorOptions} aiOptions={amountDueAIOptions} /> <Item dataField="Statement Date" editorType="dxDateBox" editorOptions={statementDueEditorOptions} aiOptions={statementDueAIOptions} /> </GroupItem> <GroupItem colCountByScreen={colCountByScreen} caption="Billing Information" > <Item dataField="First Name" editorType="dxTextBox" editorOptions={textEditorOptions} /> <Item dataField="Last Name" editorType="dxTextBox" editorOptions={textEditorOptions} /> <Item dataField="Phone Number" editorType="dxTextBox" editorOptions={phoneEditorOptions} aiOptions={phoneAIOptions} /> <Item dataField="Email" editorType="dxTextBox" editorOptions={textEditorOptions} aiOptions={emailAIOptions} validationRules={emailValidationRules} /> </GroupItem> <GroupItem colCountByScreen={colCountByScreen} caption="Billing Address" > <Item dataField="Street Address" editorType="dxTextBox" editorOptions={textEditorOptions} /> <Item dataField="City" editorType="dxTextBox" editorOptions={textEditorOptions} /> <Item dataField="State/Province/Region" editorType="dxTextBox" editorOptions={textEditorOptions} /> <Item dataField="ZIP" editorType="dxNumberBox" editorOptions={zipEditorOptions} aiOptions={zipAIOptions} /> </GroupItem> <GroupItem cssClass="buttons-group" colCountByScreen={colCountByScreen} > <ButtonItem buttonOptions={smartPasteButtonOptions} name="smartPaste" /> <ButtonItem buttonOptions={resetButtonOptions} name="reset" /> </GroupItem> </Form> </React.Fragment> ); }; export default App;
import React from 'react'; import ReactDOM from 'react-dom'; import App from './App.tsx'; ReactDOM.render( <App />, document.getElementById('app'), );
export const AzureOpenAIConfig = { dangerouslyAllowBrowser: true, deployment: 'gpt-4o-mini', apiVersion: '2024-02-01', endpoint: 'https://public-api.devexpress.com/demo-openai', apiKey: 'DEMO', }; export const defaultText = `Payment: Amount - $123.00 Statement Date: 10/15/2024 Name: John Smith Contact: (123) 456-7890 Email: john@myemail.com Address: - 123 Elm St Apt 4B - New York, NY 10001 `;
window.exports = window.exports || {}; window.config = { transpiler: 'ts', typescriptOptions: { module: 'system', emitDecoratorMetadata: true, experimentalDecorators: true, jsx: 'react', }, meta: { 'react': { 'esModule': true, }, 'typescript': { 'exports': 'ts', }, 'devextreme/time_zone_utils.js': { 'esModule': true, }, 'devextreme/localization.js': { 'esModule': true, }, 'devextreme/viz/palette.js': { 'esModule': true, }, 'openai': { 'esModule': true, }, }, paths: { 'npm:': 'https://cdn.jsdelivr.net/npm/', 'bundles:': '../../../../bundles/', 'externals:': '../../../../bundles/externals/', }, defaultExtension: 'js', map: { 'ts': 'npm:plugin-typescript@8.0.0/lib/plugin.js', 'typescript': 'npm:typescript@4.2.4/lib/typescript.js', 'jszip': 'npm:jszip@3.10.1/dist/jszip.min.js', 'react': 'npm:react@17.0.2/umd/react.development.js', 'react-dom': 'npm:react-dom@17.0.2/umd/react-dom.development.js', 'prop-types': 'npm:prop-types/prop-types.js', 'rrule': 'npm:rrule@2.6.4/dist/es5/rrule.js', 'luxon': 'npm:luxon@3.4.4/build/global/luxon.min.js', 'es6-object-assign': 'npm:es6-object-assign', 'devextreme': 'npm:devextreme@link:../../packages/devextreme/artifacts/npm/devextreme/cjs', 'devextreme-react': 'npm:devextreme-react@link:../../packages/devextreme-react/npm/cjs', 'openai': 'externals:openai.bundle.js', 'devextreme-quill': 'npm:devextreme-quill@1.7.7/dist/dx-quill.min.js', 'devexpress-diagram': 'npm:devexpress-diagram@2.2.24/dist/dx-diagram.js', 'devexpress-gantt': 'npm:devexpress-gantt@4.1.64/dist/dx-gantt.js', 'inferno': 'npm:inferno@8.2.3/dist/inferno.min.js', 'inferno-compat': 'npm:inferno-compat/dist/inferno-compat.min.js', 'inferno-create-element': 'npm:inferno-create-element@8.2.3/dist/inferno-create-element.min.js', 'inferno-dom': 'npm:inferno-dom/dist/inferno-dom.min.js', 'inferno-hydrate': 'npm:inferno-hydrate/dist/inferno-hydrate.min.js', 'inferno-clone-vnode': 'npm:inferno-clone-vnode/dist/inferno-clone-vnode.min.js', 'inferno-create-class': 'npm:inferno-create-class/dist/inferno-create-class.min.js', 'inferno-extras': 'npm:inferno-extras/dist/inferno-extras.min.js', '@preact/signals-core': 'npm:@preact/signals-core@1.8.0/dist/signals-core.min.js', 'devextreme-cldr-data': 'npm:devextreme-cldr-data@1.0.3', // SystemJS plugins 'plugin-babel': 'npm:systemjs-plugin-babel@0.0.25/plugin-babel.js', 'systemjs-babel-build': 'npm:systemjs-plugin-babel@0.0.25/systemjs-babel-browser.js', // Prettier 'prettier/standalone': 'npm:prettier@2.8.8/standalone.js', 'prettier/parser-html': 'npm:prettier@2.8.8/parser-html.js', }, packages: { 'devextreme': { defaultExtension: 'js', }, 'devextreme-react': { main: 'index.js', }, 'devextreme-react/common': { main: 'index.js', }, 'devextreme/events/utils': { main: 'index', }, 'devextreme/common/core/events/utils': { main: 'index', }, 'devextreme/localization/messages': { format: 'json', defaultExtension: 'json', }, 'devextreme/events': { main: 'index', }, 'es6-object-assign': { main: './index.js', defaultExtension: 'js', }, }, packageConfigPaths: [ 'npm:@devextreme/*/package.json', ], babelOptions: { sourceMaps: false, stage0: true, react: true, }, }; window.process = { env: { NODE_ENV: 'production', }, }; System.config(window.config); // eslint-disable-next-line const useTgzInCSB = ['openai']; let packagesInfo = { "openai": { "version": "4.73.1" } };
import React from 'react'; import ReactDOM from 'react-dom'; import App from './App.js'; ReactDOM.render(<App />, document.getElementById('app'));
export const AzureOpenAIConfig = { dangerouslyAllowBrowser: true, deployment: 'gpt-4o-mini', apiVersion: '2024-02-01', endpoint: 'https://public-api.devexpress.com/demo-openai', apiKey: 'DEMO', }; export const defaultText = `Payment: Amount - $123.00 Statement Date: 10/15/2024 Name: John Smith Contact: (123) 456-7890 Email: john@myemail.com Address: - 123 Elm St Apt 4B - New York, NY 10001 `;
<!DOCTYPE html> <html lang="en"> <head> <title>DevExtreme Demo</title> <meta http-equiv="X-UA-Compatible" content="IE=edge" /> <meta http-equiv="Content-Type" content="text/html; charset=utf-8" /> <meta name="viewport" content="width=device-width, initial-scale=1.0, maximum-scale=5.0" /> <link rel="stylesheet" type="text/css" href="https://cdn3.devexpress.com/jslib/25.2.3/css/dx.light.css" /> <link rel="stylesheet" type="text/css" href="https://maxcdn.bootstrapcdn.com/font-awesome/4.6.3/css/font-awesome.min.css" /> <link rel="stylesheet" type="text/css" href="styles.css" /> <script src="https://cdn.jsdelivr.net/npm/core-js@2.6.12/client/shim.min.js"></script> <script src="https://cdn.jsdelivr.net/npm/systemjs@0.21.3/dist/system.js"></script> <script type="text/javascript" src="config.js"></script> <script type="text/javascript"> System.import("./index.tsx"); </script> </head> <body class="dx-viewport"> <div class="demo-container"> <div id="app"></div> </div> </body> </html>
#app { display: grid; grid-template-columns: 1fr 2fr; grid-template-rows: auto auto; gap: 24px 40px; min-width: 720px; max-width: 900px; margin: auto; } .instruction { color: var(--dx-texteditor-color-label); } .textarea-container { display: flex; flex-direction: column; gap: 16px; } .dx-layout-manager .dx-field-item.dx-last-row { padding-top: 4px; } .dx-toast-info .dx-toast-icon { display: none; } .buttons-group { display: flex; width: 100%; justify-content: end; } .buttons-group .dx-item-content { gap: 8px; } .buttons-group .dx-field-item:not(.dx-first-col), .buttons-group .dx-field-item:not(.dx-last-col) { padding: 0; } .buttons-group .dx-item { flex: unset !important; }

Use the following APIs to activate Smart Paste in our Form component:

  • aiIntegration - accepts an AIIntegration object that contains AI Service settings.
  • 'smartPaste' – adds a built-in Smart Paste button to the Form (see name for additional information). To use this capability in code, call the smartPaste(text) method. This sample leverages this method and implements a custom shortcut to activate Smart Paste.

Configure each Form item using aiOptions:

  • disabled - prevents AI-generated text from being pasted into this item.
  • instruction - specifies item instruction for the AI service.