React Hooksを使用したFirebaseリスナー


27

私は、Firebaseリスナーを使用して、クラウドFirestoreデータが反応フックの更新で更新される方法を理解しようとしています。

最初、私はこれを、componentDidMount関数を持つクラスコンポーネントを使用して作成し、firestoreデータを取得しました。

this.props.firebase.db
    .collection('users')
    // .doc(this.props.firebase.db.collection('users').doc(this.props.firebase.authUser.uid))
.doc(this.props.firebase.db.collection('users').doc(this.props.authUser.uid))
.get()
.then(doc => {
    this.setState({ name: doc.data().name });
    // loading: false,
  });  
}

それはページが更新されると壊れるので、フックを反応させるためにリスナーを移動する方法を理解しようとしています。

私はreact-firebase-hooksツールをインストールしましたが、それを機能させるための説明を読む方法がわかりません。

次のような関数コンポーネントがあります。

import React, { useState, useEffect } from 'react';
import { useDocument } from 'react-firebase-hooks/firestore';

import {
    BrowserRouter as Router,
    Route,
    Link,
    Switch,
    useRouteMatch,
 } from 'react-router-dom';
import * as ROUTES from '../../constants/Routes';
import { compose } from 'recompose';
import { withFirebase } from '../Firebase/Index';
import { AuthUserContext, withAuthorization, withEmailVerification, withAuthentication } from '../Session/Index';

function Dashboard2(authUser) {
    const FirestoreDocument = () => {

        const [value, loading, error] = useDocument(
          Firebase.db.doc(authUser.uid),
          //firebase.db.doc(authUser.uid),
          //firebase.firestore.doc(authUser.uid),
          {
            snapshotListenOptions: { includeMetadataChanges: true },
          }
        );
    return (

        <div>    



                <p>
                    {error && <strong>Error: {JSON.stringify(error)}</strong>}
                    {loading && <span>Document: Loading...</span>}
                    {value && <span>Document: {JSON.stringify(value.data())}</span>}
                </p>




        </div>

    );
  }
}

export default withAuthentication(Dashboard2);

このコンポーネントは、次のようにルートレベルでauthUserラッパーにラップされます。

<Route path={ROUTES.DASHBOARD2} render={props => (
          <AuthUserContext.Consumer>
             { authUser => ( 
                <Dashboard2 authUser={authUser} {...props} />  
             )}
          </AuthUserContext.Consumer>
        )} />

次のようにfirestoreにプラグインするfirebase.jsファイルがあります。

class Firebase {
  constructor() {
    app.initializeApp(config).firestore();
    /* helpers */
    this.fieldValue = app.firestore.FieldValue;


    /* Firebase APIs */
    this.auth = app.auth();
    this.db = app.firestore();


  }

また、authUserが変更されたときに認識するリスナーを定義します。

onAuthUserListener(next, fallback) {
    // onUserDataListener(next, fallback) {
      return this.auth.onAuthStateChanged(authUser => {
        if (authUser) {
          this.user(authUser.uid)
            .get()
            .then(snapshot => {
            let snapshotData = snapshot.data();

            let userData = {
              ...snapshotData, // snapshotData first so it doesn't override information from authUser object
              uid: authUser.uid,
              email: authUser.email,
              emailVerified: authUser.emailVerifed,
              providerData: authUser.providerData
            };

            setTimeout(() => next(userData), 0); // escapes this Promise's error handler
          })

          .catch(err => {
            // TODO: Handle error?
            console.error('An error occured -> ', err.code ? err.code + ': ' + err.message : (err.message || err));
            setTimeout(fallback, 0); // escapes this Promise's error handler
          });

        };
        if (!authUser) {
          // user not logged in, call fallback handler
          fallback();
          return;
        }
    });
  };

次に、私のfirebaseコンテキスト設定で私は持っています:

import FirebaseContext, { withFirebase } from './Context';
import Firebase from '../../firebase';
export default Firebase;
export { FirebaseContext, withFirebase };

コンテキストはwithFirebaseラッパーで次のように設定されます。

import React from 'react';
const FirebaseContext = React.createContext(null);

export const withFirebase = Component => props => (
  <FirebaseContext.Consumer>
    {firebase => <Component {...props} firebase={firebase} />}
  </FirebaseContext.Consumer>
);
export default FirebaseContext;

次に、私のwithAuthentication HOCに、次のようなコンテキストプロバイダーがあります。

import React from 'react';
import { AuthUserContext } from '../Session/Index';
import { withFirebase } from '../Firebase/Index';

const withAuthentication = Component => {
  class WithAuthentication extends React.Component {
    constructor(props) {
      super(props);
      this.state = {
        authUser: null,
      };  
    }

    componentDidMount() {
      this.listener = this.props.firebase.auth.onAuthStateChanged(
        authUser => {
           authUser
            ? this.setState({ authUser })
            : this.setState({ authUser: null });
        },
      );
    }

    componentWillUnmount() {
      this.listener();
    };  

    render() {
      return (
        <AuthUserContext.Provider value={this.state.authUser}>
          <Component {...this.props} />
        </AuthUserContext.Provider>
      );
    }
  }
  return withFirebase(WithAuthentication);

};
export default withAuthentication;

現在、これを試してみると、Dashboard2コンポーネントで次のエラーが発生します。

Firebase 'は定義されていません

小文字のfirebaseを試しましたが、同じエラーが発生しました。

firebase.firestoreとFirebase.firestoreも試しました。同じエラーが発生します。

HOCを関数コンポーネントで使用できないのでしょうか。

私はこのデモアプリとこのブログ投稿を見てきました。

ブログのアドバイスに従って、私は新しいfirebase / contextReader.jsxを次のように作成しました:

