Data is not being dispatched in Next.js 14 with server actions and Hook Form

I have some problem with creating an object in Next.js 14. When I click a button with type=”submit” then nothing is going on. My problem is that I want to first upload the image to the cloudinary and then retrieve URL of that image to sent it to the database. Maybe I’m doing something wrong. Please help me.

createObject.action.ts

"use server";
import { auth } from "@/lib/auth";
import { db } from "@/lib/db";
import { FormSchema } from "@/app/become-a-host/components/HostForm.schema";

const createObject = async (rawData: any) => {
  try {
    const data = rawData;

    const session = await auth();

    if (!session?.user?.email) {
      throw new Error("User not authenticated");
    }

    const newObject = await db.object.create({
      data: {
        country: data.object.country,
        city: data.object.city,
        street: data.object.street,
        name: data.object.name,
        description: data.object.description,
        numberOfBedrooms: data.object.numberOfBedrooms,
        postalCode: data.object.postalCode,
        houseNumber: data.object.houseNumber,
        apartmentNumber: data.object.apartmentNumber,
        minimumStay: data.object.minimumStay,
        maximumStay: data.object.maximumStay,
        maxPeople: data.object.maxPeople,
        prices: {
          create: data.calendar.prices.map((price: { year: any; month: any; dailyRate: any; }) => ({
            year: price.year,
            month: price.month,
            dailyRate: price.dailyRate,
          })),
        },
        facilities: {
          create: data.facility.map((facility: { name: any; }) => ({
            name: facility.name,
          })),
        },
        images: {
          create: {
            description: data.image.description,
            isMain: data.image.isMain,
            urls: data.image.urls,
          },
        },
        calendar: {
          create: {
            checkInTime: data.calendar.checkInTime,
            checkOutTime: data.calendar.checkOutTime,
          },
        },
      },
    });

    return newObject;
  } catch (error) {
    console.error("Error creating object:", error);
    return null;
  }
};

export default createObject;

HostStepper.tsx

"use client";
import React, { useEffect, useState } from "react";
import { useForm, Controller } from "react-hook-form";
import { zodResolver } from "@hookform/resolvers/zod";
import { z } from "zod";
import { Button } from "@/components/ui/button";
import {
  Form,
  FormControl,
  FormField,
  FormItem,
  FormLabel,
  FormMessage,
} from "@/components/ui/form";
import { Input } from "@/components/ui/input";
import { toast } from "@/components/ui/use-toast";
import { FormSchema } from "./HostForm.schema";
import { Checkbox, Select, Space } from "antd";
import axios from "axios";
import { UploadFile } from "antd";
import getFacilities from "@/lib/actions/host/getFacilities";
import { ComboboxDemo } from "@/components/ui/combobox";
import Uploader from "@/components/ui/uploader";
import { countries } from "@/lib/consts";
import { Textarea } from "@/components/ui/textarea";
import createObject from "@/lib/actions/host/createObject";

