这个也是一个基础项目

地址如下https://github.com/ndlonghi/react-native-template-app



点击登陆跳转到首页



分析代码如

react-native-template-app/src/components/loading/index.js

loading效果

import React from 'react';
import {
ActivityIndicator,
Image,
StyleSheet,
View
} from 'react-native'; function Loading(props) { return (
<View
style={styles.container}
>
<Image
source={require('../../assets/imgs/logo.png')}
style={styles.logo}
/>
<ActivityIndicator/>
</View>
) } const styles = StyleSheet.create({
container: {},
logo: {}
}); export default Loading;
//app.js
import React, {Component} from 'react';
import {Provider} from 'react-redux';
import {PersistGate} from 'redux-persist/integration/react';
//redux
//loading
//跳转路由
import {store, persistor} from "./src/store";
import Loading from "./src/components/loading/index";
import RootNavigator from "./src/navigation/containers"; export default class App extends Component {
render() {
return (
<Provider
store={store}
>
<PersistGate
loading={<Loading/>}
persistor={persistor}
>
<RootNavigator/>
</PersistGate>
</Provider>
);
}
}

src/store.js

import {
applyMiddleware,
createStore
} from 'redux';
import {persistStore, persistReducer} from 'redux-persist';
import storage from 'redux-persist/lib/storage';
import {createReactNavigationReduxMiddleware} from 'react-navigation-redux-helpers'; import rootReducer from './reducers'; const persistConfig = {
key: 'root',
storage,
blacklist: ['navigation']
}; const persistedReducer = persistReducer(persistConfig, rootReducer); const navigationMiddleware = createReactNavigationReduxMiddleware(
'root',
state => state.navigation
); const store = createStore(
persistedReducer,
applyMiddleware(navigationMiddleware)
); const persistor = persistStore(store); export {store, persistor};

src/reducers/index.js

import {combineReducers} from 'redux';

import auth from "../services/auth/reducers";
import navigation from "../navigation/reducers"; export default combineReducers({
auth,
navigation
});

数据处理

src/services/api/index.js

import {Environments} from "../../environments/environments";
import type {Credentials} from "../../models/credentials";
import type {AuthObject} from "../../models/auth-object";
import type {ApiErrorResponse} from "../../models/api-error-response"; class Api { static getBackendConfig() {
return Environments[Environments.env].backend;
} handleError(error: any): ApiErrorResponse {
let errorResponse: ApiErrorResponse = {
error: error,
text: 'An error ocurred. Please try again later.'
};
return errorResponse;
} async get(url: string): any | ApiErrorResponse {
return fetch(url, {
method: 'GET'
})
.then((response) => {
return response.json();
})
.catch((error: any) => {
reject(this.handleError(error));
})
} async post(url: string, data: any): any | ApiErrorResponse {
return fetch(url, {
method: 'POST',
body: JSON.stringify(data)
})
.then((response) => {
return response.json();
})
.catch((error: any) => {
reject(this.handleError(error));
})
} async login(credentials: Credentials): Promise<AuthObject | ApiErrorResponse> {
//const query = await this.post(Api.getBackendConfig().url + Endpoints.LOGIN, credentials);
//const {data} = await query.json();
//return data;
// Simulate api call
return new Promise((resolve, reject) => {
setTimeout(() => {
resolve({token: 'sanoteru'});
}, 1000);
})
} } const Endpoints = {
LOGIN: ''
}; export default new Api();
//src/services/auth/actions/action-tyes.js
export const SET_AUTH = 'SET_AUTH';
export const REMOVE_AUTH = 'REMOVE_AUTH';
///src/services/auth/actions/index.js
import {
REMOVE_AUTH,
SET_AUTH
} from "./action-tyes";
import type {AuthObject} from "../../../models/auth-object"; export const setAuth = (authObject: AuthObject) => ({
type: SET_AUTH,
payload: {
authObject
}
}); export const removeAuth = () => ({
type: REMOVE_AUTH
});
//src/services/auth/reducers/index.js
import {
REMOVE_AUTH,
SET_AUTH
} from "../actions/action-tyes"; function auth(state = {}, action) {
switch (action.type) {
case SET_AUTH: {
return {
authObject: action.payload.authObject
}
}
case REMOVE_AUTH: {
return {
authObject: null
}
}
default: {
return state;
}
}
} export default auth;
//src/screens/loading.js
import React, {Component} from 'react';
import {bindActionCreators} from 'redux';
import {connect} from 'react-redux'; import {navigateToHome, navigateToLogin} from "../navigation/actions/index";
import LoadingLayout from '../components/loading/index'; const mapStateToProps = state => {
return {
auth: state.auth
}
}; const mapDispatchToProps = dispatch => {
return bindActionCreators({navigateToLogin, navigateToHome}, dispatch);
}; class Loading extends Component { componentDidMount() {
this.redirect();
} redirect = () => {
if (this.props.auth.authObject) {
this.props.navigateToHome();
} else {
this.props.navigateToLogin();
}
}; render() {
return <LoadingLayout/>
} } export default connect(mapStateToProps, mapDispatchToProps)(Loading);
//src/screens/login.js
import React, {Component} from 'react';
import {
Button,
Image,
SafeAreaView,
StyleSheet,
TextInput,
View
} from 'react-native';
import {connect} from 'react-redux';
import {bindActionCreators} from "redux"; import {removeAuth, setAuth} from "../services/auth/actions/index";
import {navigateToHome} from "../navigation/actions/index";
import type {AuthObject} from "../models/auth-object";
import type {ApiErrorResponse} from "../models/api-error-response";
import Api from '../services/api/index'; const mapDispatchToProps = dispatch => {
return bindActionCreators({setAuth, removeAuth, navigateToHome}, dispatch);
}; class Login extends Component { handleSubmit = () => {
Api.login({
email: 'mobile@4rsoluciones.com',
password: 'aoeu'
})
.then((auth: AuthObject) => {
this.props.setAuth(auth);
this.props.navigateToHome();
})
.catch((error: ApiErrorResponse) => {
this.props.removeAuth();
})
}; render() {
return (
<SafeAreaView style={styles.container}>
<View>
<Image
source={require('../assets/imgs/logo.png')}
style={styles.logo}
/>
<TextInput
style={styles.input}
placeholder="Username"
placeholderTextColor="white"
/>
<TextInput
style={styles.input}
placeholder="Password"
placeholderTextColor="white"
secureTextEntry={true}
/>
<Button
onPress={this.handleSubmit}
title="Log in"
/>
</View>
</SafeAreaView>
)
} } const styles = StyleSheet.create({
container: {
flex: 1,
alignItems: 'center',
justifyContent: 'center',
backgroundColor: 'white',
},
logo: {
width: 200,
height: 80,
resizeMode: 'contain',
marginBottom: 10,
},
input: {
marginBottom: 10,
width: 250,
height: 50,
paddingHorizontal: 10,
borderRadius: 5,
backgroundColor: '#838383',
color: 'white',
}
}); export default connect(null, mapDispatchToProps)(Login);

