Last active
June 5, 2025 09:50
-
-
Save Sutil/5285f2e5a912dcf14fc23393dac97fed to your computer and use it in GitHub Desktop.
Shandcn UI Money Mask Input - NextJS.
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
"use client"; | |
import { zodResolver } from "@hookform/resolvers/zod"; | |
import { useForm } from "react-hook-form"; | |
import MoneyInput from "src/components/custom/money-input"; | |
import { Button } from "src/components/ui/button"; | |
import { Form } from "src/components/ui/form"; | |
import * as z from "zod"; | |
const schema = z.object({ | |
value: z.coerce.number().min(0.01, "Required"), | |
}); | |
export default function PlanForm() { | |
const form = useForm<z.infer<typeof schema>>({ | |
resolver: zodResolver(schema), | |
defaultValues: { | |
value: 0, | |
}, | |
mode: "onTouched", | |
}); | |
function onSubmit(values: z.infer<typeof schema>) { | |
// handle submit | |
} | |
return ( | |
<Form {...form}> | |
<form | |
className="flex flex-col gap-8" | |
onSubmit={form.handleSubmit(onSubmit)} | |
> | |
<MoneyInput | |
form={form} | |
label="Valor" | |
name="value" | |
placeholder="Valor do plano" | |
/> | |
<Button type="submit" disabled={!form.formState.isValid}> | |
Submit | |
</Button> | |
</form> | |
</Form> | |
); | |
} |
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
"use client"; | |
import { useReducer } from "react"; | |
import { | |
FormControl, | |
FormField, | |
FormItem, | |
FormLabel, | |
FormMessage, | |
} from "../ui/form"; // Shadcn UI import | |
import { Input } from "../ui/input"; // Shandcn UI Input | |
import { UseFormReturn } from "react-hook-form"; | |
type TextInputProps = { | |
form: UseFormReturn<any>; | |
name: string; | |
label: string; | |
placeholder: string; | |
}; | |
// Brazilian currency config | |
const moneyFormatter = Intl.NumberFormat("pt-BR", { | |
currency: "BRL", | |
currencyDisplay: "symbol", | |
currencySign: "standard", | |
style: "currency", | |
minimumFractionDigits: 2, | |
maximumFractionDigits: 2, | |
}); | |
export default function MoneyInput(props: TextInputProps) { | |
const initialValue = props.form.getValues()[props.name] | |
? moneyFormatter.format(props.form.getValues()[props.name]) | |
: ""; | |
const [value, setValue] = useReducer((_: any, next: string) => { | |
const digits = next.replace(/\D/g, ""); | |
return moneyFormatter.format(Number(digits) / 100); | |
}, initialValue); | |
function handleChange(realChangeFn: Function, formattedValue: string) { | |
const digits = formattedValue.replace(/\D/g, ""); | |
const realValue = Number(digits) / 100; | |
realChangeFn(realValue); | |
} | |
return ( | |
<FormField | |
control={props.form.control} | |
name={props.name} | |
render={({ field }) => { | |
field.value = value; | |
const _change = field.onChange; | |
return ( | |
<FormItem> | |
<FormLabel>{props.label}</FormLabel> | |
<FormControl> | |
<Input | |
placeholder={props.placeholder} | |
type="text" | |
{...field} | |
onChange={(ev) => { | |
setValue(ev.target.value); | |
handleChange(_change, ev.target.value); | |
}} | |
value={value} | |
/> | |
</FormControl> | |
<FormMessage /> | |
</FormItem> | |
); | |
}} | |
/> | |
); | |
} |
Based on the examples here, I did it this way using the formContext, with stronger typing and validation to prevent the field from showing R$ 0.00 when empty, displaying the placeholder instead. It works with reset()
import { useEffect, useReducer } from "react";
import { FieldValues, Path, useFormContext } from "react-hook-form";
import {
FormControl,
FormField,
FormItem,
FormLabel,
FormMessage,
} from "../ui/form";
import { Input, InputProps } from "../ui/input";
export type InputCurrencyProps<T extends FieldValues> = InputProps & {
name: Path<T>;
label?: string;
};
const toCurrency = (value: number) =>
new Intl.NumberFormat("pt-BR", {
currency: "BRL",
style: "currency",
minimumFractionDigits: 2,
maximumFractionDigits: 2,
}).format(value);
function InputCurrency<T extends FieldValues>({
name,
label,
...props
}: InputCurrencyProps<T>) {
const { watch, control } = useFormContext();
const formValue = watch(name);
const [value, setValue] = useReducer((_: string, next: string) => {
if (!next) return "";
const numericValue = Number(next.replace(/\D/g, "")) / 100;
return numericValue ? toCurrency(numericValue) : "";
}, "");
useEffect(() => {
setValue(formValue ? toCurrency(formValue) : "");
}, [formValue]);
return (
<FormField
control={control}
name={name}
render={({ field }) => (
<FormItem>
{label && <FormLabel>{label}</FormLabel>}
<FormControl>
<Input
id={name}
type="text"
{...props}
{...field}
onChange={(ev) => {
const inputValue = ev.target.value;
setValue(inputValue);
const numericValue =
Number(inputValue.replace(/\D/g, "")) / 100;
field.onChange(numericValue || 0);
}}
value={value}
/>
</FormControl>
<FormMessage />
</FormItem>
)}
/>
);
}
export default InputCurrency;
Adding my two cents: I suggest using the currency type in the input field for better usability:
import { cn } from "@/lib/utils";
import * as React from "react";
type InputType = React.HTMLInputTypeAttribute | "currency";
export interface InputProps extends React.InputHTMLAttributes<HTMLInputElement> {
currencyFormat?: Intl.NumberFormat;
type?: InputType;
}
const defaultCurrencyFormat = new Intl.NumberFormat("pt-BR", {
style: "currency",
currency: "BRL",
minimumFractionDigits: 2,
maximumFractionDigits: 2,
});
const Input = React.forwardRef<HTMLInputElement, InputProps>(
({ className, type = "text", currencyFormat, onChange, onFocus, ...props }, ref) => {
const isCurrency = type === "currency";
const inputType = isCurrency ? "text" : type;
const formatCurrency = (value: number) => {
return (currencyFormat ?? defaultCurrencyFormat).format(value);
};
const handleFocus = (e: React.FocusEvent<HTMLInputElement>) => {
if (isCurrency) {
const target = e.currentTarget;
target.setSelectionRange(target.value.length, target.value.length);
}
onFocus?.(e);
};
const handleChange = (e: React.ChangeEvent<HTMLInputElement>) => {
if (isCurrency) {
const target = e.currentTarget;
const numericValue = Number(target.value.replace(/\D/g, "")) / 100;
target.value = formatCurrency(numericValue);
}
onChange?.(e);
};
return (
<input
type={inputType}
className={cn(
"flex h-10 w-full rounded-md border border-input bg-background px-3 py-2 text-sm",
"ring-offset-background file:border-0 file:bg-transparent file:text-sm",
"file:font-medium file:text-foreground placeholder:text-muted-foreground",
"focus-visible:outline-none focus-visible:ring-2 focus-visible:ring-ring",
"focus-visible:ring-offset-2 disabled:cursor-not-allowed disabled:opacity-50",
isCurrency && "text-end",
className,
)}
maxLength={isCurrency ? 22 : undefined}
onFocus={handleFocus}
onChange={handleChange}
ref={ref}
{...props}
/>
);
},
);
Input.displayName = "Input";
export { Input };
usage:
<FormField
control={form.control}
name="balance"
render={({ field }) => (
<FormItem className="grid grid-cols-4 items-center gap-4 space-y-0">
<FormLabel className="text-right">Balance</FormLabel>
<FormControl>
<Input type="currency" {...field} className="col-span-3" />
</FormControl>
<FormMessage />
</FormItem>
)}
/>
Who is using react-native can do
<Controller
name="price"
control={control}
render={({ field }) => (
<Input
ref={field.ref}
onChangeText={(text) => {
const digits = text.replace(/\D/g, '');
const realValue = Number(digits) / 100;
field.onChange(realValue);
}}
value={moneyFormatter.format(field.value)}
keyboardType="numeric"
placeholder="R$ 50"
className="border-gray-200/20 bg-white-100 p-5 max-w-40"
/>
)}
/>
How would this work for negative values also?
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment
Valeu pessoal ajudou a dar um norte, vou deixar meu código aqui caso ajude mais alguém.