背景
最近看豆包的时候,发现他的代码写AI编程模块 如下
借助的是
contentEditable
来实现的,操作比较友好,可以随意输入可编辑数据,有类似于 placeholder
等属性
如果我们开发大模型,免不了东西借鉴一下,下面基于react 来封装 一个 使用contentEditable
来实现的可编辑区域组件
实现重点
- 开启
contentEditable
后 如何模拟placeholder
- 如何判断何时展示
placeholder
何时展示真实内容 - 调整优化以及受控组件封装
代码如下
js
import React, { useState, useRef, useEffect } from 'react'
interface ContentEditablePromptProps {
placeholder?: string
className?: string
value?: string
onChange?: (value: string) => void
}
const ContentEditablePrompt: React.FC<ContentEditablePromptProps> = ({
placeholder = '请输入',
className = '',
value = '',
onChange
}) => {
const contentEditableRef = useRef<HTMLDivElement>(null)
const [isEmpty, setIsEmpty] = useState(true)
const [internalValue, setInternalValue] = useState(value)
// 更新内容并处理空状态
const updateContent = (newValue: string) => {
if (!contentEditableRef.current) return
// 更新内部状态
setInternalValue(newValue)
// 调用父组件的onChange回调
if (onChange) {
onChange(newValue)
}
// 更新空状态
const isNowEmpty = newValue.trim() === ''
setIsEmpty(isNowEmpty)
// 处理空状态下的placeholder显示
if (contentEditableRef.current) {
if (isNowEmpty && contentEditableRef.current.innerHTML === '<br>') {
contentEditableRef.current.innerHTML = ''
}
}
}
// 处理输入事件
const handleInput = () => {
if (!contentEditableRef.current) return
updateContent(contentEditableRef.current.textContent || '')
}
// 处理失去焦点事件
const handleBlur = () => {
if (!contentEditableRef.current) return
// 规范化内容
const newValue = contentEditableRef.current.textContent || ''
updateContent(newValue)
// 确保DOM内容与内部状态一致
if (contentEditableRef.current.textContent !== internalValue) {
contentEditableRef.current.textContent = internalValue
}
}
// 初始化内容和响应外部value变化
useEffect(() => {
if (!contentEditableRef.current) return
// 只有当外部value与内部值不同时才更新
if (value !== internalValue) {
setInternalValue(value)
contentEditableRef.current.textContent = value
setIsEmpty(value.trim() === '')
}
}, [value])
return (
<div
ref={contentEditableRef}
className={`p-2 px-3 w-fit rounded-2xl flex items-center ${
isEmpty
? 'after:content-[attr(data-placeholder)] after:tracking-[1px] bg-[#EEF6FF] font-bold text-[#007DFA] word-spacing-2'
: 'bg-[#EEF6FF] font-bold text-[#007DFA] word-spacing-2'
} ${className}`}
contentEditable
data-placeholder={placeholder}
onInput={handleInput}
onBlur={handleBlur}
suppressContentEditableWarning
/>
)
}
export default ContentEditablePrompt
使用如下:
js
<EditableArea placeholder='预设提取项' value='' onChange={onChangeValue}></EditableArea>
结束