const HostStepper = () => {
  const [steps, setSteps] = useState(0);
  const [facilities, setFacilities] = useState<
    { value: string; label: string }[]
  >([]);
  const [isSubmitting, setIsSubmitting] = useState(false);
  const form = useForm<z.infer<typeof FormSchema>>({
    resolver: zodResolver(FormSchema),
    defaultValues: {
      object: {
        country: "",
        city: "",
        street: "",
        name: "",
        description: "",
        numberOfBedrooms: "",
        postalCode: "",
        houseNumber: "",
        apartmentNumber: "",
        minimumStay: "",
        maximumStay: "",
        maxPeople: "",
      },
      facility: [],
      calendar: {
        checkInTime: "",
        checkOutTime: "",
        prices: [],
      },
      image: {
        description: "",
        isMain: false,
        urls: [],
      },
    },
  });

  useEffect(() => {
    const fetchFacilities = async () => {
      const facilitiesData = await getFacilities();
      if (facilitiesData) {
        setFacilities(facilitiesData);
      }
    };
    fetchFacilities();
  }, []);

  const handleFilesChange = async (newFiles: UploadFile[]) => {
    const uploadedUrls: string[] = [];
    for (const file of newFiles) {
      const formData = new FormData();
      formData.append("file", file.originFileObj as Blob);
      formData.append("upload_preset", "restly"); // Replace with your upload preset

      try {
        const response = await axios.post(
          "https://api.cloudinary.com/v1_1/dev6yhoh3/image/upload", // Replace with your Cloudinary URL
          formData
        );
        uploadedUrls.push(response.data.secure_url);
      } catch (error) {
        console.error("Error uploading file:", error);
        throw error;
      }
    }
    // Set the uploaded URLs in the form state
    form.setValue("image.urls", uploadedUrls);
  };

  const onSubmit = async (data: z.infer<typeof FormSchema>) => {
    setIsSubmitting(true);

    try {
      const formData = { ...data };

      // Check if all facilities have names
      if (formData.facility.some((facility) => !facility.name)) {
        throw new Error("All facilities must have names.");
      }

      toast({
        title: "You submitted the following values:",
        description: (
          <pre className="mt-2 w-[340px] rounded-md bg-slate-950 p-4">
            <code className="text-white">
              {JSON.stringify(formData, null, 2)}
            </code>
          </pre>
        ),
      });
      console.log("FormData: ", formData);
      await createObject(formData);
      toast({ title: "Object created successfully" });
    } catch (error) {
      toast({
        title: "Error",
        description:
          (error as Error).message ||
          "Failed to upload files. Please try again.",
      });
    } finally {
      setIsSubmitting(false);
    }
  };

  const currentMonth = new Date().getMonth();

  return (
    <div className="bg-white w-full max-w-[500px] rounded-xl shadow-xl">
      <Form {...form}>
        <form onSubmit={form.handleSubmit(onSubmit)}>
          {steps === 0 && (
            <div className="p-8 gap-2 flex flex-col">
              <h2 className="text-lg font-bold">Location</h2>

              <FormItem className="flex flex-col">
                <FormLabel>Country</FormLabel>
                <FormControl>
                  <Controller
                    control={form.control}
                    name="object.country"
                    render={({ field }) => (
                      <ComboboxDemo
                        items={countries}
                        value={field.value}
                        onChange={field.onChange}
                        searchPlaceholder="country"
                        selectPlaceholder="country"
                        className="w-full"
                      />
                    )}
                  />
                </FormControl>
                <FormMessage />
              </FormItem>
              <FormField
                control={form.control}
                name="object.city"
                render={({ field }) => (
                  <FormItem>
                    <FormLabel>City</FormLabel>
                    <FormControl>
                      <Input {...field} />
                    </FormControl>
                    <FormMessage />
                  </FormItem>
                )}
              />
              <FormField
                control={form.control}
                name="object.street"
                render={({ field }) => (
                  <FormItem>
                    <FormLabel>Street</FormLabel>
                    <FormControl>
                      <Input {...field} />
                    </FormControl>
                    <FormMessage />
                  </FormItem>
                )}
              />
              <FormField
                control={form.control}
                name="object.postalCode"
                render={({ field }) => (
                  <FormItem>
                    <FormLabel>Postal Code</FormLabel>
                    <FormControl>
                      <Input {...field} />
                    </FormControl>
                    <FormMessage />
                  </FormItem>
                )}
              />
              <FormField
                control={form.control}
                name="object.houseNumber"
                render={({ field }) => (
                  <FormItem>
                    <FormLabel>House Number</FormLabel>
                    <FormControl>
                      <Input {...field} />
                    </FormControl>
                    <FormMessage />
                  </FormItem>
                )}
              />
              <FormField
                control={form.control}
                name="object.apartmentNumber"
                render={({ field }) => (
                  <FormItem>
                    <FormLabel>Apartment Number</FormLabel>
                    <FormControl>
                      <Input {...field} />
                    </FormControl>
                    <FormMessage />
                  </FormItem>
                )}
              />
              <div className="w-full flex justify-end flex-row">
                <Button
                  onClick={async () => {
                    const isValid = await form.trigger([
                      "object.country",
                      "object.city",
                      "object.street",
                      "object.postalCode",
                      "object.houseNumber",
                      "object.apartmentNumber",
                    ]);
                    if (isValid) {
                      setSteps(steps + 1);
                    }
                  }}
                  className="mt-4 text-center max-w-[320px]">
                  Next step
                </Button>
              </div>
            </div>
          )}
          {steps === 1 && (
            <div className="p-8 gap-2 flex flex-col">
              <h2 className="text-lg font-bold">Details</h2>

              <FormField
                control={form.control}
                name="object.name"
                render={({ field }) => (
                  <FormItem>
                    <FormLabel>Name</FormLabel>
                    <FormControl>
                      <Input {...field} />
                    </FormControl>
                    <FormMessage />
                  </FormItem>
                )}
              />
              <FormField
                control={form.control}
                name="object.description"
                render={({ field }) => (
                  <FormItem>
                    <FormLabel>Description</FormLabel>
                    <FormControl>
                      <Textarea {...field} />
                    </FormControl>
                    <FormMessage />
                  </FormItem>
                )}
              />
              <FormField
                control={form.control}
                name="object.numberOfBedrooms"
                render={({ field }) => (
                  <FormItem>
                    <FormLabel>Number of Bedrooms</FormLabel>
                    <FormControl>
                      <Input type="number" {...field} />
                    </FormControl>
                    <FormMessage />
                  </FormItem>
                )}
              />
              <FormField
                control={form.control}
                name="object.minimumStay"
                render={({ field }) => (
                  <FormItem>
                    <FormLabel>Minimum Stay Duration</FormLabel>
                    <FormControl>
                      <Input type="number" {...field} />
                    </FormControl>
                    <FormMessage />
                  </FormItem>
                )}
              />
              <FormField
                control={form.control}
                name="object.maximumStay"
                render={({ field }) => (
                  <FormItem>
                    <FormLabel>Maximum Stay Duration</FormLabel>
                    <FormControl>
                      <Input type="number" {...field} />
                    </FormControl>
                    <FormMessage />
                  </FormItem>
                )}
              />
              <FormField
                control={form.control}
                name="object.maxPeople"
                render={({ field }) => (
                  <FormItem>
                    <FormLabel>Maximum Number of People</FormLabel>
                    <FormControl>
                      <Input type="number" {...field} />
                    </FormControl>
                    <FormMessage />
                  </FormItem>
                )}
              />
              <div className="w-full flex justify-between flex-row">
                <Button
                  onClick={() => setSteps(steps - 1)}
                  className="mt-4 text-center max-w-[320px]">
                  Prev step
                </Button>
                <Button
                  onClick={async () => {
                    const isValid = await form.trigger([
                      "object.name",
                      "object.description",
                      "object.numberOfBedrooms",
                      "object.minimumStay",
                      "object.maximumStay",
                      "object.maxPeople",
                    ]);
                    if (isValid) {
                      setSteps(steps + 1);
                    }
                  }}
                  className="mt-4 text-center max-w-[320px]">
                  Next step
                </Button>
              </div>
            </div>
          )}
          {steps === 2 && (
            <div className="shadow-lg rounded-xl p-8">
              <h2 className="text-lg font-bold">Calendar</h2>

              <FormField
                control={form.control}
                name="calendar.checkInTime"
                render={({ field }) => (
                  <FormItem>
                    <FormLabel>Check-in Time</FormLabel>
                    <FormControl>
                      <Input type="time" {...field} />
                    </FormControl>
                    <FormMessage />
                  </FormItem>
                )}
              />
              <FormField
                control={form.control}
                name="calendar.checkOutTime"
                render={({ field }) => (
                  <FormItem>
                    <FormLabel>Check-out Time</FormLabel>
                    <FormControl>
                      <Input type="time" {...field} />
                    </FormControl>
                    <FormMessage />
                  </FormItem>
                )}
              />
              <FormField
                control={form.control}
                name="calendar.prices"
                render={({ field }) => (
                  <FormItem>
                    <FormLabel>Prices by Month</FormLabel>
                    <FormControl>
                      <div className="flex flex-col gap-4">
                        {[...Array(12).keys()]
                          .filter((month) => month >= currentMonth)
                          .map((month) => (
                            <div key={month} className="flex flex-col gap-4">
                              <span>
                                {new Date(0, month).toLocaleString("default", {
                                  month: "long",
                                })}
                              </span>
                              <Input
                                type="number"
                                placeholder={`Price for ${new Date(
                                  0,
                                  month
                                ).toLocaleString("default", {
                                  month: "long",
                                })}`}
                                value={
                                  Array.isArray(field.value)
                                    ? field.value.find(
                                        (c) => c.month === month + 1
                                      )?.dailyRate || ""
                                    : ""
                                }
                                onChange={(e) => {
                                  const updatedPrices = Array.isArray(
                                    field.value
                                  )
                                    ? [...field.value]
                                    : [];
                                  const index = updatedPrices.findIndex(
                                    (c) => c.month === month + 1
                                  );
                                  if (index !== -1) {
                                    updatedPrices[index].dailyRate = parseFloat(
                                      e.target.value
                                    );
                                  } else {
                                    updatedPrices.push({
                                      year: new Date().getFullYear(),
                                      month: month + 1,
                                      dailyRate: parseFloat(e.target.value),
                                    });
                                  }
                                  field.onChange(updatedPrices);
                                }}
                              />
                            </div>
                          ))}
                      </div>
                    </FormControl>
                    <FormMessage />
                  </FormItem>
                )}
              />
              <div className="w-full flex justify-between flex-row">
                <Button
                  onClick={() => setSteps(steps - 1)}
                  className="mt-4 text-center max-w-[320px]">
                  Prev step
                </Button>
                <Button
                  onClick={async () => {
                    const isValid = await form.trigger([
                      "calendar.checkInTime",
                      "calendar.checkOutTime",
                      "calendar.prices",
                    ]);
                    if (isValid) {
                      setSteps(steps + 1);
                    }
                  }}
                  className="mt-4 text-center max-w-[320px]">
                  Next step
                </Button>
              </div>
            </div>
          )}

          {steps === 3 && (
            <div className="p-8 gap-2 flex flex-col">
              <h2 className="text-lg font-bold">Facilities</h2>
              <FormItem className="flex flex-col">
                <FormLabel>Facilities</FormLabel>
                <FormControl>
                  <Controller
                    control={form.control}
                    name="facility"
                    render={({ field }) => (
                      <Space style={{ width: "100%" }} direction="vertical">
                        <Select
                          mode="multiple"
                          allowClear
                          filterOption
                          value={field.value}
                          optionLabelProp="label"
                          defaultValue={[]}
                          onChange={field.onChange}
                          style={{ width: "100%" }}
                          placeholder="Please select"
                          options={facilities}
                        />
                      </Space>
                    )}
                  />
                </FormControl>
                <FormMessage />
              </FormItem>
              <div className="w-full flex justify-between flex-row">
                <Button
                  onClick={() => setSteps(steps - 1)}
                  className="mt-4 text-center max-w-[320px]">
                  Prev step
                </Button>
                <Button
                  onClick={() => setSteps(steps + 1)}
                  className="mt-4 text-center max-w-[320px]">
                  Next step
                </Button>
              </div>
            </div>
          )}
          {steps === 4 && (
            <div className="p-8 gap-2 flex flex-col">
              <h2 className="text-lg font-bold">Images</h2>
              <FormField
                control={form.control}
                name="image.urls"
                render={({ field }) => (
                  <FormItem>
                    <FormControl>
                      <Uploader onFilesChange={handleFilesChange} />
                    </FormControl>
                    <FormMessage />
                  </FormItem>
                )}
              />
              <FormField
                control={form.control}
                name="image.isMain"
                render={({ field }) => (
                  <FormItem>
                    <FormControl>
                      <Checkbox checked={field.value} onChange={field.onChange}>
                        Is Main Image
                      </Checkbox>
                    </FormControl>
                    <FormMessage />
                  </FormItem>
                )}
              />
              <FormField
                control={form.control}
                name="image.description"
                render={({ field }) => (
                  <FormItem>
                    <FormLabel>Image Description</FormLabel>
                    <FormControl>
                      <Input {...field} />
                    </FormControl>
                    <FormMessage />
                  </FormItem>
                )}
              />
              <div className="w-full flex justify-between flex-row">
                <Button
                  onClick={() => setSteps(steps - 1)}
                  className="mt-4 text-center max-w-[320px]">
                  Prev step
                </Button>
                <Button
                  type="submit"
                  disabled={isSubmitting}
                  className="mt-4 text-center max-w-[320px] outline-green-500 border-green-500 text-green-700"
                  variant={"outline"}>
                  {isSubmitting ? "Submitting..." : "Submit"}
                </Button>
              </div>
            </div>
          )}
        </form>
      </Form>
    </div>
  );
};

