web-dev-qa-db-ja.com

アクセスReactコンポーネント外のコンテキスト

私はReactコンテキストを使用してNextJS Webサイトのロケールを保存しています(例:example.com/en/)。設定は次のようになります:

components/Locale/index.jsx

import React from 'react';

const Context = React.createContext();
const { Consumer } = Context;

const Provider = ({ children, locale }) => (
  <Context.Provider value={{ locale }}>
    {children}
  </Context.Provider>
);

export default { Consumer, Provider };

pages/_app.jsx

import App, { Container } from 'next/app';
import React from 'react';

import Locale from '../components/Locale';


class MyApp extends App {
  static async getInitialProps({ Component, ctx }) {
    const pageProps = Component.getInitialProps ? await Component.getInitialProps(ctx) : {};
    const locale = ctx.asPath.split('/')[1];
    return { pageProps, locale };
  }

  render() {
    const {
      Component,
      locale,
      pageProps,
    } = this.props;

    return {
      <Container>
        <Locale.Provider locale={locale}>
          <Component {...pageProps} />
        </Locale.Provider>
      </Container>
    };
  }
}

ここまでは順調ですね。次に、私のページの1つで、getInitialPropsライフサイクルメソッドでContentful CMS APIからデータを取得します。これは次のようになります。

pages/index.jsx

import { getEntries } from '../lib/data/contentful';

const getInitialProps = async () => {
  const { items } = await getEntries({ content_type: 'xxxxxxxx' });
  return { page: items[0] };
};

この段階で、ロケールを使用してこのクエリを実行する必要があるため、上記のgetInitialPropsLocal.Consumerにアクセスする必要があります。これは可能ですか?

6
Coop

これは、ここのドキュメントによれば可能ではないようです: https://github.com/zeit/next.js/#fetching-data-and-component-lifecycle アクセスReactコンテキストデータ:

<Locale.Consumer>
  ({locale}) => <Index locale={locale} />
</Locale.Consumer>

ただし、getInitialPropsはトップレベルのページに対して実行され、プロップにアクセスできません。

別のReactライフサイクルメソッド-- componentDidMount? )でエントリを取得できますか?次に、アイテムをコンポーネントの状態で保存できます。

2
Gordon Burgett