 import React, { useEffect, useContext } from 'react';
import Firebase from '../../firebase';



export const userContext = React.createContext({
    user: null,
  })

export const useSession = () => {
    const { user } = useContext(userContext)
    return user
  }

  export const useAuth = () => {
    const [state, setState] = React.useState(() => 
        { const user = firebase.auth().currentUser 
            return { initializing: !user, user, } 
        }
    );
    function onChange(user) {
      setState({ initializing: false, user })
    }

    React.useEffect(() => {
      // listen for auth state changes
      const unsubscribe = firebase.auth().onAuthStateChanged(onChange)
      // unsubscribe to the listener when unmounting
      return () => unsubscribe()
    }, [])

    return state
  }  

次に、App.jsxをそのリーダーでラップしてみます。

function App() {
  const { initializing, user } = useAuth()
  if (initializing) {
    return <div>Loading</div>
  }

    // )
// }
// const App = () => (
  return (
    <userContext.Provider value={{ user }}> 


    <Router>
        <Navigation />
        <Route path={ROUTES.LANDING} exact component={StandardLanding} />

これを試すと、次のエラーが表示されます。

TypeError:_firebase__WEBPACK_IMPORTED_MODULE_2 __。default.authは関数ではありません

私はこのエラーを扱っているこの投稿を見て yarnをアンインストールして再インストールしようとしました。違いはありません。

私が見たときデモアプリケーションは、コンテキストは「インタフェースのメソッドを使用して作成されなければならないことを示唆しています。これがどこから来ているのかわかりません-ドキュメントでそれを説明するためのリファレンスが見つかりません。

私はこれをプラグインするために私がしたことを試す以外に指示を理解することができません。

私はこの投稿を見て、react-firebase-hooksを使用せずにfirestoreを聴こうとしました。答えは、このツールの使用方法を理解しようとすることに戻っています。

HOCからフックに移行する方法に関するこの優れた説明を読みました。firebaseリスナーを統合する方法に行き詰まっています。

私はこれを行うことについて考える方法の有用な例を提供するこの投稿を見ました。これをauthListener componentDidMount-またはそれを使用しようとしているダッシュボードコンポーネントで実行する必要があるかどうかはわかりません。

次の試み 私は同じ問題を解決しようとしているこの投稿を見つけました。

Shubham Khatriが提供するソリューションを実装しようとすると、次のようにfirebase構成をセットアップします。

コンテキストプロバイダー:import React、{useContext} from 'react'; '../../firebase'からFirebaseをインポートします。

const FirebaseContext = React.createContext(); 

export const FirebaseProvider = (props) => ( 
   <FirebaseContext.Provider value={new Firebase()}> 
      {props.children} 
   </FirebaseContext.Provider> 
); 

コンテキストフックは次のようになります。

import React, { useEffect, useContext, useState } from 'react';

const useFirebaseAuthentication = (firebase) => {
    const [authUser, setAuthUser] = useState(null);

    useEffect(() =>{
       const unlisten = 
firebase.auth.onAuthStateChanged(
          authUser => {
            authUser
              ? setAuthUser(authUser)
              : setAuthUser(null);
          },
       );
       return () => {
           unlisten();
       }
    });

    return authUser
}

export default useFirebaseAuthentication;

次に、index.jsでアプリをプロバイダーにラップします。

import React from 'react';
import ReactDOM from 'react-dom';
import App from './components/App/Index';
import {FirebaseProvider} from './components/Firebase/ContextHookProvider';

import * as serviceWorker from './serviceWorker';


ReactDOM.render(

    <FirebaseProvider> 
    <App /> 
    </FirebaseProvider>,
    document.getElementById('root')
);

    serviceWorker.unregister();

次に、私が持っているコンポーネントでリスナーを使用しようとすると:

import React, {useContext} from 'react';
import { FirebaseContext } from '../Firebase/ContextHookProvider';
import useFirebaseAuthentication from '../Firebase/ContextHook';


const Dashboard2 = (props) => {
    const firebase = useContext(FirebaseContext);
    const authUser = 
useFirebaseAuthentication(firebase);

    return (
        <div>authUser.email</div>
    )
 }

 export default Dashboard2;

そして、それをコンポーネントや認証ラッパーのないルートとして使用しようとします:

<Route path={ROUTES.DASHBOARD2} component={Dashboard2} />

これを試すと、次のエラーが表示されます。

インポートしようとしたエラー:「FirebaseContext」は「../Firebase/ContextHookProvider」からエクスポートされません。

ContextHookProviderはFirebaseContextをエクスポートしないため、このエラーメッセージは理にかなっています。FirebaseProviderをエクスポートしますが、これをDashboard2にインポートしようとしないと、それを使用しようとする関数でアクセスできません。

この試みの副作用の1つは、私のサインアップ方法が機能しなくなったことです。次のようなエラーメッセージが生成されます。

TypeError:nullのプロパティ 'doCreateUserWithEmailAndPassword'を読み取れません

この問題は後で解決します。ただし、基本的な認証設定を取得するために機能しない数百万通りのループを何ヶ月もループすることなく、firebaseとの対応方法を理解する方法が必要です。反応フックで動作するfirebase(firestore)のスターターキットはありますか?

次の試みで は、このudemyコースのアプローチを試してみましたが、これはフォーム入力を生成するためにのみ機能します。認証済みユーザーに合わせて調整するためにルートを囲むリスナーはありません。

私はこのyoutubeチュートリアルのアプローチに従いました-これには、このリポジトリが機能します。フックの使い方は示していますが、コンテキストの使い方は示していません。

次の試み 私は、Firestoreでフックを使用するためのよく考えられたアプローチがあるように見えるこのリポジトリを見つけました。ただし、コードを理解することはできません。

私はこれを複製し、すべてのパブリックファイルを追加しようとしましたが、実行すると、実際にコードを動作させることができません。この問題を解決するのに役立つレッスンがコードにあるかどうかを確認するために、これを実行する方法の説明に何が欠けているのかわかりません。

次の試み

私はdivjoyテンプレートを購入しました。これは、firebaseのセットアップとして宣伝されています(他の誰かがこれをオプションとして検討している場合、firestoreのセットアップではありません)。

そのテンプレートは、アプリの構成を初期化する認証ラッパーを提案しますが、認証メソッドのためだけなので、Firestoreの別のコンテキストプロバイダーを許可するように再構成する必要があります。そのプロセスを何とかして、この投稿に示されているプロセスを使用すると、残っているのは次のコールバックのエラーです。

useEffect(() => {
    const unsubscribe = firebase.auth().onAuthStateChanged(user => {
      if (user) {
        setUser(user);
      } else {
        setUser(false);
      }
    });

それはfirebaseが何であるかを知りません。これは、(useProvideAuth()関数で)インポートおよび定義されているfirebaseコンテキストプロバイダーで次のように定義されているためです。

  const firebase = useContext(FirebaseContext)

コールバックの機会がない場合、エラーは次のように言います。

React Hook useEffectには依存関係がありません: 'firebase'。それを含めるか、依存関係配列を削除してください

または、そのconstをコールバックに追加しようとすると、次のエラーが表示されます。

React Hook "useContext"はコールバック内で呼び出すことはできません。Reactフックは、React関数コンポーネントまたはカスタムのReactフック関数で呼び出す必要があります

次の試み

firebase構成ファイルを構成変数のみに減らしました(使用する各コンテキストのコンテキストプロバイダーにヘルパーを記述します)。

import firebase from 'firebase/app';
import 'firebase/auth';
import 'firebase/firestore';

const devConfig = {
    apiKey: process.env.REACT_APP_DEV_API_KEY,
    authDomain: process.env.REACT_APP_DEV_AUTH_DOMAIN,
    databaseURL: process.env.REACT_APP_DEV_DATABASE_URL,
    projectId: process.env.REACT_APP_DEV_PROJECT_ID,
    storageBucket: process.env.REACT_APP_DEV_STORAGE_BUCKET,
    messagingSenderId: process.env.REACT_APP_DEV_MESSAGING_SENDER_ID,
    appId: process.env.REACT_APP_DEV_APP_ID

  };


  const prodConfig = {
    apiKey: process.env.REACT_APP_PROD_API_KEY,
    authDomain: process.env.REACT_APP_PROD_AUTH_DOMAIN,
    databaseURL: process.env.REACT_APP_PROD_DATABASE_URL,
    projectId: process.env.REACT_APP_PROD_PROJECT_ID,
    storageBucket: process.env.REACT_APP_PROD_STORAGE_BUCKET,
    messagingSenderId: 
process.env.REACT_APP_PROD_MESSAGING_SENDER_ID,
    appId: process.env.REACT_APP_PROD_APP_ID
  };

  const config =
    process.env.NODE_ENV === 'production' ? prodConfig : devConfig;


class Firebase {
  constructor() {
    firebase.initializeApp(config);
    this.firebase = firebase;
    this.firestore = firebase.firestore();
    this.auth = firebase.auth();
  }
};

export default Firebase;  

次に、次のように認証コンテキストプロバイダーを用意します。

import React, { useState, useEffect, useContext, createContext } from "react";
import Firebase from "../firebase";

const authContext = createContext();

// Provider component that wraps app and makes auth object ...
// ... available to any child component that calls useAuth().
export function ProvideAuth({ children }) {
  const auth = useProvideAuth();

  return <authContext.Provider value={auth}>{children}</authContext.Provider>;
}

// Hook for child components to get the auth object ...
// ... and update when it changes.
export const useAuth = () => {

  return useContext(authContext);
};

// Provider hook that creates auth object and handles state
function useProvideAuth() {
  const [user, setUser] = useState(null);


  const signup = (email, password) => {
    return Firebase
      .auth()
      .createUserWithEmailAndPassword(email, password)
      .then(response => {
        setUser(response.user);
        return response.user;
      });
  };

  const signin = (email, password) => {
    return Firebase
      .auth()
      .signInWithEmailAndPassword(email, password)
      .then(response => {
        setUser(response.user);
        return response.user;
      });
  };



  const signout = () => {
    return Firebase
      .auth()
      .signOut()
      .then(() => {
        setUser(false);
      });
  };

  const sendPasswordResetEmail = email => {
    return Firebase
      .auth()
      .sendPasswordResetEmail(email)
      .then(() => {
        return true;
      });
  };

  const confirmPasswordReset = (password, code) => {
    // Get code from query string object
    const resetCode = code || getFromQueryString("oobCode");

    return Firebase
      .auth()
      .confirmPasswordReset(resetCode, password)
      .then(() => {
        return true;
      });
  };

  // Subscribe to user on mount
  useEffect(() => {

    const unsubscribe = firebase.auth().onAuthStateChanged(user => {
      if (user) {
        setUser(user);
      } else {
        setUser(false);
      }
    });

    // Subscription unsubscribe function
    return () => unsubscribe();
  }, []);

  return {
    user,
    signup,
    signin,
    signout,
    sendPasswordResetEmail,
    confirmPasswordReset
  };
}

const getFromQueryString = key => {
  return queryString.parse(window.location.search)[key];
};

次のようにして、firebaseコンテキストプロバイダーも作成しました。

import React, { createContext } from 'react';
import Firebase from "../../firebase";

const FirebaseContext = createContext(null)
export { FirebaseContext }


export default ({ children }) => {

    return (
      <FirebaseContext.Provider value={ Firebase }>
        { children }
      </FirebaseContext.Provider>
    )
  }

次に、index.jsでアプリをfirebaseプロバイダーでラップします

ReactDom.render(
    <FirebaseProvider>
        <App />
    </FirebaseProvider>, 
document.getElementById("root"));

serviceWorker.unregister();

私のルートリストでは、関連するルートを認証プロバイダーでラップしています。

import React from "react";
import IndexPage from "./index";
import { Switch, Route, Router } from "./../util/router.js";

import { ProvideAuth } from "./../util/auth.js";

function App(props) {
  return (
    <ProvideAuth>
      <Router>
        <Switch>
          <Route exact path="/" component={IndexPage} />

          <Route
            component={({ location }) => {
              return (
                <div
                  style={{
                    padding: "50px",
                    width: "100%",
                    textAlign: "center"
                  }}
                >
                  The page <code>{location.pathname}</code> could not be found.
                </div>
              );
            }}
          />
        </Switch>
      </Router>
    </ProvideAuth>
  );
}

export default App;

この特定の試みでは、以前にこのエラーで報告された問題に戻ります。

TypeError:_firebase__WEBPACK_IMPORTED_MODULE_2 __。default.authは関数ではありません

問題を引き起こしていると、認証プロバイダーのこの行を指します:

useEffect(() => {

    const unsubscribe = firebase.auth().onAuthStateChanged(user => {
      if (user) {
        setUser(user);
      } else {
        setUser(false);
      }
    });

Firebaseで大文字のFを使用してみましたが、同じエラーが発生します。

Tristanのアドバイスを試すときは、それらすべてを削除して、unsubscribeメソッドをunlistenメソッドとして定義します(なぜ彼がfirebase言語を使用していないのかわかりませんが、彼のアプローチがうまくいったなら、もっと頑張ろうと思います理由を理解するため)。私が彼のソリューションを使用しようとすると、エラーメッセージは次のようになります。

TypeError:_util_contexts_Firebase__WEBPACK_IMPORTED_MODULE_8 ___ default(...)は関数ではありません

この投稿への答えは、認証後に()を削除することを提案しています。試してみると、次のようなエラーが表示されます。

TypeError:未定義のプロパティ 'onAuthStateChanged'を読み取れません

ただし、この投稿は、firebaseがauthファイルにインポートされる方法に問題があることを示唆しています。

次のようにインポートしました。「../ firebase」からFirebaseをインポートします。

Firebaseはクラスの名前です。

Tristanが推奨する動画は役立つ背景ですが、私は現在エピソード9にいますが、この問題の解決に役立つはずの部分がまだ見つかりません。どこにそれを見つけるか知っていますか?

NEXT ATTEMPT Next-コンテキスト問題のみを解決しようとしている-私はcreateContextとuseContextの両方をインポートし、このドキュメントに示されているようにそれらを使用しようとしました。

私は言うエラーを渡すことができません:

エラー:無効なフック呼び出し。フックは、関数コンポーネントの本体の内部でのみ呼び出すことができます。これは、次のいずれかの理由で発生する可能性があります:...

私はこのリンクの提案を試してこの問題を解決しようとしましたが、理解できません。このトラブルシューティングガイドに示されている問題はありません。

現在、コンテキストステートメントは次のようになっています。

import React, {  useContext } from 'react';
import Firebase from "../../firebase";


  export const FirebaseContext = React.createContext();

  export const useFirebase = useContext(FirebaseContext);

  export const FirebaseProvider = props => (
    <FirebaseContext.Provider value={new Firebase()}>
      {props.children}
    </FirebaseContext.Provider>
  );  

私はこのudemyコースを使用して、この問題にコンテキストとフック要素を理解するために時間を費やしました-見てから-以下のTristanによって提案されたソリューションの唯一の側面は、彼の投稿でcreateContextメソッドが正しく呼び出されないことです。それは "React.createContext"である必要がありますが、それでも問題の解決に近づきません。

まだ行き詰まっています。

誰かがここで何が間違っているのか見ることができますか?


インポートしていないため、未定義です。
ジョシュ・ピットマン

3
に追加exportする必要があるだけexport const FirebaseContextですか?
Federkun

こんにちはメルさん、返事が遅いことをお詫びします。私は2週間仕事に夢中だったので、夕方にコンピューターを見るのは問題外でした!チェックできるクリーンで非常にシンプルなソリューションを提供するために、私の回答を更新しました。
Tristan Trainer

どうもありがとうございました。今から見ていきます。
メル

ちょっとメル、ファイアストアからのリアルタイム更新の正しい実装でさらに更新されました(onSnapshotパーツを削除してリアルタイムにならないようにすることができます)これが解決策である場合、質問を更新して、非常に短くて簡潔なので、他の人もそれを見て解決策を見つけることができるかもしれません。ありがとう-応答が遅いのでもう一度申し訳ありません
Tristan Trainer

回答:


12

主な編集:これをもう少し詳しく調べるために少し時間をかけてこれが私が思いついたのはよりきれいな解決策です、これがこれに取り組む良い方法であることについて誰かが私に反対するかもしれません

UseFirebase Auth Hook

import { useEffect, useState, useCallback } from 'react';
import firebase from 'firebase/app';
import 'firebase/auth';

const firebaseConfig = {
  apiKey: "xxxxxxxxxxxxxx",
  authDomain: "xxxx.firebaseapp.com",
  databaseURL: "https://xxxx.firebaseio.com",
  projectId: "xxxx",
  storageBucket: "xxxx.appspot.com",
  messagingSenderId: "xxxxxxxx",
  appId: "1:xxxxxxxxxx:web:xxxxxxxxx"
};

firebase.initializeApp(firebaseConfig)

const useFirebase = () => {
  const [authUser, setAuthUser] = useState(firebase.auth().currentUser);

  useEffect(() => {
    const unsubscribe = firebase.auth()
      .onAuthStateChanged((user) => setAuthUser(user))
    return () => {
      unsubscribe()
    };
  }, []);

  const login = useCallback((email, password) => firebase.auth()
    .signInWithEmailAndPassword(email, password), []);

  const logout = useCallback(() => firebase.auth().signOut(), [])

  return { login, authUser, logout }
}

export { useFirebase }

authUserがnullの場合は認証されず、ユーザーに値がある場合は認証されます。

firebaseConfigfirebase Console => Project Settings => Apps => Config Radio Buttonにあります

useEffect(() => {
  const unsubscribe = firebase.auth()
    .onAuthStateChanged(setAuthUser)

  return () => {
    unsubscribe()
  };
}, []);

このuseEffectフックは、ユーザーのauthChangesを追跡するための中核です。authUserの値を更新するリスナーをfirebase.auth()のonAuthStateChangedイベントに追加します。このメソッドは、このリスナーの登録を解除するためのコールバックを返します。これを使用して、useFirebaseフックが更新されたときにリスナーをクリーンアップできます。

これは、Firebase認証に必要な唯一のフックです(他のフックはFirestoreなどに作成できます)。

const App = () => {
  const { login, authUser, logout } = useFirebase();

  if (authUser) {
    return <div>
      <label>User is Authenticated</label>
      <button onClick={logout}>Logout</button>
    </div>
  }

  const handleLogin = () => {
    login("name@email.com", "password0");
  }

  return <div>
    <label>User is not Authenticated</label>
    <button onClick={handleLogin}>Log In</button>
  </div>
}

これはのAppコンポーネントの基本的な実装ですcreate-react-app

useFirestoreデータベースフック

const useFirestore = () => {
  const getDocument = (documentPath, onUpdate) => {
    firebase.firestore()
      .doc(documentPath)
      .onSnapshot(onUpdate);
  }

  const saveDocument = (documentPath, document) => {
    firebase.firestore()
      .doc(documentPath)
      .set(document);
  }

  const getCollection = (collectionPath, onUpdate) => {
    firebase.firestore()
      .collection(collectionPath)
      .onSnapshot(onUpdate);
  }

  const saveCollection = (collectionPath, collection) => {
    firebase.firestore()
      .collection(collectionPath)
      .set(collection)
  }

  return { getDocument, saveDocument, getCollection, saveCollection }
}

これは次のようにコンポーネントに実装できます:

const firestore = useFirestore();
const [document, setDocument] = useState();

const handleGet = () => {
  firestore.getDocument(
    "Test/ItsWFgksrBvsDbx1ttTf", 
    (result) => setDocument(result.data())
  );
}

const handleSave = () => {
  firestore.saveDocument(
    "Test/ItsWFgksrBvsDbx1ttTf", 
    { ...document, newField: "Hi there" }
  );

}

これにより、Firebase自体から直接更新を取得するため、React useContextの必要がなくなります。

いくつかのことに注意してください。

  1. 変更されていないドキュメントを保存しても新しいスナップショットはトリガーされないため、「保存」しても再レンダリングされません
  2. getDocumentを呼び出すと、最初の「スナップショット」でコールバックonUpdateがすぐに呼び出されるため、ドキュメントの初期状態を取得するための追加のコードは必要ありません。

編集により古い回答の大きなチャンクが削除されました


1
これをありがとう。どのように設定したかわかりません。プロバイダーを使用すると、createContextが定義されていないというエラーが表示されます。それは今のところ消費者がいないからです。どこに置いたの?
メル

createContextはreactの一部です。reactから{createContext}として上部にインポートしてください。Firebaseプロバイダーの行き先を示すのを忘れたので、答えを編集します
Tristan Trainer

プロバイダーにインポートしましたが、未定義になります。それは消費者がいないからだと思います
メル

1
コンシューマーはuseContext()フックですが、もう一度質問を見ると、ファイルからFirebaseContextをエクスポートしていないようです-そのため、コンテキストを見つけることができません:)
Tristan Trainer

1
こんにちは@Melはとても親切です。ありがとうございます。最後に役立つことを願っています。HooksとFirebaseはどちらもかなり複雑で、頭を悩ますのに時間がかかり、今でも最適な解決策が見つからなかった可能性があります。コードとして説明する方が簡単なので、しばらくすると私のアプローチに関するチュートリアルを作成するかもしれませんそれ。
Tristan Trainer

4

インポートしていないため、Firebaseは未定義です。まず、https://github.com/CSFrequency/react-firebase-hooks/tree/master/firestoreにfirebase.firestore()リンクしたドキュメントの例に示すとおりにする必要があります。次にimport * as firebase from 'firebase';、firebaseパッケージのreadme https://www.npmjs.com/package/firebaseで概説されているように、実際にファイルにfirebaseをインポートする必要があります。


1
index.jsにインポートしています
Mel

1
ReactDOM.render(<FirebaseContext.Provider value = {new Firebase()}> <App /> </FirebaseContext.Provider>、document.getElementById( 'root'));
メル

1
そのため、アプローチはcomponentDidMountで機能します
Mel

1
withAuth HOCはwithFirebaseにもラップされています。
Mel

3
しかし、あなたのエラーはそれが未定義であると言います。私はあなたがそれを定義するのを手伝っています、そしてあなたは解決策が機能するかどうか、または結果として生じるエラーが何であるか私に言っていません。あなたはいつもあなたをメルに助けるのをとても難しくします。私のポイントは、それを、それを参照しているダッシュボード2コンポーネントファイル以外のファイルにインポートすることであり、それがエラーの原因です。インデックス内の何かを消去しても、ビルドが完全に異なるファイルの内容を理解するのに役立ちません。
Josh Pittman

2

編集(2020年3月3日):

ゼロから始めましょう。

  1. 新しいプロジェクトを作成しました:

    糸は反応アプリfirebase-hook-issueを作成します

  2. デフォルトで作成された3つのApp *ファイルをすべて削除し、index.jsからインポートを削除し、Service Workerも削除して、次のようなクリーンなindex.jsを作成しました。

import React from 'react';
import ReactDOM from 'react-dom';
import './index.css';

const App = () => {
    return (
        <div>
            Hello Firebase!            
        </div>
    );
};

ReactDOM.render(<App />, document.getElementById('root'));
  1. Hello Firebaseを見るためにアプリを起動しました印刷されます。
  2. firebaseモジュールを追加しました
yarn add firebase
  1. firebase initを実行して、そのプロジェクトのfirebaseをセットアップしました。私は空のfirebaseプロジェクトの1つを選び、DatabaseとFirestoreを選択しました。これにより、次のファイルが作成されます。
.firebaserc
database.rules.json
firebase.json
firestore.indexes.json
firestore.rules
  1. firebase libsのインポートを追加し、FirebaseクラスとFirebaseContextも作成しました。最後に、AppをFirebaseContext.Providerコンポーネントにラップし、その値を新しいFirebase()インスタンスに設定しました。これは、シングルトンである必要があるため、必要に応じてインスタンス化されたFirebaseアプリのインスタンスを1つだけにするつもりでした。
import React from "react";
import ReactDOM from "react-dom";
import "./index.css";

import app from "firebase/app";
import "firebase/database";
import "firebase/auth";
import "firebase/firestore";

class Firebase {
    constructor() {
        app.initializeApp(firebaseConfig);

        this.realtimedb = app.database();
        this.firestore = app.firestore();
    }
}

const FirebaseContext = React.createContext(null);

const firebaseConfig = {
    apiKey: "",
    authDomain: "",
    databaseURL: "",
    projectId: "",
    storageBucket: "",
    messagingSenderId: "",
    appId: "",
};

const App = () => {
    return <div>Hello Firebase!</div>;
};

ReactDOM.render(
    <FirebaseContext.Provider value={new Firebase()}>
        <App />
    </FirebaseContext.Provider>
    , document.getElementById("root"));
  1. Firestoreから何でも読み取ることができることを確認してみましょう。最初に読み取り値のみを確認するために、Firebaseコンソールでプロジェクトに移動し、Cloud Firestoreデータベースを開いて、countersという新しいコレクションを追加しました。ドキュメントには、number型の値と0の値という1つのフィールドを含むシンプルなドキュメントが含まれていますここに画像の説明を入力してください ここに画像の説明を入力してください

  2. 次に、作成したFirebaseContextを使用するようにAppクラスを更新し、単純なカウンターフックにuseStateフックを作成し、useEffectフックを使用してfirestoreから値を読み取りました。

import React from "react";
import ReactDOM from "react-dom";
import "./index.css";

import app from "firebase/app";
import "firebase/database";
import "firebase/auth";
import "firebase/firestore";

const firebaseConfig = {
    apiKey: "",
    authDomain: "",
    databaseURL: "",
    projectId: "",
    storageBucket: "",
    messagingSenderId: "",
    appId: "",
};

class Firebase {
    constructor() {
        app.initializeApp(firebaseConfig);

        this.realtimedb = app.database();
        this.firestore = app.firestore();
    }
}

const FirebaseContext = React.createContext(null);

const App = () => {
    const firebase = React.useContext(FirebaseContext);
    const [counter, setCounter] = React.useState(-1);

    React.useEffect(() => {
        firebase.firestore.collection("counters").doc("simple").get().then(doc => {
            if(doc.exists) {
                const data = doc.data();
                setCounter(data.value);
            } else {
                console.log("No such document");
            }
        }).catch(e => console.error(e));
    }, []);

    return <div>Current counter value: {counter}</div>;
};

ReactDOM.render(
    <FirebaseContext.Provider value={new Firebase()}>
        <App />
    </FirebaseContext.Provider>
    , document.getElementById("root"));

注:答えをできるだけ短くするために、firestoreへのアクセスをテストモード(firestore.rulesファイル)に設定することにより、firebaseで認証される必要がないようにしています。

rules_version = '2';
service cloud.firestore {
  match /databases/{database}/documents {

    // This rule allows anyone on the internet to view, edit, and delete
    // all data in your Firestore database. It is useful for getting
    // started, but it is configured to expire after 30 days because it
    // leaves your app open to attackers. At that time, all client
    // requests to your Firestore database will be denied.
    //
    // Make sure to write security rules for your app before that time, or else
    // your app will lose access to your Firestore database
    match /{document=**} {
      allow read, write: if request.time < timestamp.date(2020, 4, 8);
    }
  }
}

私の以前の答え: 私のreact-firebase-auth-skeletonをご覧になることは大歓迎です。

https://github.com/PompolutZ/react-firebase-auth-skeleton

それは主に記事に従います:

https://www.robinwieruch.de/complete-firebase-authentication-react-tutorial

しかし、フックを使用するように多少書き直されました。少なくとも2つのプロジェクトで使用しました。

私の現在のペットプロジェクトの典型的な使用法:

import React, { useState, useEffect, useContext } from "react";
import ButtonBase from "@material-ui/core/ButtonBase";
import Typography from "@material-ui/core/Typography";
import DeleteIcon from "@material-ui/icons/Delete";
import { FirebaseContext } from "../../../firebase";
import { useAuthUser } from "../../../components/Session";
import { makeStyles } from "@material-ui/core/styles";

const useStyles = makeStyles(theme => ({
    root: {
        flexGrow: 1,
        position: "relative",
        "&::-webkit-scrollbar-thumb": {
            width: "10px",
            height: "10px",
        },
    },

    itemsContainer: {
        position: "absolute",
        top: 0,
        left: 0,
        right: 0,
        bottom: 0,
        display: "flex",
        alignItems: "center",
        overflow: "auto",
    },
}));

export default function LethalHexesPile({
    roomId,
    tokens,
    onSelectedTokenChange,
}) {
    const classes = useStyles();
    const myself = useAuthUser();
    const firebase = useContext(FirebaseContext);
    const pointyTokenBaseWidth = 95;
    const [selectedToken, setSelectedToken] = useState(null);

    const handleTokenClick = token => () => {
        setSelectedToken(token);
        onSelectedTokenChange(token);
    };

    useEffect(() => {
        console.log("LethalHexesPile.OnUpdated", selectedToken);
    }, [selectedToken]);

    const handleRemoveFromBoard = token => e => {
        console.log("Request remove token", token);
        e.preventDefault();
        firebase.updateBoardProperty(roomId, `board.tokens.${token.id}`, {
            ...token,
            isOnBoard: false,
            left: 0,
            top: 0,
            onBoard: { x: -1, y: -1 },
        });
        firebase.addGenericMessage2(roomId, {
            author: "Katophrane",
            type: "INFO",
            subtype: "PLACEMENT",
            value: `${myself.username} removed lethal hex token from the board.`,
        });
    };

    return (
        <div className={classes.root}>
            <div className={classes.itemsContainer}>
                {tokens.map(token => (
                    <div
                        key={token.id}
                        style={{
                            marginRight: "1rem",
                            paddingTop: "1rem",
                            paddingLeft: "1rem",
                            filter:
                            selectedToken &&
                            selectedToken.id === token.id
                                ? "drop-shadow(0 0 10px magenta)"
                                : "",
                            transition: "all .175s ease-out",
                        }}
                        onClick={handleTokenClick(token)}
                    >
                        <div
                            style={{
                                width: pointyTokenBaseWidth * 0.7,
                                position: "relative",
                            }}
                        >
                            <img
                                src={`/assets/tokens/lethal.png`}
                                style={{ width: "100%" }}
                            />
                            {selectedToken && selectedToken.id === token.id && (
                                <ButtonBase
                                    style={{
                                        position: "absolute",
                                        bottom: "0%",
                                        right: "0%",
                                        backgroundColor: "red",
                                        color: "white",
                                        width: "2rem",
                                        height: "2rem",
                                        borderRadius: "1.5rem",
                                        boxSizing: "border-box",
                                        border: "2px solid white",
                                    }}
                                    onClick={handleRemoveFromBoard(token)}
                                >
                                    <DeleteIcon
                                        style={{
                                            width: "1rem",
                                            height: "1rem",
                                        }}
                                    />
                                </ButtonBase>
                            )}
                        </div>
                        <Typography>{`${token.id}`}</Typography>
                    </div>
                ))}
            </div>
        </div>
    );
}

ここで最も重要な2つの部分は次のとおりです。-現在認証されているユーザーを提供するuseAuthUser()フック。-useContextフックを介して使用するFirebaseContext 。

const firebase = useContext(FirebaseContext);

firebaseへのコンテキストがある場合、firebaseオブジェクトを好みに応じて実装するかどうかはあなた次第です。時々私はいくつかの有用な関数を書きます、時には私が現在のコンポーネントのために作成するuseEffectフックでリスナーを設定する方が簡単な場合があります。

その記事の最も優れた部分の1つは、withAuthorization HOCの作成でした。これにより、コンポーネント自体のいずれかでページにアクセスするための前提条件を指定できます。

const condition = authUser => authUser && !!authUser.roles[ROLES.ADMIN];
export default withAuthorization(condition)(AdminPage);

または、ルーターの実装でこれらの条件を正しく設定することもできます。

リポジトリと記事を見ると、質問に対する他の素晴らしい答えを強化するための特別な考えが得られることを願っています。


私は彼の本を買って、彼のアプローチに従いました。実装した場合、条件アプローチは実際には機能せず、その本に記載されている認証プロトコルはコンポーネントの更新を通じてステータスを維持できなかったことがわかりました。その本に記載されているものを使用する方法が見つかりませんでした。とにかくあなたの考えを共有してくれてありがとう。
メル

どういう意味かわかりません。Firebaseプロジェクトでスケルトンアプリを試しましたか?私が知る限り、すべての条件が機能します。少なくとも3つのプロジェクトで使用しています。
fxdxpz
弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.