reactjs Next.js服务器端路由

trnvg8h3  于 2022-12-29  发布在  React
关注(0)|答案(3)|浏览(139)

我有这个代码来检查用户是否通过身份验证

const withAuth = AuthComponent => {
  class Authenticated extends Component {
    static async getInitialProps (ctx) {
      let componentProps
      if (AuthComponent.getInitialProps) {
        componentProps = await AuthComponent.getInitialProps(ctx)
      }
      return {
        ...componentProps
      }
    }
    componentDidMount () {
      this.props.dispatch(loggedIn())
    }
    renderProtectedPages (componentProps) {
      const { pathname } = this.props.url
      if (!this.props.isAuthenticated) {
        if (PROTECTED_URLS.indexOf(pathname) !== -1) {
          // this.props.url.replaceTo('/login')
          Router.replace('/login')                   // error
        }
      }
      return <AuthComponent {...componentProps} />
    }
    render () {
      const { checkingAuthState, ...componentProps } = this.props
      return (
        <div>
          {checkingAuthState ? (
            <div>
              <h2>Loading...</h2>
            </div>
          ) : (
            this.renderProtectedPages(componentProps)
          )}
        </div>
      )
    }
  }
  return connect(state => {
    const { checkingAuthState, isAuthenticated } = state.data.auth
    return {
      checkingAuthState,
      isAuthenticated
    }
  })(Authenticated)
}

它工作得很好,但我得到这个错误时,我试图重定向用户:
未找到路由器示例。你应仅在应用的客户端内使用“next/router”。
如果我尝试使用this.props.url.replaceTo('/login'),就会收到以下警告
警告:“url.replaceTo()"已弃用。请使用“next/router”API。
所以这让我很疯狂,我想知道是否有一种方法可以实现这种重定向或者可能是另一种方法来控制身份验证在这种情况下只要一个线索就会很棒。

blmhpbnm

blmhpbnm1#

你应该检查你的代码是在服务器端还是在客户端执行的。

const isClient = typeof document !== 'undefined'
isClient && Router.replace('/login')

要处理服务器端的重定向,您可以简单地使用您的服务器来完成。例如:

server.get("/super-secure-page", (req, res) => {
  // Use your own logic here to know if the user is loggedIn or not
  const token = req.cookies["x-access-token"]
  !token && res.redirect("/login")
  token && handle(req, res)
})

仅供参考,我受到了next.js code example的启发

lb3vh1jj

lb3vh1jj2#

我也想在服务器端找到解决方案。但我通过写入“document.location = xxx“在客户端修复了它

lnvxswe2

lnvxswe23#

在此找到答案https://github.com/vercel/next.js/discussions/14890#discussioncomment-222248
您可以在getServerSideProps中使用类似下面的代码在服务器端进行重定向:

export const getServerSideProps: GetServerSideProps = (
  context: GetServerSidePropsContext,
) => {
  ...
  
  return {
    redirect: {
      destination: '/login',
    },
  }
};

相关问题