在 Nextjs 中使用 getServerSideProps 进行动态 API 路由

Dynamic API routing with getServerSideProps in Nextjs

我想在进入提交状态后获取动态 API 路由。但我不知道如何将状态从反应传递到 getServerSideProps。

这是我的代码

export default function Home(props) {
    const { data } = props;
    const [input, setInput] = useState("");
    const handlerChange = (event) => {
        setInput(event.target.value);
    };
    const handlerSubmit = () => {
        console.log(event.target.value);
        setInput("");
    };

    return (
        <input
            type="text"
            className="form-control"
            placeholder="Group Name"
            value={input}
            onChange={handlerChange}
            onKeyDown={(event) =>
                event.key === "Enter" && handlerSubmit(event)
            }
        />
    )

export async function getServerSideProps() {
    const res = await fetch(`http://localhost:3000/api/searchGroup/${input}`)
    const data = await res.json()
  
    return { props: { data } }
}

您可以使用 dynamic route 来导航到类似 /your-current-page/${input} 的内容,然后您可以访问输入值作为 getServerSideProps 中的参数:

export async function getServerSideProps({ params }) {
    const { input } = params;
     
    ...
}

更多信息here

您应该使用 client-side 中更新后的 input 值而不是在 handlerSubmit 回调中发出请求,并将要呈现的 data 保存在状态变量中(例如 dataToRender)。

const getData = async (input) => {
    const res = await fetch(`http://localhost:3000/api/searchGroup/${input}`)
    return res.json()
}

export default function Home(props) {
    const { data } = props;
    const [dataToRender, setDataToRender] = useState(data);
    const [input, setInput] = useState("");

    const handlerChange = (event) => {
        setInput(event.target.value);
    };

    const handlerSubmit = async (event) => {
        setInput("");
        const newData = await getData(event.target.value);
        setDataToRender(newData);
    };

    return (
        <input
            type="text"
            className="form-control"
            placeholder="Group Name"
            value={input}
            onChange={handlerChange}
            onKeyDown={(event) =>
                event.key === "Enter" && handlerSubmit(event)
            }
        />
    )
}

作为上述方法的替代方案,如果您绝对需要在 getServerSideProps 中进行请求,那么您可以将 input 值作为查询参数传递并从 [=19= 中读取它] 在 getServerSideProps.

// On the client-side
import { useRouter } from "next/router";

export default function Home(props) {
    const router = useRouter()    

    const handlerSubmit = () => {
        console.log(event.target.value);
        setInput("");
        router.push(`${router.pathname}?input=${event.target.value}`);
    }
    
    // Remaining code...
}
// On the server-side
export async function getServerSideProps(context) {
    const res = await fetch(`http://localhost:3000/api/searchGroup/${context.query.input ?? 'default-value'}`)
    const data = await res.json()
  
    return { props: { data } }
}