1. preLoading이란 ?

preLoading은 사용자가 앱을 켰을 때 로고 및 이미지가 나와있지 않는 것보다 다 loading이 되어있는 상태에서 보는 것이 더 완벽한 앱이라는 인식을 받기 때문에 미리 dataload해서 보여주는 것입니다.

1.1 Icon preLoading 하기

expo 공식 사이트에 font를 loadAsync 하는 방법이 나와 있으니 보고 따라하도록 하겠습니다.

1564070827901

App.js

import React, { useState, useEffect } from "react";
import { StyleSheet, Text, View } from "react-native";
import { AppLoading, Font } from "expo"; // expo의 Font import 하기
import { Ionicons } from "@expo/vector-icons";
export default function App() {
  const [loaded, setLoaded] = useState(false);

  const preLoad = async () => {
    try {
      await Font.loadAsync({
        // font를 load하는 곳
        ...Ionicons.font
      });
      setLoaded(true); // load를 다 하면 state변경
    } catch (error) {
      console.log(error);
    }
  };

  useEffect(() => {
    preLoad();
  }, []);

  return loaded ? (
    <Text>Open up App.console.log(); your app!</Text>
  ) : (
    <AppLoading />
  );
}

Ionicons를 load하고 나서 화면을 보여주기 위해 useEffect(ComponentDidMount)에서 load를 해오는 함수를 호출합니다.

1.2 logo preLoading 하기

expo 공식사이트에 local에 있는 이미지에 대해서 미리 load하는 것에 대해 알려주고 있습니다.

require를 사용하면 불러올 수 있다고 합니다.

1564072405294

App.js

await Asset.loadAsync(require("./assets/logo.png"));

위에 작성한 코드를 App.js에 넣어주면 Icon과 Logo에 대한 preLoad를 진행 할 수 있습니다.


1.3 느낀 점

expoFont,Assets를 import 해서 loadAsyncrequire를 이용해 데이터를 미리 load하는 방식을 사용했는데, [API DOC]를 자주 읽는 습관을 들여야 할 것 같습니다. 평소에 잘 읽지 않으니 DOC를 봐도 이해가 안되는 게 너무 많은 것 습니다..

2 .cache 사용하기

import { InMemoryCache } from "apollo-cache-inmemory"; //새로운 cache를 만들기 위함.
import { persistCache } from "apollo-cache-persist"; // 캐시 유지 
import apolloClientOptions from "./apollo";
import ApolloClient from "apollo-boost"; // ApolloClient를 쉽게 setting하기 위함
import { ApolloProvider } from "react-apollo-hooks"; //react-apollo에서 react-hooks를 사용하기 위함. 

client에서 작업하기 위해 apolloClient를 사용해야하는데 쉬운 설정을 하기 위해 apollo-boost를 사용했습니다.

  • apollo-boost : client에서 작업하기 위해 apolloClient를 사용해야하는데 쉬운 설정을 하기 위해 apollo-boost를 사용했습니다.
  • ApolloProvider : apollo-boost의 apolloClient로 만든 client를 제공해줄때 사용하는 것. 이번에는 react-hooks와 같이 사용할 것이기 때문에 react-apollo-hooksapolloProvider사용
  • persistCache : apollo에서 제공해주는 cache를 저장해주고 유지해주는 모듈.
  • apollo-cache-inmemory : 메모리상에 cache를 만들기 위해 사용하는 모듈.

  • cache를 만들어야함(inMemoryCache)

    const cache = new InMemoryCache();
    
  • 만든 cache를 유지시켜야함(persistCache)

    import { Text, View, AsyncStorage } from "react-native";
    
     await persistCache({
            cache,
            storage: AsyncStorage
          });
    
  • cache를 가지고 있는 client 만들기 (ApolloClient)

     const client = new ApolloClient({
            cache,
            ...apolloClientOptions
          });
    

  • Client 넘겨주기 (ApolloProvider)

     <ApolloProvider client={client}>
          <Text>Open up App..log(); your app!</Text>
        </ApolloProvider>
    

App.js

import React, { useState, useEffect } from "react";
import { Text, View, AsyncStorage } from "react-native";
import { AppLoading, Font, Asset } from "expo";
import { Ionicons } from "@expo/vector-icons";
import { InMemoryCache } from "apollo-cache-inmemory"; //새로운 cache를 만들기 위함.
import { persistCache } from "apollo-cache-persist"; // 캐시 유지
import apolloClientOptions from "./apollo";
import ApolloClient from "apollo-boost"; // ApolloClient를 쉽게 setting하기 위함
import { ApolloProvider } from "react-apollo-hooks"; //react-apollo에서 react-hooks를 사용하기 위함.

export default function App() {
  const [loaded, setLoaded] = useState(false);
  const [client, setClient] = useState(null);
  const preLoad = async () => {
    try {
      await Font.loadAsync({
        ...Ionicons.font
      });
      await Asset.loadAsync(require("./assets/logo.png"));
      const cache = new InMemoryCache();
      await persistCache({
        cache,
        storage: AsyncStorage
      });
      const client = new ApolloClient({
        cache,
        ...apolloClientOptions
      });
      setClient(client);
      setLoaded(true);
    } catch (error) {
      console.log(error);
    }
  };

  useEffect(() => {
    preLoad();
  }, []);

  return loaded ? (
    <ApolloProvider client={client}>
      <Text>Open up App..log(); your app!</Text>
    </ApolloProvider>
  ) : (
    <AppLoading />
  );
}


setting 요약

컴포넌트가 마운드 될때 (useEffect)사용해서 preLoading을 했습니다. preLoad는 비동기 함수입니다. preload가 하는 일은 크게 세가지로 나눌 수 있습니다. 첫번째로, font를 Load하는 동작입니다. 두번째로 assets를 Load합니다. 마지막으로는 cache를 만들고 그 cache를 가지고 있는 client를 만드는 것입니다.

  • font load하기

    제가 사용하는 font는 @expo/vector-icons이기 때문에 아래 내용을 import 합니다.

    import { Ionicons } from "@expo/vector-icons";
    
     await Font.loadAsync({
            ...Ionicons.font
          });
    
  • Assets load하기

    인스타그램의 logo를 load하기위해 사용합니다.

     await Asset.loadAsync(require("./assets/logo.png"));
    

    여러개의 loacal image를 load하고 싶을 때는 []를 사용해서 load할 수도 있습니다.

  • cache만들기

    사용자가 앱을 킬 때마다 load를 하는 모습을 보여주지 않기 위해 cache에 데이터를 저장해줄 것입니다.

    import { InMemoryCache } from "apollo-cache-inmemory"; //새로운 cache를 만들기 위함.
    import { persistCache } from "apollo-cache-persist"; // 캐시 유지
    
     const cache = new InMemoryCache();
          await persistCache({
            cache,
            storage: AsyncStorage
          });
            
    
  • cache를 가지고 있는 client만들기

    const client = new ApolloClient({
            cache,
            ...apolloClientOptions
          });
    
    <ApolloProvider client={client}>
          <Text>Open up App..log(); your app!</Text>
        </ApolloProvider>