- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我有以下用例:
用户想要切换配置文件是否处于事件状态。
配置:Next.js,动物区系数据库, react 钩子(Hook)形式
我使用 useState 来更改切换的状态,并使用 react-hook-forms 将其他值发送到我的 Fauna 数据库和切换的状态。我希望切换具有来自数据库的状态,当用户切换它并按下提交按钮时,我想更改数据库中的状态。
当我切换它时,我似乎无法将正确的状态发送回数据库。
主要组件:
export default function Component() {
const [status, setStatus] = useState(
userData?.profileStatus ? userData.profileStatus : false
);
const defaultValues = {
profileStatus: status ? userData?.profileStatus : false
};
const { register, handleSubmit } = useForm({ defaultValues });
const handleUpdateUser = async (data) => {
const {
profileStatus
} = data;
try {
await fetch('/api/updateProfile', {
method: 'PUT',
body: JSON.stringify({
profileStatus
}),
headers: {
'Content-Type': 'application/json'
}
});
alert(`submitted data: ${JSON.stringify(data)}`);
} catch (err) {
console.error(err);
}
};
return (
<div>
<form onSubmit={handleSubmit(handleUpdateUser)}>
<Toggle status={status} setStatus={setStatus} />
<button type="submit">
Save
</button>
</form>
</div>
)
}
切换组件:
import { Switch } from '@headlessui/react';
function classNames(...classes) {
return classes.filter(Boolean).join(' ');
}
export default function Toggle({status , setStatus}) {
return (
<Switch.Group as="div" className="flex items-center justify-between">
<span className="flex-grow flex flex-col">
<Switch.Label
as="span"
className="text-sm font-medium text-gray-900"
passive
>
Profilstatus
</Switch.Label>
<Switch.Description as="span" className="text-sm text-gray-500 w-44">
Her sætter du om din profil skal være aktiv eller inaktiv.
</Switch.Description>
</span>
<Switch
checked={status}
onChange={setStatus}
className={classNames(
status ? 'bg-blue-600' : 'bg-gray-200',
'relative inline-flex flex-shrink-0 h-6 w-11 border-2 border-transparent rounded-full cursor-pointer transition-colors ease-in-out duration-200 focus:outline-none focus:ring-2 focus:ring-offset-2 focus:ring-blue-500'
)}
>
<span
aria-hidden="true"
className={classNames(
status ? 'translate-x-5' : 'translate-x-0',
'pointer-events-none inline-block h-5 w-5 rounded-full bg-white shadow transform ring-0 transition ease-in-out duration-200'
)}
/>
</Switch>
</Switch.Group>
);
}
updateProfile.js
import { updateProfileInfo } from '@/utils/Fauna';
import { getSession } from 'next-auth/react';
export default async (req, res) => {
const session = await getSession({ req });
if (!session) return res.status(401);
const userId = session.user.id;
if (req.method !== 'PUT') {
return res.status(405).json({ msg: 'Method not allowed' });
}
const {
profileStatus,
image,
about,
preferences,
socialmedia
} = req.body;
try {
const updated = await updateProfileInfo(
userId,
profileStatus,
image,
about,
preferences,
socialmedia
);
return res.status(200).json(updated);
} catch (err) {
console.error(err);
res.status(500).json({ msg: 'Something went wrong.' });
}
res.end();
};
Fauna.js
const updateProfileInfo = async (
userId,
profileStatus,
image,
about,
preferences,
socialmedia
) => {
return await faunaClient.query(
q.Update(q.Ref(q.Collection('users'), userId), {
data: {
profileStatus,
image,
about,
preferences,
socialmedia
}
})
);
};
module.exports = {
updateProfileInfo
}
你们能看出我做错了什么吗?
最佳答案
我制作了一个小沙盒来演示如何使用 react-hook-form
来实现您的用例。 .
它不起作用的原因是,您从未更新 react-hook-form
切换开关时的内部状态,您只需更新您的 useState
.所以当你调用handleUpdateUser
作为参数传递的数据是您通过 defaultValues
设置的初始数据.
其实不用useState
在这里,你可以使用 react-hook-form
的内部表单状态。为此,您必须使用 <Controller />
组件 react-hook-form
提供为 <Switch />
来自 Headless UI 的组件 @headlessui/react
是一个不暴露 ref
的外部控制组件实际 <input />
的 Prop 元素(<Switch />
使用 <button />
而不是 <input />
元素)。您可以找到更多信息here .
这样你也可以让你的<Toggle />
通过提供 value
更通用的重用和 onChange
Prop 而不是status
和 setStatus
.当然,您也可以使用这些名称。 <Controller />
将提供 value
和 onChange
支持field
我在 <Toggle />
上传播的对象组件。
在您的示例中,不清楚您的 <Component />
组件将收到初始 userData
.我假设你会提出一个 api 请求,所以我把它放在 useEffect
中.要在 api 调用完成后更新表单状态,您必须使用 reset
方法react-hook-form
提供。如果只渲染 <Component />
当userData
已加载,您可以省略此步骤,只需将结果传递给 defaultValues
至useForm
.
我用一个简单的 Promise 模拟了 api 调用,但你应该明白了。
Component.js
import { useEffect } from "react";
import { Controller, useForm } from "react-hook-form";
import Toggle from "./Toggle";
// Server Mock
let databaseState = {
profileStatus: true
};
const getUserData = () => Promise.resolve(databaseState);
const updateUserData = (newState) => {
databaseState = newState;
return Promise.resolve(newState);
};
function Component() {
const { control, reset, handleSubmit } = useForm({
defaultValues: { profileStatus: false }
});
useEffect(() => {
const loadData = async () => {
const result = await getUserData();
reset(result);
};
loadData();
}, [reset]);
const handleUpdateUser = async (data) => {
try {
const result = await updateUserData(data);
console.log(result);
} catch (err) {
console.error(err);
}
};
return (
<div>
<form onSubmit={handleSubmit(handleUpdateUser)}>
<Controller
control={control}
name="profileStatus"
render={({ field: { ref, ...field } }) => <Toggle {...field} />}
/>
<button type="submit">Save</button>
</form>
</div>
);
}
Toggle.js
import { Switch } from "@headlessui/react";
function classNames(...classes) {
return classes.filter(Boolean).join(" ");
}
export default function Toggle({ value, onChange }) {
return (
<Switch.Group as="div" className="flex items-center justify-between">
<span className="flex-grow flex flex-col">
<Switch.Label
as="span"
className="text-sm font-medium text-gray-900"
passive
>
Profilstatus
</Switch.Label>
<Switch.Description as="span" className="text-sm text-gray-500 w-44">
Her sætter du om din profil skal være aktiv eller inaktiv.
</Switch.Description>
</span>
<Switch
checked={value}
onChange={onChange}
className={classNames(
value ? "bg-blue-600" : "bg-gray-200",
"relative inline-flex flex-shrink-0 h-6 w-11 border-2 border-transparent rounded-full cursor-pointer transition-colors ease-in-out duration-200 focus:outline-none focus:ring-2 focus:ring-offset-2 focus:ring-blue-500"
)}
>
<span
aria-hidden="true"
className={classNames(
value ? "translate-x-5" : "translate-x-0",
"pointer-events-none inline-block h-5 w-5 rounded-full bg-white shadow transform ring-0 transition ease-in-out duration-200"
)}
/>
</Switch>
</Switch.Group>
);
}
关于reactjs - react-hook-form 和 useState (切换),我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/71199112/
我的设置.py: LANGUAGE_CODE = 'de' TIME_ZONE = require_env("TIME_ZONE_IDENTIFIER") USE_I18N = True USE_L1
谁能给我解释一下 Django 的 forms.Form 和 forms.ModelForm 的相同点和不同点? 最佳答案 从 forms.Form 创建的表单由您手动配置。您最好将这些用于不直接与模
我在用 angularjs 构建的表单上遇到此错误。 `错误:[$compile:multidir] 多个指令 [form, form] 请求 'form' Controller :
我是 Spring 的新手,在尝试显示表单错误时遇到了一些麻烦。 我有以下表格: User Name:
我希望在提交表单时找出 spring:bind 和 form:form 标记库之间的区别。 我的 JSP 片段如下: ....
类型‘AbstractControl’上不存在属性‘Controls’。
有一个问题与此非常相似,但我想以不同的方式提出。 我是一个非常自定的人,但有时我确实喜欢走捷径。就这样吧。 我确实发现这两个类非常相似,尽管其中一个“帮助”程序员更快地编写代码或减少代码/重复代码。将
我在控制台中收到此错误。 “表单提交已取消,因为表单未连接” 自从我们将应用程序迁移到更新版本的 React 后,尝试将我的 redux-form 从 v5 迁移到 v6 之后。 我不确定这里出了什么
我想要的是一个表单,在提交时运行验证检查,并突出显示所有无效字段并添加工具提示。 我正在有效地寻找这样的东西: dojo.forEach(dijit.byId('myForm')._invalidWi
我需要设置symfony2表单元素的值。 我在 Controller 操作中使用了doctrine2实体, Symfony\Component\Form\AbstractType 和createFor
这是用于将数据提交到自定义列表的自定义 Editform.aspx。用户完成表单后,他应该能够点击按钮甚至“确定”按钮,并让 sharepoint 将表单数据提交到列表,然后重定向到项目显示表单 (d
我想知道在 spring 标签中编写所有表单是否是一种好习惯,或者我可以将 spring 表单标签与 html 表单标签混合使用吗? 最佳答案 当您需要 Spring 表单提供的功能时使用它们: 绑定
我正在构建动态表单并希望“即时”添加表单组。 这是我的代码,几乎可以工作: import {Component, OnInit} from '@angular/core'; import {FormG
表格 Form.Load 有什么区别? , Form.Shown和 Form.Activated事件?他们被解雇的顺序是什么? 最佳答案 参见 Windows Forms Events Lifecyc
我正在使用具有路线跟踪功能的 Xamarin Forms 开发一些应用程序。尽管我正在使用 AppCenter,即在 App.xaml.cs OnStart 我添加 protected asy
我正在实现一个 gameboy 模拟器,就像我之前的许多人一样。 我正在尝试实现 PPU 并为此使用代表屏幕的类。 // needed because VS can't find it as depe
我是 Orbeon Form 新手,想使用它。不过,我尝试过 Orbeon Form 网站上的 Form 示例,并用泰语输入了一些数据。是的,可以在“泰语”字段中输入数据。但是当我尝试生成“PDF”时
那么让表单一遍又一遍有效地呈现相同表单的最佳方法是什么,并根据实体的属性值有条件地禁用字段? 我有一个发票实体,需要一个用于创建发票的表单,以及在发票流程的各个阶段(生成、发送、支付等)禁用各个字段的
因此,我一直在与我的同事(开发人员和设计人员)就 Web 表单的自动填充工具进行亲切的辩论。这是一个重要的开发问题,因为它会影响表单的构建方式。 问)自动填充工具(例如 Google 工具栏或 Chr
那么让表单一遍又一遍有效地呈现相同表单的最佳方法是什么,并根据实体的属性值有条件地禁用字段? 我有一个发票实体,需要一个用于创建发票的表单,以及在发票流程的各个阶段(生成、发送、支付等)禁用各个字段的
我是一名优秀的程序员,十分优秀!