Lazy Loading은 리소스가 필요할 때만 로드되는 디자인 패턴입니다. 이는 React Native 애플리케이션의 초기 로드 시간을 개선하고 메모리 소비를 줄이며 전반적인 성능을 향상시키는 데 도움이 됩니다.
왜 지연 로딩인가?
- 성능 최적화: 앱 초기 실행 시 불필요한 리소스의 로딩을 방지하여 로딩 시간을 대폭 줄일 수 있습니다.
- 메모리 사용량 감소: 지연 로딩은 필요하지 않을 때 이미지, 구성 요소 또는 외부 라이브러리와 같은 대규모 리소스를 메모리에 유지하는 것을 방지합니다.
- 향상된 사용자 경험: 요청 시 리소스를 로드하면 더욱 원활한 탐색 및 상호 작용이 가능합니다.
1) React Native 화면/컴포넌트의 지연 로딩 사용 사례
지연 로딩 화면(코드 분할):
React Native에서 지연 로딩은 일반적으로 구성 요소에 사용되며, 특히 사용자가 자주 방문하지 않을 수 있는 다른 화면이 있는 경우에는 더욱 그렇습니다. 이러한 화면을 느리게 로드하면 초기 번들 크기가 줄어듭니다.React.lazy() 및 Suspense를 사용한 지연 로딩:
React는 구성 요소의 지연 로딩을 활성화하기 위해 React.lazy() 함수를 도입했습니다. 지연 로딩을 사용하려면 구성 요소가 로드될 때까지 Suspense를 대체 수단으로 사용합니다.
일반 사용법
일반적인 사용에서는 앱이 시작될 때 모든 리소스, 구성 요소, 라이브러리 및 데이터가 미리 로드됩니다. 이 접근 방식은 소규모 애플리케이션에는 적합하지만 앱이 성장함에 따라 비효율적이고 리소스 집약적이어서 성능과 로드 시간에 영향을 미칠 수 있습니다.
예: 일반 구성요소 로딩
import React from 'react'; import HomeScreen from './screens/HomeScreen'; import ProfileScreen from './screens/ProfileScreen'; const App = () => { return ( <homescreen></homescreen> <profilescreen></profilescreen> > ); }; export default App;
설명:
- 이 예에서는 사용자가 탐색하는지 여부에 관계없이 HomeScreen 및 ProfileScreen 구성 요소를 모두 가져오고 미리 로드합니다.
- 이렇게 하면 모든 구성 요소가 한 번에 번들로 로드되기 때문에 초기 로드 시간이 늘어납니다.
지연 로딩 사용법
지연 로딩을 사용하면 필요할 때만 구성 요소, 라이브러리 또는 데이터가 로드됩니다. 필요한 리소스만 요청 시 로드되므로 초기 로드 시간과 메모리 사용량이 줄어들어 성능이 향상됩니다.
예: 지연 로딩 구성 요소
import React, { Suspense, lazy } from 'react'; import { ActivityIndicator } from 'react-native'; const HomeScreen = lazy(() => import('./screens/HomeScreen')); const ProfileScreen = lazy(() => import('./screens/ProfileScreen')); const App = () => { return ( <suspense fallback="{<ActivityIndicator" size="large" color="#0000ff"></suspense>}> <homescreen></homescreen> <profilescreen></profilescreen> ); }; export default App;
설명:
- 이 예에서는 HomeScreen과 ProfileScreen이 React.lazy()를 사용하여 지연 로드됩니다.
- 이러한 구성요소가 로드될 때까지 대체(ActivityIndicator)가 표시됩니다.
- 구성요소가 렌더링될 때만 로드되므로 앱의 초기 로드 시간이 단축됩니다.
일반 로딩과 지연 로딩의 차이점
Feature | Normal Usage | Lazy Loading |
---|---|---|
Loading Strategy | Everything is loaded upfront when the app starts. | Components, resources, or data are loaded only when needed. |
Initial Load Time | Higher, as all resources are loaded at once. | Lower, as only essential components are loaded upfront. |
Memory Usage | Higher, as all components and resources are loaded into memory. | Lower, as only necessary components are loaded into memory. |
User Experience | Slower startup but smoother transitions once loaded. | Faster startup but slight delay when loading resources. |
Best for | Small applications with limited components. | Large applications where not all components are used initially. |
Implementation | Simpler, as everything is bundled at once. | Requires managing dynamic imports and possibly loading states. |
2. Lazy Loading in Navigation (React Navigation):
Lazy loading ensures that screens or components are only mounted when they are accessed (when the user navigates to them), thus improving performance, especially in apps with multiple screens.
Example: Lazy Loading in React Navigation (Stack Navigator)
import React, { Suspense, lazy } from 'react'; import { createStackNavigator } from '@react-navigation/stack'; import { NavigationContainer } from '@react-navigation/native'; import { ActivityIndicator } from 'react-native'; // Lazy load screens const HomeScreen = lazy(() => import('./screens/HomeScreen')); const ProfileScreen = lazy(() => import('./screens/ProfileScreen')); const Stack = createStackNavigator(); const App = () => { return ( <navigationcontainer> <stack.navigator> <stack.screen name="Home" component="{()"> ( <suspense fallback="{<ActivityIndicator" size="large" color="#0000ff"></suspense>}> <homescreen></homescreen> )} /> <stack.screen name="Profile" component="{()"> ( <suspense fallback="{<ActivityIndicator" size="large" color="#0000ff"></suspense>}> <profilescreen></profilescreen> )} /> </stack.screen></stack.screen></stack.navigator> </navigationcontainer> ); }; export default App;
Explanation:
- In this example, the HomeScreen and ProfileScreen components are lazily loaded using React.lazy().
- The Suspense component provides a loading indicator (ActivityIndicator) while the components are being loaded.
- Screens will only load when the user navigates to them, reducing the initial load time.
3. Lazy Loading Images :
In React Native, lazy loading can be achieved using libraries like react-native-fast-image or manually handling image loading by tracking visibility with tools like IntersectionObserver.
a) Using react-native-fast-image
react-native-fast-image is a performant image component that provides built-in lazy loading.
npm install react-native-fast-image
Example: Lazy Loading Images with react-native-fast-image
import React from 'react'; import { View, ScrollView, Text } from 'react-native'; import FastImage from 'react-native-fast-image'; const LazyLoadingImages = () => { return ( <scrollview> <text>Scroll down to load images</text> <fastimage style="{{" width: height: source="{{" uri: priority: fastimage.priority.normal resizemode="{FastImage.resizeMode.contain}"></fastimage> <fastimage style="{{" width: height: source="{{" uri: priority: fastimage.priority.normal resizemode="{FastImage.resizeMode.contain}"></fastimage> </scrollview> ); }; export default LazyLoadingImages;
Explanation:
- The FastImage component from react-native-fast-image helps with lazy loading. It loads images only when they are about to be displayed.
- It also provides efficient caching and priority options, improving performance.
b) Manual Lazy Loading (Visibility Tracking)
In cases where you don't want to use a third-party library, you can implement lazy loading by tracking when an image enters the viewport using tools like IntersectionObserver (web) or a custom scroll listener in React Native.
Example: Lazy Loading with Visibility Tracking (using React Native)
import React, { useState, useEffect } from 'react'; import { View, Image, ScrollView } from 'react-native'; const LazyImage = ({ src, style }) => { const [isVisible, setIsVisible] = useState(false); const onScroll = (event) => { // Implement logic to determine if image is visible based on scroll position const { y } = event.nativeEvent.contentOffset; if (y > 100) { // Example: load image when scrolled past 100px setIsVisible(true); } }; return ( <scrollview onscroll="{onScroll}" scrolleventthrottle="{16}"> <view> {isVisible ? ( <image source="{{" uri: src style="{style}"></image> ) : ( <view style="{style}"></view> )} </view> </scrollview> ); }; const App = () => { return ( <lazyimage src="https://example.com/my-image.jpg" style="{{" width: height:></lazyimage> ); }; export default App;
Explanation:
- The LazyImage component only loads the image once the user has scrolled a certain amount (onScroll event).
- This approach manually tracks the scroll position and loads the image accordingly.
4. Lazy Loading with Redux (Dynamic Reducers) :
When using Redux, you may want to lazy load certain reducers only when necessary, such as for specific screens or features.
- Create a function to inject reducers dynamically.
- Add the new reducer to the Redux store when needed (e.g., when a user navigates to a new screen).
- Remove the reducer when it is no longer needed (optional).
Example: Lazy Loading Reducers in a React Application with Redux
1. Initial Redux Store Setup
Start by setting up a standard Redux store, but instead of adding all reducers upfront, create an injection method.
import { configureStore, combineReducers } from '@reduxjs/toolkit'; const staticReducers = { // Add reducers that are needed from the start }; export const createReducer = (asyncReducers = {}) => { return combineReducers({ ...staticReducers, ...asyncReducers, }); }; const store = configureStore({ reducer: createReducer(), }); // Store injected reducers here store.asyncReducers = {}; export default store;
In the above code:
- staticReducers: Contains reducers that are loaded when the app starts.
- asyncReducers: This object will contain dynamically injected reducers as they are loaded.
2. Dynamic Reducer Injection Method
Create a helper function to inject new reducers dynamically into the store.
// Helper function to inject a new reducer dynamically export function injectReducer(key, asyncReducer) { if (!store.asyncReducers[key]) { store.asyncReducers[key] = asyncReducer; store.replaceReducer(createReducer(store.asyncReducers)); } }
The injectReducer function checks if a reducer has already been added. If not, it injects it into the store and replaces the current root reducer.
3. Loading Reducer When Needed (Lazy Loading)
Imagine you have a new page or feature that needs its own reducer. You can inject the reducer dynamically when this page is loaded.
import { lazy, Suspense, useEffect } from 'react'; import { useDispatch } from 'react-redux'; import { injectReducer } from './store'; import featureReducer from './features/featureSlice'; // The reducer for this feature const FeatureComponent = lazy(() => import('./components/FeatureComponent')); const FeaturePage = () => { const dispatch = useDispatch(); useEffect(() => { injectReducer('feature', featureReducer); // Dynamically load the reducer }, [dispatch]); return ( <suspense fallback="{<div">Loading...}> <featurecomponent></featurecomponent> </suspense> ); }; export default FeaturePage;
Here:
- When the FeaturePage component is loaded, the injectReducer function adds the featureReducer dynamically to the Redux store.
- The Suspense component handles lazy loading of the FeatureComponent.
4. Feature Reducer Example
The reducer for the feature is written as usual, using Redux Toolkit.
import { createSlice } from '@reduxjs/toolkit'; const featureSlice = createSlice({ name: 'feature', initialState: { data: [] }, reducers: { setData: (state, action) => { state.data = action.payload; }, }, }); export const { setData } = featureSlice.actions; export default featureSlice.reducer;
Removing a Reducer (Optional)
You might want to remove a reducer when it's no longer needed, for example, when navigating away from a page.
Here’s how you can remove a reducer:
export function removeReducer(key) { if (store.asyncReducers[key]) { delete store.asyncReducers[key]; store.replaceReducer(createReducer(store.asyncReducers)); } }
You can call this function when a feature or page is unmounted to remove its reducer from the store.
5. Lazy Loading Libraries/Packages:
If you are using heavy third-party libraries, lazy loading them can help optimize performance.
import React, { useState } from 'react'; const HeavyComponent = React.lazy(() => import('heavy-library')); // React.lazy(() => import('moment')) const App = () => { const [showComponent, setShowComponent] = useState(false); return ( <view> <button title="Load Heavy Component" onpress="{()"> setShowComponent(true)} /> {showComponent && ( <suspense fallback="{<Text">Loading...}> <heavycomponent></heavycomponent> </suspense> )} </button></view> ); };
- Lazy Loading Data: You can also implement lazy loading for data fetching, where data is fetched in chunks or when a user scrolls (infinite scroll).
Example: Lazy Loading Data:
import React, { useState, useEffect } from 'react'; import { FlatList, ActivityIndicator, Text } from 'react-native'; const LazyLoadData = () => { const [data, setData] = useState([]); const [loading, setLoading] = useState(true); useEffect(() => { fetch('https://api.example.com/data') .then(response => response.json()) .then(json => { setData(json); setLoading(false); }); }, []); if (loading) { return <activityindicator></activityindicator>; } return ( <flatlist data="{data}" renderitem="{({" item> <text>{item.name}</text>} keyExtractor={item => item.id} /> ); }; export default LazyLoadData; </flatlist>
Explanation:
- Fetching data lazily ensures that the app doesn’t load too much data at once, improving performance and reducing bandwidth usage.
Summary of Use Cases:
- Screens/Components: Lazy loading React Native screens or components using React.lazy() and Suspense.
- Images: Lazy loading images as they enter the viewport to save memory and bandwidth.
- Redux Reducers: Injecting reducers dynamically to reduce the initial store size in Redux.
- Libraries: Lazily load third-party libraries or packages to reduce the initial bundle size.
- Data: Implement lazy loading for large datasets using techniques like pagination or infinite scrolling.
Lazy loading helps improve the performance, memory usage, and user experience of your React Native app, making it more efficient and responsive for users.
위 내용은 React Native/ReactJS의 지연 로딩 개념 마스터하기의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!

JavaScript 문자열 교체 방법 및 FAQ에 대한 자세한 설명 이 기사는 JavaScript에서 문자열 문자를 대체하는 두 가지 방법 인 내부 JavaScript 코드와 웹 페이지의 내부 HTML을 탐색합니다. JavaScript 코드 내부의 문자열을 교체하십시오 가장 직접적인 방법은 대체 () 메소드를 사용하는 것입니다. str = str.replace ( "find", "replace"); 이 메소드는 첫 번째 일치 만 대체합니다. 모든 경기를 교체하려면 정규 표현식을 사용하고 전역 플래그 g를 추가하십시오. str = str.replace (/fi

이 튜토리얼은 사용자 정의 Google 검색 API를 블로그 또는 웹 사이트에 통합하는 방법을 보여 주며 표준 WordPress 테마 검색 기능보다보다 세련된 검색 경험을 제공합니다. 놀랍게도 쉽습니다! 검색을 Y로 제한 할 수 있습니다

그래서 여기 당신은 Ajax라는이 일에 대해 배울 준비가되어 있습니다. 그러나 정확히 무엇입니까? Ajax라는 용어는 역동적이고 대화식 웹 컨텐츠를 만드는 데 사용되는 느슨한 기술 그룹을 나타냅니다. 원래 Jesse J에 의해 만들어진 Ajax라는 용어

이 기사 시리즈는 2017 년 중반에 최신 정보와 새로운 예제로 다시 작성되었습니다. 이 JSON 예에서는 JSON 형식을 사용하여 파일에 간단한 값을 저장하는 방법을 살펴 봅니다. 키 값 쌍 표기법을 사용하여 모든 종류를 저장할 수 있습니다.

손쉬운 웹 페이지 레이아웃에 대한 jQuery 활용 : 8 에센셜 플러그인 jQuery는 웹 페이지 레이아웃을 크게 단순화합니다. 이 기사는 프로세스를 간소화하는 8 개의 강력한 JQuery 플러그인을 강조합니다. 특히 수동 웹 사이트 생성에 유용합니다.

핵심 포인트 JavaScript에서는 일반적으로 메소드를 "소유"하는 객체를 말하지만 함수가 호출되는 방식에 따라 다릅니다. 현재 객체가 없으면 글로벌 객체를 나타냅니다. 웹 브라우저에서는 창으로 표시됩니다. 함수를 호출 할 때 이것은 전역 객체를 유지하지만 객체 생성자 또는 그 메소드를 호출 할 때는 객체의 인스턴스를 나타냅니다. call (), apply () 및 bind ()와 같은 메소드를 사용 하여이 컨텍스트를 변경할 수 있습니다. 이 방법은 주어진이 값과 매개 변수를 사용하여 함수를 호출합니다. JavaScript는 훌륭한 프로그래밍 언어입니다. 몇 년 전,이 문장은있었습니다

JQuery는 훌륭한 JavaScript 프레임 워크입니다. 그러나 어떤 도서관과 마찬가지로, 때로는 진행 상황을 발견하기 위해 후드 아래로 들어가야합니다. 아마도 버그를 추적하거나 jQuery가 특정 UI를 달성하는 방법에 대해 궁금한 점이 있기 때문일 것입니다.

이 게시물은 Android, BlackBerry 및 iPhone 앱 개발을위한 유용한 치트 시트, 참조 안내서, 빠른 레시피 및 코드 스 니펫을 컴파일합니다. 개발자가 없어서는 안됩니다! 터치 제스처 참조 안내서 (PDF) Desig를위한 귀중한 자원


핫 AI 도구

Undresser.AI Undress
사실적인 누드 사진을 만들기 위한 AI 기반 앱

AI Clothes Remover
사진에서 옷을 제거하는 온라인 AI 도구입니다.

Undress AI Tool
무료로 이미지를 벗다

Clothoff.io
AI 옷 제거제

AI Hentai Generator
AI Hentai를 무료로 생성하십시오.

인기 기사

뜨거운 도구

Dreamweaver Mac版
시각적 웹 개발 도구

SublimeText3 Linux 새 버전
SublimeText3 Linux 최신 버전

SublimeText3 중국어 버전
중국어 버전, 사용하기 매우 쉽습니다.

SublimeText3 영어 버전
권장 사항: Win 버전, 코드 프롬프트 지원!

ZendStudio 13.5.1 맥
강력한 PHP 통합 개발 환경