export default HostStepper;

HostForm.schema.tsx:

import { z } from 'zod';

export const FormSchema = z.object({
  object: z.object({
    country: z.string(),
    city: z.string(),
    street: z.string(),
    name: z.string(),
    description: z.string(),
    numberOfBedrooms:z.string(),
    postalCode: z.string(),
    houseNumber: z.string(),
    apartmentNumber: z.string(),
    minimumStay: z.string(),
    maximumStay: z.string(),
    maxPeople: z.string(),
  }),
  facility: z.array(z.object({
    name: z.string(),
  })),
  calendar: z.object({

    checkInTime: z.string(),
    checkOutTime: z.string(),
    prices: z.array(z.object({
      year: z.number(),
      month: z.number(),
      dailyRate: z.number(),
    })),
  }),
  image: z.object({
    description: z.string(),
    isMain: z.boolean(),
    urls: z.array(z.string()),
  }),
});

I tried everything, including searching on stackoverflow and chagpt.

New contributor

Hubert Grzesiak is a new contributor to this site. Take care in asking for clarification, commenting, and answering.
Check out our Code of Conduct.

Trang chủ Giới thiệu Sinh nhật bé trai Sinh nhật bé gái Tổ chức sự kiện Biểu diễn giải trí Dịch vụ khác Trang trí tiệc cưới Tổ chức khai trương Tư vấn dịch vụ Thư viện ảnh Tin tức - sự kiện Liên hệ Chú hề sinh nhật Trang trí YEAR END PARTY công ty Trang trí tất niên cuối năm Trang trí tất niên xu hướng mới nhất Trang trí sinh nhật bé trai Hải Đăng Trang trí sinh nhật bé Khánh Vân Trang trí sinh nhật Bích Ngân Trang trí sinh nhật bé Thanh Trang Thuê ông già Noel phát quà Biểu diễn xiếc khỉ Xiếc quay đĩa Dịch vụ tổ chức sự kiện 5 sao Thông tin về chúng tôi Dịch vụ sinh nhật bé trai Dịch vụ sinh nhật bé gái Sự kiện trọn gói Các tiết mục giải trí Dịch vụ bổ trợ Tiệc cưới sang trọng Dịch vụ khai trương Tư vấn tổ chức sự kiện Hình ảnh sự kiện Cập nhật tin tức Liên hệ ngay Thuê chú hề chuyên nghiệp Tiệc tất niên cho công ty Trang trí tiệc cuối năm Tiệc tất niên độc đáo Sinh nhật bé Hải Đăng Sinh nhật đáng yêu bé Khánh Vân Sinh nhật sang trọng Bích Ngân Tiệc sinh nhật bé Thanh Trang Dịch vụ ông già Noel Xiếc thú vui nhộn Biểu diễn xiếc quay đĩa Dịch vụ tổ chức tiệc uy tín Khám phá dịch vụ của chúng tôi Tiệc sinh nhật cho bé trai Trang trí tiệc cho bé gái Gói sự kiện chuyên nghiệp Chương trình giải trí hấp dẫn Dịch vụ hỗ trợ sự kiện Trang trí tiệc cưới đẹp Khởi đầu thành công với khai trương Chuyên gia tư vấn sự kiện Xem ảnh các sự kiện đẹp Tin mới về sự kiện Kết nối với đội ngũ chuyên gia Chú hề vui nhộn cho tiệc sinh nhật Ý tưởng tiệc cuối năm Tất niên độc đáo Trang trí tiệc hiện đại Tổ chức sinh nhật cho Hải Đăng Sinh nhật độc quyền Khánh Vân Phong cách tiệc Bích Ngân Trang trí tiệc bé Thanh Trang Thuê dịch vụ ông già Noel chuyên nghiệp Xem xiếc khỉ đặc sắc Xiếc quay đĩa thú vị
Trang chủ Giới thiệu Sinh nhật bé trai Sinh nhật bé gái Tổ chức sự kiện Biểu diễn giải trí Dịch vụ khác Trang trí tiệc cưới Tổ chức khai trương Tư vấn dịch vụ Thư viện ảnh Tin tức - sự kiện Liên hệ Chú hề sinh nhật Trang trí YEAR END PARTY công ty Trang trí tất niên cuối năm Trang trí tất niên xu hướng mới nhất Trang trí sinh nhật bé trai Hải Đăng Trang trí sinh nhật bé Khánh Vân Trang trí sinh nhật Bích Ngân Trang trí sinh nhật bé Thanh Trang Thuê ông già Noel phát quà Biểu diễn xiếc khỉ Xiếc quay đĩa
Thiết kế website Thiết kế website Thiết kế website Cách kháng tài khoản quảng cáo Mua bán Fanpage Facebook Dịch vụ SEO Tổ chức sinh nhật