login引用的是这里的api

import {Environments} from "../../environments/environments";
import type {Credentials} from "../../models/credentials";
import type {AuthObject} from "../../models/auth-object";
import type {ApiErrorResponse} from "../../models/api-error-response"; class Api { static getBackendConfig() {
return Environments[Environments.env].backend;
} handleError(error: any): ApiErrorResponse {
let errorResponse: ApiErrorResponse = {
error: error,
text: 'An error ocurred. Please try again later.'
};
return errorResponse;
} async get(url: string): any | ApiErrorResponse {
return fetch(url, {
method: 'GET'
})
.then((response) => {
return response.json();
})
.catch((error: any) => {
reject(this.handleError(error));
})
} async post(url: string, data: any): any | ApiErrorResponse {
return fetch(url, {
method: 'POST',
body: JSON.stringify(data)
})
.then((response) => {
return response.json();
})
.catch((error: any) => {
reject(this.handleError(error));
})
} async login(credentials: Credentials): Promise<AuthObject | ApiErrorResponse> {
//const query = await this.post(Api.getBackendConfig().url + Endpoints.LOGIN, credentials);
//const {data} = await query.json();
//return data;
// Simulate api call
return new Promise((resolve, reject) => {
setTimeout(() => {
resolve({token: 'sanoteru'});
}, 1000);
})
} } const Endpoints = {
LOGIN: ''
}; export default new Api();
//src/screens/home.js
import React, {Component} from 'react';
import {
Button,
SafeAreaView,
StyleSheet,
Text,
View
} from 'react-native';
import {connect} from 'react-redux';
import {bindActionCreators} from "redux"; import {removeAuth} from "../services/auth/actions/index";
import {navigateToLogin} from "../navigation/actions/index"; const mapDispatchToProps = dispatch => {
return bindActionCreators({removeAuth, navigateToLogin}, dispatch);
}; class Home extends Component { handleLogout = () => {
this.props.removeAuth();
this.props.navigateToLogin();
}; render() {
return (
<SafeAreaView style={styles.container}>
<View>
<Text>This is the home</Text>
<Button
onPress={this.handleLogout}
title="Log out"
/>
</View>
</SafeAreaView>
)
} } const styles = StyleSheet.create({
container: {
flex: 1,
backgroundColor: 'white',
}
}); export default connect(null, mapDispatchToProps)(Home);

关于navigation部分还进行了很多处理,项目不容易啊~

【水滴石穿】react-native-template-app的更多相关文章

  1. React Native发布APP之打包iOS应用

    用React Native开发好APP之后,如何将APP发布以供用户使用呢?一款APP的发布流程无外乎:签名打包—>发布到各store这两大步骤.本文将向大家分享如何签名打包一款React Na ...

  2. React Native & CodePush & App Center

    React Native & CodePush & App Center https://docs.microsoft.com/en-us/appcenter/distribution ...

  3. React Native的APP打包教程

    1.改软件的名称 2.改软件的图标 3.给做好的项目打成APP包 改软件的名称 找到项目的改名的位置 然后用记事本打开strings.xml,然后改自己想要的名字 改软件的图标 找到如下5个文件,然后 ...

  4. React Native & Web APP

    React Native Build native mobile apps using JavaScript and React https://facebook.github.io/react-na ...

  5. react native改变app的图标和名称

    beauty\android\app\src\main\res

  6. React Native指南汇集了各类react-native学习资源、开源App和组件

    来自:https://github.com/ele828/react-native-guide React Native指南汇集了各类react-native学习资源.开源App和组件 React-N ...

  7. 用CodePush在React Native App中做热更新

    最近在学React Native,学到了CodePush热更新. 老师讲了两种实现的方法,现将其记录一下. 相比较原生开发,使用React Native开发App不仅能节约开发成本,还能做原生开发不能 ...

  8. React Native初探

    前言 很久之前就想研究React Native了,但是一直没有落地的机会,我一直认为一个技术要有落地的场景才有研究的意义,刚好最近迎来了新的APP,在可控的范围内,我们可以在上面做任何想做的事情. P ...

  9. React Native填坑之旅 -- 使用iOS原生视图(高德地图)

    在开发React Native的App的时候,你会遇到很多情况是原生的视图组件已经开发好了的.有的是系统的SDK提供的,有的是第三方试图组件,总之你的APP可以直接使用的原生视图是很多的.React ...

  10. H5、React Native、Native应用对比分析

    每日更新关注:http://weibo.com/hanjunqiang  新浪微博!iOS开发者交流QQ群: 446310206 "存在即合理".凡是存在的,都是合乎规律的.任何新 ...

随机推荐

  1. ArcGIS中线转面

    1. 打开ArcMap用Add Data加载shp Polyline线文件. 2. 选Editor编辑\Start Editing开始编辑. 3. 选Editor编辑\More Editing Too ...

  2. Location protocol 属性

    Location protocol 属性 定义和用法 protocol 属性是一个可读可写的字符串,可设置或返回当前 URL 的协议. 语法 location.protocol <!DOCTYP ...

  3. PAT甲级——A1048 Find Coins

    Eva loves to collect coins from all over the universe, including some other planets like Mars. One d ...

  4. LeetCode简单算法之删除链表中的节点 #237

    闲来无事,刷刷力扣,以解心头之闷. 题目内容: 请编写一个函数,使其可以删除某个链表中给定的(非末尾)节点,你将只被给定要求被删除的节点. 现有一个链表 -- head = [4,5,1,9],它可以 ...

  5. Redis 分布式锁进化史

    按:系统架构经过多年演进,现在越来越多的系统采用微服务架构,而说到微服务架构必然牵涉到分布式,以前单体应用加锁是很简单的,但现在分布式系统下加锁就比较难了,我之前曾简单写过一篇文章,关于分布式锁的实现 ...

  6. shell中各种括号的作用详解()、(())、[]、[[]]、{}

    一.小括号,圆括号() 1.单小括号 () ①命令组.括号中的命令将会新开一个子shell顺序执行,所以括号中的变量不能够被脚本余下的部分使用.括号中多个命令之间用分号隔开,最后一个命令可以没有分号, ...

  7. Redis源码解析:19Hiredis异步API代码解析

    Hiredis中的异步API函数需要与事件库(libevent,libev, ev)一起工作.因为事件循环的机制,异步环境中的命令是自动管道化的.因为命令是异步发送的,因此发送命令时,必要情况下,需要 ...

  8. C# 基础才是重中之重~对象的生与死

    为何要写 之所以写这篇文章,完全是因为学生们在实际开发中遇到的问题,一个对象占用的内存空间总不被释放,导致系统内存不断攀升,其最主要原因是我们对“对象的生与死”不清楚,或者从来没有认真去考虑过这件事, ...

  9. PHP实现微信申请退款流程实例源码

    https://www.jb51.net/article/136476.htm 目录 前期准备: 前面讲了怎么实现微信支付,详见博文:PHP实现微信支付(jsapi支付)流程  和ThinkPHP中实 ...

  10. cmd下带参数执行python文件

    在一个文件下下创建程序代码,     sys.argv 即后续cmd中需要传入的参数列表,     sys.argv[0]即要执行的文件名     sys.argv[n]即参数的字符串 # -*- c ...