This commit is contained in:
Philip Cheung 2024-02-27 16:19:55 +08:00
commit feebeffcd9
141 changed files with 25124 additions and 0 deletions

7
.babelrc Executable file
View File

@ -0,0 +1,7 @@
{
"presets": ["react-native","react-native-stage-0"],
"plugins": ["transform-decorators-legacy"]
}

6
.buckconfig Executable file
View File

@ -0,0 +1,6 @@
[android]
target = Google Inc.:Google APIs:23
[maven_repositories]
central = https://repo1.maven.org/maven2

3
.expo/packager-info.json Executable file
View File

@ -0,0 +1,3 @@
{
"expoServerPort": null
}

7
.expo/settings.json Executable file
View File

@ -0,0 +1,7 @@
{
"hostType": "tunnel",
"lanType": "ip",
"dev": true,
"minify": false,
"urlRandomness": null
}

67
.flowconfig Executable file
View File

@ -0,0 +1,67 @@
[ignore]
; We fork some components by platform
.*/*[.]android.js
; Ignore "BUCK" generated dirs
<PROJECT_ROOT>/\.buckd/
; Ignore unexpected extra "@providesModule"
.*/node_modules/.*/node_modules/fbjs/.*
; Ignore duplicate module providers
; For RN Apps installed via npm, "Libraries" folder is inside
; "node_modules/react-native" but in the source repo it is in the root
.*/Libraries/react-native/React.js
; Ignore polyfills
.*/Libraries/polyfills/.*
; Ignore metro
.*/node_modules/metro/.*
[include]
[libs]
node_modules/react-native/Libraries/react-native/react-native-interface.js
node_modules/react-native/flow/
node_modules/react-native/flow-github/
[options]
emoji=true
module.system=haste
module.system.haste.use_name_reducers=true
# get basename
module.system.haste.name_reducers='^.*/\([a-zA-Z0-9$_.-]+\.js\(\.flow\)?\)$' -> '\1'
# strip .js or .js.flow suffix
module.system.haste.name_reducers='^\(.*\)\.js\(\.flow\)?$' -> '\1'
# strip .ios suffix
module.system.haste.name_reducers='^\(.*\)\.ios$' -> '\1'
module.system.haste.name_reducers='^\(.*\)\.android$' -> '\1'
module.system.haste.name_reducers='^\(.*\)\.native$' -> '\1'
module.system.haste.paths.blacklist=.*/__tests__/.*
module.system.haste.paths.blacklist=.*/__mocks__/.*
module.system.haste.paths.blacklist=<PROJECT_ROOT>/node_modules/react-native/Libraries/Animated/src/polyfills/.*
module.system.haste.paths.whitelist=<PROJECT_ROOT>/node_modules/react-native/Libraries/.*
munge_underscores=true
module.name_mapper='^[./a-zA-Z0-9$_-]+\.\(bmp\|gif\|jpg\|jpeg\|png\|psd\|svg\|webp\|m4v\|mov\|mp4\|mpeg\|mpg\|webm\|aac\|aiff\|caf\|m4a\|mp3\|wav\|html\|pdf\)$' -> 'RelativeImageStub'
module.file_ext=.js
module.file_ext=.jsx
module.file_ext=.json
module.file_ext=.native.js
suppress_type=$FlowIssue
suppress_type=$FlowFixMe
suppress_type=$FlowFixMeProps
suppress_type=$FlowFixMeState
suppress_comment=\\(.\\|\n\\)*\\$FlowFixMe\\($\\|[^(]\\|(\\(<VERSION>\\)? *\\(site=[a-z,_]*react_native[a-z,_]*\\)?)\\)
suppress_comment=\\(.\\|\n\\)*\\$FlowIssue\\((\\(<VERSION>\\)? *\\(site=[a-z,_]*react_native[a-z,_]*\\)?)\\)?:? #[0-9]+
suppress_comment=\\(.\\|\n\\)*\\$FlowFixedInNextDeploy
suppress_comment=\\(.\\|\n\\)*\\$FlowExpectedError
[version]
^0.75.0

1
.gitattributes vendored Executable file
View File

@ -0,0 +1 @@
*.pbxproj -text

56
.gitignore vendored Executable file
View File

@ -0,0 +1,56 @@
# OSX
#
.DS_Store
# Xcode
#
build/
*.pbxuser
!default.pbxuser
*.mode1v3
!default.mode1v3
*.mode2v3
!default.mode2v3
*.perspectivev3
!default.perspectivev3
xcuserdata
*.xccheckout
*.moved-aside
DerivedData
*.hmap
*.ipa
*.xcuserstate
project.xcworkspace
# Android/IntelliJ
#
build/
.idea
.gradle
local.properties
*.iml
# node.js
#
node_modules/
npm-debug.log
yarn-error.log
# BUCK
buck-out/
\.buckd/
*.keystore
# fastlane
#
# It is recommended to not store the screenshots in the git repo. Instead, use fastlane to re-generate the
# screenshots whenever they are needed.
# For more information about the recommended setup visit:
# https://docs.fastlane.tools/best-practices/source-control/
*/fastlane/report.xml
*/fastlane/Preview.html
*/fastlane/screenshots
# Bundle artifact
*.jsbundle

2
.vscode/settings.json vendored Executable file
View File

@ -0,0 +1,2 @@
{
}

1
.watchmanconfig Executable file
View File

@ -0,0 +1 @@
{}

51
App.js Executable file
View File

@ -0,0 +1,51 @@
/**
* Sample React Native App
* https://github.com/facebook/react-native
*
* @format
* @flow
*/
import React, {Component} from 'react';
import {Platform, StyleSheet, Text, View} from 'react-native';
import {observable} from 'mobx'
import {observer} from 'mobx-react/native'
const instructions = Platform.select({
ios: 'Press Cmd+R to reload,\n' + 'Cmd+D or shake for dev menu',
android:
'Double tap R on your keyboard to reload,\n' +
'Shake or press menu button for dev menu',
});
@observer
export default class App extends Component {
render() {
return (
<View style={styles.container}>
<Text style={styles.welcome}>Welcome to React Native!</Text>
<Text style={styles.instructions}>To get started, edit App.js</Text>
<Text style={styles.instructions}>{instructions}</Text>
</View>
);
}
}
const styles = StyleSheet.create({
container: {
flex: 1,
justifyContent: 'center',
alignItems: 'center',
backgroundColor: '#F5FCFF',
},
welcome: {
fontSize: 20,
textAlign: 'center',
margin: 10,
},
instructions: {
textAlign: 'center',
color: '#333333',
marginBottom: 5,
},
});

91
README.md Normal file
View File

@ -0,0 +1,91 @@
## Hangry
## Description
Hangry is a mobile application for food delivery, where customers can place orders, make payments, and it is integrated with the Stripe third-party payment system. Additionally, Google Maps will display the pickup location for the food delivery.
### Screenshot
<img src="./app/images/apppreview_en1.jpg" width="20%" height="20%">
<img src="./app/images/apppreview_en2.jpg" width="20%" height="20%">
<img src="./app/images/apppreview_en3.jpg" width="20%" height="20%">
<img src="./app/images/apppreview_en4.jpg" width="20%" height="20%">
<img src="./app/images/banner.png">
This is a new [**React Native**](https://reactnative.dev) project, bootstrapped using [`@react-native-community/cli`](https://github.com/react-native-community/cli).
# Getting Started
>**Note**: Make sure you have completed the [React Native - Environment Setup](https://reactnative.dev/docs/environment-setup) instructions till "Creating a new application" step, before proceeding.
## Step 1: Start the Metro Server
First, you will need to start **Metro**, the JavaScript _bundler_ that ships _with_ React Native.
To start Metro, run the following command from the _root_ of your React Native project:
```bash
# using npm
npm start
# OR using Yarn
yarn start
```
## Step 2: Start your Application
Let Metro Bundler run in its _own_ terminal. Open a _new_ terminal from the _root_ of your React Native project. Run the following command to start your _Android_ or _iOS_ app:
### For Android
```bash
# using npm
npm run android
# OR using Yarn
yarn android
```
### For iOS
```bash
# using npm
npm run ios
# OR using Yarn
yarn ios
```
If everything is set up _correctly_, you should see your new app running in your _Android Emulator_ or _iOS Simulator_ shortly provided you have set up your emulator/simulator correctly.
This is one way to run your app — you can also run it directly from within Android Studio and Xcode respectively.
## Step 3: Modifying your App
Now that you have successfully run the app, let's modify it.
1. Open `App.tsx` in your text editor of choice and edit some lines.
2. For **Android**: Press the <kbd>R</kbd> key twice or select **"Reload"** from the **Developer Menu** (<kbd>Ctrl</kbd> + <kbd>M</kbd> (on Window and Linux) or <kbd>Cmd ⌘</kbd> + <kbd>M</kbd> (on macOS)) to see your changes!
For **iOS**: Hit <kbd>Cmd ⌘</kbd> + <kbd>R</kbd> in your iOS Simulator to reload the app and see your changes!
## Congratulations! :tada:
You've successfully run and modified your React Native App. :partying_face:
### Now what?
- If you want to add this new React Native code to an existing application, check out the [Integration guide](https://reactnative.dev/docs/integration-with-existing-apps).
- If you're curious to learn more about React Native, check out the [Introduction to React Native](https://reactnative.dev/docs/getting-started).
# Troubleshooting
If you can't get this to work, see the [Troubleshooting](https://reactnative.dev/docs/troubleshooting) page.
# Learn More
To learn more about React Native, take a look at the following resources:
- [React Native Website](https://reactnative.dev) - learn more about React Native.
- [Getting Started](https://reactnative.dev/docs/environment-setup) - an **overview** of React Native and how setup your environment.
- [Learn the Basics](https://reactnative.dev/docs/getting-started) - a **guided tour** of the React Native **basics**.
- [Blog](https://reactnative.dev/blog) - read the latest official React Native **Blog** posts.
- [`@facebook/react-native`](https://github.com/facebook/react-native) - the Open Source; GitHub **repository** for React Native.

4
app.json Executable file
View File

@ -0,0 +1,4 @@
{
"name": "foodDelivery_v1",
"displayName": "foodDelivery_v1"
}

3
app/Global.js Executable file
View File

@ -0,0 +1,3 @@
export default {
login: false
};

View File

@ -0,0 +1,189 @@
import React, { Component } from "react";
import {
Platform,
StyleSheet,
View,
Alert,
NetInfo,
Geolocation,
TouchableOpacity,
SafeAreaView,
StatusBar,
Image
} from "react-native";
import Header from "../../components/Public/header";
import Text from "react-native-text";
import { SearchBar } from "react-native-elements";
import { observer, inject } from "mobx-react/native";
import { observable, transaction } from "mobx";
import { scale, verticalScale, moderateScale } from "react-native-size-matters";
import { width, height } from "../../config/screen";
import MapView, { Polyline } from "react-native-maps";
import MapViewDirections from "react-native-maps-directions";
import AsyncStorageHelper from "../../config/asyncStorageHelper";
import { KeyboardAwareScrollView } from "react-native-keyboard-aware-scroll-view";
import theme from "../../config/colors";
import Size from "../../config/size";
import { Fonts } from "../../config/fonts";
import MyStatusBar from "../../components/Public/statusBar";
const asyncStorageHelper = new AsyncStorageHelper();
import { GooglePlacesAutocomplete } from "react-native-google-places-autocomplete";
const origin = { latitude: 22.320508, longitude: 114.170222 };
const destination = { latitude: 22.320568, longitude: 114.171273 };
const GOOGLE_MAPS_APIKEY = "AIzaSyBM8eEWcSWBuZcM0lGH_JSoDjgImlqHwPs";
const size = new Size();
@observer
@inject(["menuStore"], ["userStore"])
export default class GoogleAutoComplete extends Component {
constructor(props) {
super(props);
this.store = this.props.menuStore;
this.userStore = this.props.userStore;
}
blur() {
// this.secondTextInput.onBlur();
}
getIndex(id) {
var index = this.userStore.pickupPointLabel.findIndex(function(item, i) {
return item.id == parseInt(id);
});
return index;
}
onTextChange(id) {
this.locationRef._onBlur();
this.locationRef.setAddressText(
this.userStore.pickupPointLabel[this.getIndex(id)].value
);
}
componentWillUnmount() {
if (this.props.onRef) {
this.props.onRef(undefined);
}
}
getIndex(id){
var index = this.userStore.pickupPointLabel.findIndex(function(item, i){
return item.id == parseInt(id)
});
return index
}
componentDidMount() {
if (this.props.onRef) {
this.props.onRef(this);
}
// this.secondTextInput.blur();
}
render() {
console.log("pickupPointId " + this.userStore.pickupPointId);
return (
<View
style={{
alignItems: "center",
backgroundColor: theme.mainColor
}}
>
<GooglePlacesAutocomplete
ref={instance => {
this.locationRef = instance;
}}
placeholder={this.userStore.text.googleSearch}
placeholderTextColor="white"
placeholderStyle={{ fontFamily: Fonts.century, fontWeight: "bold" }}
minLength={1} // minimum length of text to search
autoFocus={false}
returnKeyType={"search"} // Can be left out for default return key https://facebook.github.io/react-native/docs/textinput.html#returnkeytype
listViewDisplayed="false" // true/false/undefined
fetchDetails={true}
renderDescription={row => row.description} // custom description render
onPress={(data, details = null) => {
this.props.onPress && this.props.onPress(data, details);
console.log(details)
}}
textInputProps={{
onFocus: () => {
this.props.onFocus && this.props.onFocus();
}
// onBlur:() => {
// this.props.onBlur && this.props.onBlur();
// },
// onEndEditing:() => {
// this.props.onEndEditing && this.props.onEndEditing();
// },
}}
getDefaultValue={() =>
this.userStore.pickupPointLabel[this.getIndex(this.userStore.pickupPointId)]
.value
}
query={{
// available options: https://developers.google.com/places/web-service/autocomplete
key: GOOGLE_MAPS_APIKEY,
language: "zh-TW||en", // language of the results
types: ["(cities)", "(country)"],
components: "country:hk" // default: 'geocode'
}}
styles={{
textInputContainer: {
backgroundColor: theme.mainColor,
borderTopWidth: 0,
borderBottomWidth: 0,
width: width,
paddingRight: 20,
paddingLeft: 20,
marginBottom: 10
},
textInput: {
textAlign: "center",
height: verticalScale(40),
color: "white",
fontSize: 16,
borderWidth: 0,
backgroundColor: theme.searchMapInputColor,
fontFamily: Fonts.century,
fontWeight: "bold"
},
description: {
fontWeight: "bold"
},
listView: {
backgroundColor: "white"
},
predefinedPlacesDescription: {
color: "#1faadb",
}
}}
currentLocation={false} // Will add a 'Current location' button at the top of the predefined places list
currentLocationLabel="Current location"
nearbyPlacesAPI="GooglePlacesSearch" // Which API to use: GoogleReverseGeocoding or GooglePlacesSearch
GoogleReverseGeocodingQuery={
{
// available options for GoogleReverseGeocoding API : https://developers.google.com/maps/documentation/geocoding/intro
}
}
GooglePlacesSearchQuery={{
// available options for GooglePlacesSearch API : https://developers.google.com/places/web-service/search
rankby: "distance",
types: "food"
}}
filterReverseGeocodingByTypes={[
"locality",
"administrative_area_level_3"
]} // filter the reverse geocoding results by types - ['locality', 'administrative_area_level_3'] if you want to display only cities
predefinedPlaces={this.props.perdefinedPlaces}
debounce={200} // debounce the requests in ms. Set to 0 to remove debounce. By default 0ms.
// renderLeftButton={() => <Image source={require('path/custom/left-icon')} />}
//renderRightButton={() => <Text>Custom text </Text>}
/>
</View>
);
}
}

307
app/components/Menu/listItem.js Executable file
View File

@ -0,0 +1,307 @@
//plugin
import React, { Component } from "react";
import Text from "react-native-text";
import {
StyleSheet,
View,
FlatList,
TouchableOpacity,
Image
} from "react-native";
import { observable, transaction } from "mobx";
import { width, height } from "../../config/screen";
import Icon from "react-native-vector-icons/dist/MaterialCommunityIcons";
import { observer, inject } from "mobx-react/native";
import FastImage from "react-native-fast-image";
import firebase from "react-native-firebase";
import Log from '../../config/log'
import { scale, verticalScale, moderateScale } from "react-native-size-matters";
// function
import Size from "../../config/size";
import theme from "../../config/colors";
import { Fonts } from "../../config/fonts";
var size = new Size();
var log = new Log();
@inject(["menuStore"], ["userStore"])
@observer
export default class ListItem extends Component {
@observable
soldout = false
constructor(props) {
super(props);
this.store = this.props.menuStore;
this.userStore = this.props.userStore;
}
recommended() {
return (
<Image
style={{
position: "absolute",
top: -5,
left: -5,
height: verticalScale(100),
width: scale(110)
}}
resizeMode={"contain"}
source={require("../../images/recommendation.png")}
/>
);
}
componentDidMount(){
if(this.props.items.quota - this.props.items.sold == 0){
this.soldout = true
}else{
this.soldout = false
}
}
foodAttributes() {
return (
<View
style={{
position: "absolute",
top: -5,
right: 5
}}
>
<Image
style={{ height: verticalScale(40), width: scale(40) }}
source={require("../../images/spicy.png")}
/>
<Image
style={{ height: verticalScale(40), width: scale(40) }}
source={require("../../images/vegetarian.png")}
/>
</View>
);
}
add() {
if(!this.soldout){
this.store.addCount(this.props.items.id);
}
}
sum() {
if(!this.soldout){
this.store.sumCount(this.props.items.id);
}
}
onClickAction() {
transaction(() => {
this.store.menuDetails.id = this.props.items.id;
if (!this.userStore.logined) {
this.store.menuDetails.tel = "";
} else {
this.store.menuDetails.tel = this.userStore.userData.data.mobile;
}
this.store.menuDetails.count = this.props.items.count;
this.store.menuDetails.price = this.props.items.price;
this.store.menuDetails.imageURL = this.props.items.cuisine.photo;
this.store.menuDetails.name = this.props.items.cuisine.name;
this.store.menuDetails.nameEn = this.props.items.cuisine.nameEn;
this.store.menuDetails.tags = this.props.items.cuisine.tags;
this.store.menuDetails.intro_ch = this.props.items.cuisine.description;
this.store.menuDetails.intro_en = this.props.items.cuisine.descriptionEn;
this.store.menuDetails.restaurant.name = this.props.items.cuisine.restaurant.name;
this.store.menuDetails.restaurant.nameEn = this.props.items.cuisine.restaurant.nameEn;
this.store.menuDetails.restaurant.addr = this.props.items.cuisine.restaurant.addr;
this.store.menuDetails.restaurant.addrEn = this.props.items.cuisine.restaurant.addrEn;
});
this.props.menu.foodInformationPagePopUp();
// firebase.analytics().logEvent('click_food_details', { foodName: this.store.menuDetails.nameEn });
log.firebaseLog('click_food_details',{foodName: this.store.menuDetails.nameEn,logined: this.userStore.logined})
}
getViewStye() {
if(this.props.index == this.store.menu.data.content.length-1) {
return {
marginBottom: 80, alignItems: "center"
}
} else {
return {
marginBottom: 20, alignItems: "center"
}
}
}
render() {
var lang = this.userStore.languageSelection;
return (
<View style={this.getViewStye()}>
<TouchableOpacity
style={{
width: width,
height: verticalScale(210),
alignItems: "center",
justifyContent: "center"
}}
onPress={() => this.onClickAction()}
>
<FastImage
style={{
width: this.props.screenWidth - scale(25),
height: verticalScale(200),
backgroundColor: theme.mainColor
}}
source={{ uri: this.props.items.cuisine.photo }}
>
<View
style={{
backgroundColor: theme.menuPriceBoxBackgroundColor,
alignItems: "center",
justifyContent: "center",
height: verticalScale(40),
width: scale(100),
flexDirection: "row",
position: "absolute",
right: 0,
top: 0
}}
>
<Text
style={{
color: theme.foodNameColor,
fontWeight: "bold",
fontSize: 20,
fontFamily: "CenturyGothic"
}}
numberOfLines={1}
>
HKD ${this.props.items.price}
</Text>
</View>
{
this.soldout?( <View
style={{
position: "absolute",
backgroundColor: "rgba(255,183,23,0.7)",
alignItems: "center",
justifyContent: "center",
width: this.props.screenWidth - scale(25),
height: verticalScale(200),
}}
>
<Text
style={{
color: 'white',
fontWeight: "bold",
fontSize: 30,
fontFamily: "CenturyGothic",
marginBottom:verticalScale(35)
}}
numberOfLines={1}
>
Sold out
</Text>
</View>):(
<View/>
)
}
</FastImage>
</TouchableOpacity>
{/* <View
style={{
width: this.props.screenWidth - 10,
height: verticalScale(70),
borderColor: "gray",
borderWidth: 1,
alignItems: "center"
}}
>
<Text style={{ marginTop: 20 }} numberOfLines={2}>
{this.props.items.cuisine.description}
|| {this.props.items.cuisine.descriptionEn}
</Text>
</View> */}
<View
style={{
width: this.props.screenWidth - 25,
justifyContent: "center",
alignItems: "center",
height: verticalScale(50),
backgroundColor: theme.menuPriceBoxBackgroundColor,
flexDirection: "row",
position: "absolute",
bottom: verticalScale(0)
}}
>
<View
style={{
width: "65%",
height: "100%",
paddingLeft: scale(10),
borderTopLeftRadius: verticalScale(25),
borderBottomLeftRadius: verticalScale(25),
justifyContent: "center"
}}
>
<Text
style={{
color: theme.foodNameColor,
fontFamily: Fonts.century,
fontWeight: "bold"
}}
numberOfLines={1}
>
{this.userStore.dataLanguage(this.props.items.cuisine, "name")}
</Text>
<Text
style={{
color: theme.foodNameColor,
fontFamily: Fonts.century,
fontSize: 11
}}
numberOfLines={1}
>
{this.userStore.dataLanguage(
this.props.items.cuisine.restaurant,
"name"
)}
</Text>
</View>
<View
style={{
width: "35%",
height: "100%",
borderTopRightRadius: verticalScale(25),
borderBottomRightRadius: verticalScale(25),
justifyContent: "space-between",
alignItems: "center",
flexDirection: "row"
}}
>
<Icon
name="minus-circle-outline"
size={size.getSize(24)}
color={theme.foodNameColor}
style={{ marginLeft: moderateScale(20) }}
onPress={() => this.sum()}
/>
<Text
style={{ color: theme.foodNameColor, fontFamily: Fonts.century }}
>
{this.props.items.count}
</Text>
<Icon
name="plus-circle-outline"
size={size.getSize(24)}
color={theme.foodNameColor}
style={{ marginRight: moderateScale(20) }}
onPress={() => this.add()}
/>
</View>
</View>
</View>
);
}
}

248
app/components/Menu/map.js Executable file
View File

@ -0,0 +1,248 @@
import React, { Component } from "react";
import {
Platform,
StyleSheet,
View,
Alert,
NetInfo,
Geolocation,
TouchableOpacity,
SafeAreaView,
StatusBar,
Image,
TouchableHighlight
} from "react-native";
import Header from "../../components/Public/header";
import Text from "react-native-text";
import { SearchBar } from "react-native-elements";
import { observer, inject } from "mobx-react/native";
import { observable, transaction } from "mobx";
import { scale, verticalScale, moderateScale } from "react-native-size-matters";
import { width, height } from "../../config/screen";
import Permissions from "react-native-permissions";
import MapView, { Polyline } from "react-native-maps";
import MapViewDirections from "react-native-maps-directions";
import AsyncStorageHelper from "../../config/asyncStorageHelper";
import { KeyboardAwareScrollView } from "react-native-keyboard-aware-scroll-view";
import theme from "../../config/colors";
import MyStatusBar from "../../components/Public/statusBar";
const asyncStorageHelper = new AsyncStorageHelper();
import { GooglePlacesAutocomplete } from "react-native-google-places-autocomplete";
const origin = { latitude: 22.320508, longitude: 114.170222 };
const destination = { latitude: 22.320568, longitude: 114.171273 };
const GOOGLE_MAPS_APIKEY = "AIzaSyB_9Wi7BcAgqMPxZvW_5DWb8UxF5W9tWz0";
@inject(["menuStore"], ["userStore"])
@observer
export default class Map extends Component {
@observable
markerId = null;
@observable
region = {
latitude: 22.396427,
longitude: 114.109497,
latitudeDelta: 1,
longitudeDelta: 1
};
constructor(props) {
super(props);
this.store = this.props.menuStore;
this.userStore = this.props.userStore;
this.state = {
region: {
latitude: null,
longitude: null,
latitudeDelta: 1,
longitudeDelta: 1
}
};
}
_requestPermission() {
Permissions.request("location").then(response => {
// Returns once the user has chosen to 'allow' or to 'not allow' access
// Response is one of: 'authorized', 'denied', 'restricted', or 'undetermined'
// this.setState({ photoPermission: response })
if (
response == "allow" ||
response == "restricted" ||
response == "authorized"
) {
navigator.geolocation.getCurrentPosition(
position => {
console.log(position.coords.latitude);
this.map.animateToRegion({
latitude: position.coords.latitude,
longitude: position.coords.longitude,
latitudeDelta: 0.02,
longitudeDelta: 0.02
});
},
error => {
console.log(error);
this.region = {
latitude: 22.396427,
longitude: 114.109497,
latitudeDelta: 1,
longitudeDelta: 1
};
},
{ enableHighAccuracy: false, timeout: 4000, maximumAge: 10000 }
);
} else {
this.region = {
latitude: 22.396427,
longitude: 114.109497,
latitudeDelta: 1,
longitudeDelta: 1
};
}
});
}
goPosition(data, details) {
this.map.animateToRegion({
latitude: details.geometry.location.lat,
longitude: details.geometry.location.lng,
latitudeDelta: 0.02,
longitudeDelta: 0.02
});
for (var i = 0; i < this.props.perfdefinedPlaces.length; i++) {
if (
this.props.perfdefinedPlaces[i].geometry.location.lat ==
details.geometry.location.lat &&
this.props.perfdefinedPlaces[i].geometry.location.lng ==
details.geometry.location.lng
) {
this.markerId = this.props.perfdefinedPlaces[i].id
break;
}
}
console.log(details);
}
clickMarkerAction(id) {
this.markerId = id;
this.store.pickupPointId = id;
this.userStore.pickupPointId = id;
}
picked(id) {
asyncStorageHelper.saveData("pickupPointId", id);
this.store.getMenuItem(this);
//this.props.navigation.navigate('menu')
}
confirmButton() {
if (!this.markerId) {
return null;
} else {
return (
<TouchableHighlight
style={{
height: verticalScale(60),
width: width,
backgroundColor: theme.mainColor,
alignItems: "center",
justifyContent: "center"
}}
onPress={() => {
this.props.onPress && this.props.onPress(this.markerId);
}}
>
<Text style={{ color: "white", fontWeight: "bold" }}>
{this.userStore.text.confirm}
</Text>
</TouchableHighlight>
);
}
}
componentWillMount() {
this.setUserLocation();
this._requestPermission();
if (this.props.onRef) {
this.props.onRef(undefined);
}
}
componentDidMount() {
if (this.props.onRef) {
this.props.onRef(this);
}
}
setUserLocation() {
console.log(this.userStore.userLocation);
if (this.userStore.userLocation === null) {
this.setState({
region: {
latitude: 22.396427,
longitude: 114.109497,
latitudeDelta: 1,
longitudeDelta: 1
}
});
} else {
this.setState({
region: {
latitude: this.userStore.userLocation.coords.latitude,
longitude: this.userStore.userLocation.coords.longitude,
latitudeDelta: 0.02,
longitudeDelta: 0.02
}
});
}
}
render() {
return (
<View style={styles.container}>
<MapView
ref={ref => {
this.map = ref;
}}
style={{ width: width, flex: 1 }}
showsUserLocation={true}
initialRegion={this.region}
>
{this.userStore.pickupPointLabel.map(marker => (
<MapView.Marker
coordinate={{ latitude: marker.lat, longitude: marker.lng }}
title={marker.name}
onPress={() => this.clickMarkerAction(marker.id)}
>
<Image
resizeMode={"contain"}
source={require("../../images/maplocator.png")}
style={{ width: scale(50), height: scale(50) }}
/>
</MapView.Marker>
))}
</MapView>
{this.confirmButton()}
</View>
);
}
}
const styles = StyleSheet.create({
container: {
flex: 1,
alignItems: "center",
backgroundColor: "#F5FCFF"
},
welcome: {
fontSize: 20,
textAlign: "center",
margin: 10
},
instructions: {
textAlign: "center",
color: "#333333",
marginBottom: 5
}
});

View File

@ -0,0 +1,160 @@
import React, { Component } from "react";
import {
TextInput,
View,
ScrollView,
StyleSheet,
TouchableOpacity,
Image
} from "react-native";
import { scale, verticalScale, moderateScale } from "react-native-size-matters";
import Size from "../../config/size";
import Text from "react-native-text";
import FastImage from "react-native-fast-image";
import { width, height } from "../../config/screen";
import Icon from "react-native-vector-icons/dist/Ionicons";
import theme from "../../config/colors";
import { Fonts } from "../../config/fonts";
import { observable, transaction } from "mobx";
import { observer, inject } from "mobx-react/native";
const size = new Size();
@inject(["menuStore"], ["userStore"])
@observer
export default class MenuDetailsView extends Component {
constructor(props) {
super(props);
this.store = this.props.menuStore;
this.userStore = this.props.userStore;
}
separate(index) {
// console.log(index + " "+ this.store.menuDetails.tags.size)
if (index < 2) {
return (
<View
style={{
backgroundColor: theme.mainColor,
width: 2,
height: size.getSize(10),
marginRight: 3
}}
/>
);
}
}
tags() {}
render() {
console.log(this.userStore.languageSelection);
console.log(this.store.menuDetails.tags);
const tagsLoop = this.store.menuDetails.tags.map((tags, index) => (
<View style={{ flexDirection: "row" }}>
<Text style={[styles.TextStyle, { fontSize: 13, marginRight: 3 }]}>
{this.userStore.dataLanguage(tags, "name")}
</Text>
{this.separate(index)}
</View>
));
return (
<View style={{ flex: 1 }}>
<TouchableOpacity
style={{ backgroundColor: "#E6E6E6", width: width }}
onPress={() => this.props.self.foodInformationPageDismiss()}
>
<View
style={{
width: "100%",
height: 50,
alignItems: "center",
justifyContent: "center",
backgroundColor: "white"
}}
>
<Icon name="ios-arrow-down" size={size.getSize(25)} color="black" />
</View>
</TouchableOpacity>
<FastImage
style={{
width: width - 40,
height: verticalScale(200),
borderRadius: 4,
alignItems: "center",
marginLeft: 20
}}
source={{ uri: this.store.menuDetails.imageURL }}
>
<View
style={{
backgroundColor: theme.menuPriceBoxBackgroundColor,
alignItems: "center",
justifyContent: "center",
height: verticalScale(40),
width: scale(100),
flexDirection: "row",
position: "absolute",
right: 0,
bottom: 0
}}
>
<Text
style={{
color: theme.foodNameColor,
fontWeight: "bold",
fontSize: 20,
fontFamily: "CenturyGothic"
}}
numberOfLines={1}
>
HKD ${this.store.menuDetails.price}
</Text>
</View>
</FastImage>
<ScrollView style={{ paddingTop: 10, paddingRight: 20, paddingLeft: 20 }}>
<Text style={[styles.TextStyle, { fontSize: 15 }]}>
{this.userStore.dataLanguage(this.store.menuDetails, "name")}
</Text>
<Text style={[styles.TextStyle, { fontSize: 13, paddingTop: 5 }]}>
{this.userStore.dataLanguage(
this.store.menuDetails.restaurant,
"name"
)}
</Text>
<Text style={[styles.TextStyle, { fontSize: 13,paddingTop: 5 }]}>
{this.userStore.dataLanguage(
this.store.menuDetails.restaurant,
"addr"
)}
</Text>
<View style={{ flexDirection: "row" ,paddingTop: 5}}>
{tagsLoop}
</View>
<Text style={[styles.TextStyle, { fontSize: 13, paddingTop: 5, marginBottom: 40, }]}>
{this.userStore.dataLanguage(this.store.menuDetails, "intro")}
</Text>
</ScrollView>
</View>
);
}
}
const styles = StyleSheet.create({
marginSide: {
marginRight: 10,
marginLeft: 10
},
introView: {
marginRight: 10,
marginLeft: 10,
marginTop: 15,
fontSize: 20
},
TextStyle: {
fontFamily: Fonts.century,
color: theme.coolGrey
}
});

View File

@ -0,0 +1,109 @@
import React, { Component } from 'react';
import Text from 'react-native-text';
import {StyleSheet, View, FlatList,ActivityIndicator} from 'react-native';
import Size from '../../config/size'
import { observer,inject } from 'mobx-react/native'
import ListItem from './listItem'
import { width, height } from '../../config/screen';
@inject(["menuStore"], ["userStore"])
@observer
export default class MenuFlatList extends Component{
constructor(props) {
super(props);
this.store = this.props.menuStore
this.userStore = this.props.userStore
}
_renderFooter(){
if (this.store.pageNo == this.store.totalPage) {
console.log('no more')
return (
<View style={{height:30,alignItems:'center',justifyContent:'flex-start',}}>
<Text style={{color:'#999999',fontSize:14,marginTop:5,marginBottom:5,}}>
No more
</Text>
</View>
);
} else if(this.store.pageNo < this.store.totalPage) {
console.log('loading')
return (
<View style={styles.footer}>
<ActivityIndicator />
<Text>Loading...</Text>
</View>
);
}else{
return null
}
}
_onEndReached(){
if(this.store.loading){
console.log('pull loading')
return ;
}
if((this.store.pageNo!=1) && (this.store.pageNo>=this.store.totalPage)){
console.log('last page')
return;
} else {
console.log( 'pull load more ')
this.store.pageNo++;
console.log(this.store.pageNo)
this.store.menuloadmore()
}
}
render(){
return(
<FlatList
data = {this.props.data.data.content}
renderItem = {({item,index}) => <ListItem items = {item} index = {index}
screenWidth = {width}
menu = {this.props.menu}
/>}
//refreshing={this.store.loading}
//onRefresh = {()=>{console.log('reload'); this.store.getMenuItem(this);}}
// ListFooterComponent={this._renderFooter.bind(this)}
// onEndReached= {this._onEndReached.bind(this)}
// onEndReachedThreshold={10}//执行上啦的时候10%执行
/>
)
}
}
const styles = StyleSheet.create({
container: {
flex: 1,
flexDirection: 'row',
justifyContent: 'center',
alignItems: 'center',
backgroundColor: '#F5FCFF',
},
title: {
fontSize: 15,
color: 'blue',
},
footer:{
flexDirection:'row',
height:24,
justifyContent:'center',
alignItems:'center',
marginBottom:10,
},
content: {
fontSize: 15,
color: 'black',
}
});

View File

@ -0,0 +1,189 @@
import React, { Component } from "react";
import Text from "react-native-text";
import { StyleSheet, View } from "react-native";
import { observable, transaction } from "mobx";
import { scale, verticalScale, moderateScale } from "react-native-size-matters";
import { observer, inject } from "mobx-react/native";
import Size from "../../config/size";
import theme from "../../config/colors";
import { Fonts } from "../../config/fonts";
const size = new Size();
@inject(["menuStore"])
@observer
export default class TopMessageText extends Component {
orderClose = false;
constructor(props) {
super(props);
this.store = this.props.menuStore;
this.state = {
time: this.timeInit(),
amPm: "am",
countDownTime: ""
};
this.getTime = this.getTime.bind(this);
}
getInitialState() {
return {
time: "00:00:00",
amPm: "am"
};
}
secToCountDownTimer() {
var time1 = this.props.date.getTime();
var time2 = new Date().getTime();
var diff = Math.abs(time1 - time2);
addZero = n => (n < 10 ? "0" + n : n);
var min = addZero(Math.floor((diff % (1000 * 60 * 60)) / (1000 * 60)));
var second = addZero(Math.floor((diff % (1000 * 60)) / 1000));
this.setState({ countDownTime: `${min}:${second}` });
}
countDownTimer() {
if (
this.props.date.getDate() == new Date().getDate() &&
this.props.date.getMonth() == new Date().getMonth() &&
this.props.date.getHours() - new Date().getHours() == 1
) {
return (
<View
style={{
width: "50%",
justifyContent: "center",
alignItems: "flex-end",
}}
>
<Text
style={{ color: "white", fontSize: 12, ontFamily: Fonts.century }}
>
{this.state.countDownTime + " remain"}
</Text>
</View>
);
} else {
return <View />;
}
}
timeInit() {
const takeTwelve = n => (n > 12 ? n - 12 : n),
addZero = n => (n < 10 ? "0" + n : n);
let d, h, m, s, t, amPm;
d = this.props.date;
h = addZero(takeTwelve(d.getHours()));
m = addZero(d.getMinutes());
s = addZero(d.getSeconds());
amPm = d.getHours() >= 12 ? "p.m" : "a.m";
t = `${h}:${m}${amPm}`;
return t;
}
componentDidMount() {
this.loadInterval = setInterval(this.getTime, 1000);
}
getTime() {
this.secToCountDownTimer();
}
componentWillMount() {
this.secToCountDownTimer();
this.setState({ time: this.timeInit() });
}
message() {
var month = new Array(12);
month[0] = "January";
month[1] = "February";
month[2] = "March";
month[3] = "April";
month[4] = "May";
month[5] = "June";
month[6] = "July";
month[7] = "August";
month[8] = "September";
month[9] = "October";
month[10] = "November";
month[11] = "December";
var date = this.props.date;
return (
"Menu For " +
date.getUTCDate() +
"-" +
month[date.getMonth()] +
"-" +
date.getFullYear()
);
}
cutoffDateHandle() {
this.props.date;
}
render() {
const countDown = this.store.date;
if (this.orderClose == false) {
return (
<View
style={{
flex: 1,
alignItems: "center",
paddingLeft: 30,
paddingRight: 30
}}
>
<View style={{ width: "100%", marginTop: verticalScale(8) }}>
<Text
style={{
color: "white",
fontSize: 17,
fontFamily: Fonts.century,
fontWeight: "bold",
textDecorationLine: "underline"
}}
>
{this.message()}
</Text>
</View>
<View style={{ flexDirection: "row", width: "100%", marginTop:2 }}>
<View
style={{
width: "50%",
justifyContent: "center",
alignItems: "flex-start",
}}
>
<Text
style={{
color: "white",
fontSize: 12,
ontFamily: Fonts.century
}}
>
{"Orders Close at " + this.timeInit()}
</Text>
</View>
{this.countDownTimer()}
</View>
{/* <View
style={{
width: "33%",
justifyContent: "center",
alignItems: "center"
}}
>
<Text style={{ color: "white" }}>{this.store.timestamp.getHours()}</Text>
</View> */}
</View>
);
}
}
}

View File

@ -0,0 +1,176 @@
// plugin
import React, { Component } from 'react';
import Text from 'react-native-text';
import { StyleSheet, View, FlatList, TouchableOpacity, Alert } from 'react-native';
import { observer, inject } from 'mobx-react/native'
import { observable, transaction } from 'mobx';
import Icon from 'react-native-vector-icons/dist/Ionicons';
import { scale, verticalScale, moderateScale } from 'react-native-size-matters';
// function
import Size from '../../config/size';
import Log from '../../config/log'
import { width, height } from '../../config/screen';
const size = new Size;
import AsyncStorageHelper from '../../config/asyncStorageHelper'
import theme from '../../config/colors'
const log = new Log()
const asyncStorageHelper = new AsyncStorageHelper
@inject(["menuStore"], ["userStore"])
@observer
export default class TotalPriceView extends Component {
constructor(props) {
super(props);
this.store = this.props.menuStore;
this.userStore = this.props.userStore;
}
getIndex(id){
var index = this.userStore.pickupPointLabel.findIndex(function(item, i){
return item.id == parseInt(id)
});
return index
}
deg2rad(deg) {
return deg * (Math.PI / 180)
}
getDistanceFromLatLonInKm(lat1, lon1, lat2, lon2) {
var R = 6371; // Radius of the earth in km
var dLat = this.deg2rad(lat2 - lat1); // deg2rad below
var dLon = this.deg2rad(lon2 - lon1);
var a =
Math.sin(dLat / 2) * Math.sin(dLat / 2) +
Math.cos(this.deg2rad(lat1)) * Math.cos(this.deg2rad(lat2)) *
Math.sin(dLon / 2) * Math.sin(dLon / 2)
;
var c = 2 * Math.atan2(Math.sqrt(a), Math.sqrt(1 - a));
var d = R * c; // Distance in km
return d;
}
clickAction() {
if (this.userStore.logined) {
asyncStorageHelper.getData('pickupPointId', pickupPointId => {
if (pickupPointId != null) {
if(this.userStore.addedCard ){
log.firebaseLog("press_order_now_button",{logined:this.userStore.logined})
this.userStore.pickupIndex = this.getIndex(pickupPointId)
this.store.getOrderedItems(this.props.self,this.userStore.userData.data.token)
}else{
Alert.alert(
'',
'Please input your credit Card info',
[
{ text: 'Cancel', onPress: () => {console.log('Cancel'),log.firebaseLog('press_creditCard_info_cancel_onMenu_alert',{logined:this.userStore.logined}) }},
{ text: 'Ok', onPress: () => {this.props.self.navigatieAction('account'),log.firebaseLog('press_creditCard_info_ok_onMenu_alert',{logined:this.userStore.logined}) }},
],
)
}
}
else {
if (this.userStore.userLocation != null) {
var Param = {}
try {
this.userStore.pickupLoactionPoint.data.content.forEach(element => {
var km = this.getDistanceFromLatLonInKm(element.lat,element.lng,this.userStore.userLocation.coords.latitude,this.userStore.userLocation.coords.longitude)
console.log(km)
if(km<1){
Param = {'title': 'Pick the loaction'}
}
});
} catch (e) {
console.log(e)
}
Alert.alert(
'',
'Please select the pickup location',
[
{ text: 'Cancel', onPress: () => console.log('Cancel') },
{ text: 'Go', onPress: () => this.props.self.navigatieAction('Location',Param) },
],
)
}else{
Alert.alert(
'',
'Please select the pickup location',
[
{ text: 'Cancel', onPress: () => console.log('Cancel') },
{ text: 'Go', onPress: () => this.props.self.navigatieAction('account') },
],
)
}
}
})
} else {
Alert.alert(
'',
'Please login',
[
{ text: 'Cancel', onPress: () => console.log('Cancel') },
{ text: 'Login', onPress: () => this.props.self.navigatieAction('Login') },
],
)
}
}
render() {
if (!this.store.selected) {
return null
} else {
return (
<View style={{
position: 'absolute',
bottom: 0,
width: width,
height: verticalScale(50),
flexDirection: 'row',
justifyContent: 'space-between',
alignItems: 'center',
backgroundColor: theme.mainColor
}}>
<View style={{
flexDirection: 'row',
alignItems: 'center',
marginLeft: moderateScale(10),
}}>
<Icon name="md-close-circle" size={size.getSize(24)} color='white'
onPress={() => this.store.cleanAll()} />
<Text style={{ color: 'white', marginLeft: 10 }}>
HKD {this.store.totalMoney.toFixed(2)}
</Text>
</View>
<TouchableOpacity style={{
flexDirection: 'row',
alignItems: 'center',
marginRight: moderateScale(10)
}}
onPress={() => this.clickAction()}>
<Text style={{ color: 'white', marginRight: 10 }}>
ORDER NOW
</Text>
<Icon name="ios-arrow-forward" size={size.getSize(24)} color='white' />
</TouchableOpacity>
</View>
)
}
}
}

View File

@ -0,0 +1,86 @@
import React from "react";
import { View } from "react-native";
import Text from "react-native-text";
import { scale, verticalScale, moderateScale } from "react-native-size-matters";
import Size from "../../config/size";
const size = new Size();
import theme from "../../config/colors";
import { Fonts } from "../../config/fonts";
import { width, height } from "../../config/screen";
const dataLanguage = (data, value, lang) => {
if (lang == "english") {
switch (value) {
case "name":
return data.nameEn;
break;
}
} else {
switch (value) {
case "name":
return data.name;
break;
}
}
};
const FoodsRow = props => {
return (
<View style={{ marginLeft: 5, marginRight: 5, marginTop: 10 }}>
<View style={{ flexDirection: "row", marginBottom: 10 }}>
<View style={{ width: "60%" }}>
<Text
style={{
color: theme.coolGrey,
fontFamily: Fonts.century,
fontWeight: "bold",
fontSize: 15
}}
>
{dataLanguage(props.items.cuisine, "name", props.lang)}
</Text>
<Text
style={{
paddingTop: 3,
color: theme.coolGrey,
fontFamily: Fonts.century,
fontSize: 13
}}
>
{dataLanguage(props.items.cuisine.restaurant, "name", props.lang)}
</Text>
<Text
style={{
paddingTop: 3,
color: theme.coolGrey,
fontFamily: Fonts.century,
fontSize: 13
}}
>
Quantity: {props.items.count}
</Text>
</View>
<View
style={{
width: "40%",
flexDirection: "row",
justifyContent: "flex-end"
}}
>
<Text
style={{
color: theme.coolGrey,
fontFamily: Fonts.century,
fontWeight: "bold",
fontSize: 15
}}
>
HKD ${(props.items.price*props.items.count).toFixed(2)}
</Text>
</View>
</View>
</View>
);
};
export default FoodsRow;

View File

@ -0,0 +1,83 @@
import React from "react";
import { View } from "react-native";
import Text from "react-native-text";
import { scale, verticalScale, moderateScale } from "react-native-size-matters";
import Size from "../../config/size";
const size = new Size();
import theme from "../../config/colors";
import { Fonts } from "../../config/fonts";
import { width, height } from "../../config/screen";
const dataLanguage = (data, value, lang) => {
if (lang == "english") {
switch (value) {
case "name":
return data.nameEn;
break;
}
} else {
switch (value) {
case "name":
return data.name;
break;
}
}
};
const FoodsRowForOrderDetails = props => {
return (
<View style={{ marginLeft: 5, marginRight: 5, marginTop: 10 }}>
<View style={{ flexDirection: "row", marginBottom: 10 }}>
<View style={{ width: "60%" }}>
<Text
style={{
color: theme.coolGrey,
fontFamily: Fonts.century,
fontWeight: "bold",
fontSize:15
}}
>
{dataLanguage(props.items.menu.cuisine, "name", props.lang)}
</Text>
<Text
style={{
paddingTop:3,
color: theme.coolGrey,
fontFamily: Fonts.century,
fontSize: 13,
}}>
{dataLanguage(props.items.menu.cuisine.restaurant, "name", props.lang)}
</Text>
<Text
style={{
paddingTop:3,
color: theme.coolGrey,
fontFamily: Fonts.century,
fontSize: 13,
}}>Quantity: {props.items.qty}</Text>
</View>
<View
style={{
width: "40%",
flexDirection: "row",
justifyContent: "flex-end"
}}
>
<Text
style={{
color: theme.coolGrey,
fontFamily: Fonts.century,
fontWeight: "bold",
fontSize:15
}}
>
HKD ${(props.items.price*props.items.qty).toFixed(2)}
</Text>
</View>
</View>
</View>
);
};
export default FoodsRowForOrderDetails;

View File

@ -0,0 +1,63 @@
import React, { Component } from "react";
import Text from "react-native-text";
import { StyleSheet, View, FlatList, ActivityIndicator } from "react-native";
import Size from "../../config/size";
import { observer, inject } from "mobx-react/native";
import { width, height } from "../../config/screen";
import OrderListItems from "./orderListItems";
@inject(["menuStore"], ["userStore"])
@observer
export default class OrderFlatList extends Component {
constructor(props) {
super(props);
this.store = this.props.menuStore;
this.userStore = this.props.userStore;
}
render() {
console.log(this.store.passOrder);
return (
<FlatList
data={this.props.data}
renderItem={({ item }) => (
<OrderListItems
items={item}
navigation={this.props.navigation}
screenWidth={width}
whichOrder = {this.props.whichOrder}
/>
)}
//refreshing={this.store.loading}
// onRefresh = {()=>{console.log('reload'); this.store.getMenuItem(this);}}
// ListFooterComponent={this._renderFooter.bind(this)}
// onEndReached= {this._onEndReached.bind(this)}
// onEndReachedThreshold={10}//执行上啦的时候10%执行
/>
);
}
}
const styles = StyleSheet.create({
container: {
flex: 1,
flexDirection: "row",
justifyContent: "center",
alignItems: "center",
backgroundColor: "#F5FCFF"
},
title: {
fontSize: 15,
color: "blue"
},
footer: {
flexDirection: "row",
height: 24,
justifyContent: "center",
alignItems: "center",
marginBottom: 10
},
content: {
fontSize: 15,
color: "black"
}
});

View File

@ -0,0 +1,276 @@
//plugin
import React, { Component } from "react";
import Text from "react-native-text";
import { View, FlatList, TouchableOpacity, StyleSheet,Linking } from "react-native";
import Icon from "react-native-vector-icons/dist/Ionicons";
import { observer, inject } from "mobx-react/native";
import FastImage from "react-native-fast-image";
import { width, height } from "../../config/screen";
import { scale, verticalScale, moderateScale } from "react-native-size-matters";
// function
import Size from "../../config/size";
import theme from "../../config/colors";
import { Fonts } from "../../config/fonts";
var size = new Size();
@inject(["menuStore"], ["userStore"])
@observer
export default class OrderListItems extends Component {
constructor(props) {
super(props);
this.store = this.props.menuStore;
this.userStore = this.props.userStore;
}
foodName() {
var name = "";
if (this.props.items.items.length == 1) {
name = this.props.items.items[0].menu.cuisine.name;
} else {
this.props.items.items.forEach(element => {
name += element.menu.cuisine.name + ", ";
});
}
return name;
}
linkToEmail(){
Linking.openURL('mailto:support@hangryfood.co?subject=&body=')
}
food(items) {
return (
<View style = {{marginBottom:6}}>
<View style = {{flexDirection:'row'}}>
<View style = {{width:'40%'}}>
<Text style = {[styles.textView,{color:theme.coolGrey,fontSize:10,fontWeight:'bold'}]}>
Food name
</Text>
</View>
<View style = {{width:'60%'}}>
<Text style = {[styles.textView,{color:theme.coolGrey,fontSize:10}]}>
{this.userStore.dataLanguage(
items.menu.cuisine,
"name"
)}
</Text>
</View>
</View>
<View style = {{flexDirection:'row'}}>
<View style = {{width:'40%'}}>
<Text style = {[styles.textView,{color:theme.coolGrey,fontSize:10,fontWeight:'bold'}]}>
Restauant
</Text>
</View>
<View style = {{width:'60%'}}>
<Text style = {[styles.textView,{color:theme.coolGrey,fontSize:10}]}>
{this.userStore.dataLanguage(
items.menu.cuisine.restaurant,
"name"
)}
</Text>
</View>
</View>
<View style = {{flexDirection:'row',paddingLeft:20}}>
<View style = {{width:'33%',flexDirection:'row'}}>
<Text style = {{color:theme.coolGrey,fontSize:10,fontWeight:'bold',fontFamily: Fonts.century}}>
Qty.
</Text>
<Text style = {{color:theme.coolGrey,fontSize:10,fontFamily: Fonts.century,paddingLeft:4}}>
{items.qty}
</Text>
</View>
<View style = {{width:'33%',flexDirection:'row'}}>
<Text style = {{color:theme.coolGrey,fontSize:10,fontWeight:'bold',fontFamily: Fonts.century}}>
Price
</Text>
<Text style = {{color:theme.coolGrey,fontSize:10,fontFamily: Fonts.century,paddingLeft:4}}>
{"$"+items.price}
</Text>
</View>
<View style = {{width:'33%',flexDirection:'row'}}>
<Text style ={{color:theme.coolGrey,fontSize:10,fontWeight:'bold',fontFamily: Fonts.century}}>
Subtatal
</Text>
<Text style = {{color:theme.coolGrey,fontSize:10,fontFamily: Fonts.century,paddingLeft:4}}>
{ "$"+items.price*items.qty}
</Text>
</View>
</View>
</View>
);
}
discountHandle(){
if(this.props.items.discount >0){
return(
<Text style = {[styles.textView,{color:theme.coolGrey,fontSize:10}]}>
{"- "+this.props.items.discount}
</Text>
)
}else{
return(
<Text style = {[styles.textView,{color:theme.coolGrey,fontSize:10}]}>
N/A
</Text>
)
}
}
clickAction() {
if(this.props.whichOrder){
this.store.goOrderDetail(this.props.items,this)
}
//this.props.navigation.navigate("OrderDetails", { data: this.props.items });
}
go(data,time){
this.props.navigation.navigate("OrderDetails", { data: data, time: time });
}
render() {
console.log("show up " + this.props.items.status);
if (this.props.items.status != "E") {
return (
<View
style={{
marginBottom: 10,
alignItems: "center",
backgroundColor: "white",
width: width - 1
}}
>
<TouchableOpacity
onPress={() => this.clickAction()}
style={{
flexDirection: "row"
}}
>
<View style={{ width: "65%" }}>
<Text style={[styles.textView, { fontWeight: "bold",color:theme.coolGrey,fontSize:16}]}>
Order details
</Text>
<Text
style={[
styles.textView,
{ fontSize: 10, fontWeight: "bold", color: theme.mainColor }
]}
>
{"Order No: " + this.props.items.id}
</Text>
{this.props.items.items.map((items, key) => {
return <View>{this.food(items)}</View>;
})}
<View style = {{flexDirection:'row'}}>
<View style = {{width:'40%'}}>
<Text style = {[styles.textView,{color:theme.coolGrey,fontSize:10,fontWeight:'bold'}]}>
Pick up Point
</Text>
</View>
<View style = {{width:'60%'}}>
<Text style = {[styles.textView,{color:theme.coolGrey,fontSize:10}]}>
{this.userStore.dataLanguage(
this.props.items.pickUpLocation,
"name"
)}
</Text>
</View>
</View>
<View style = {{flexDirection:'row'}}>
<View style = {{width:'40%'}}>
<Text style = {[styles.textView,{color:theme.coolGrey,fontSize:10,fontWeight:'bold'}]}>
Discount
</Text>
</View>
<View style = {{width:'60%'}}>
{this.discountHandle()}
</View>
</View>
<View style = {{flexDirection:'row'}}>
<View style = {{width:'30%'}}>
<Text style = {[styles.textView,{color:theme.coolGrey,fontSize:10,fontWeight:'bold',fontSize:16}]}>
Total
</Text>
</View>
<View style = {{width:'50%'}}>
<Text style={[styles.textView, { fontWeight: "bold",color:theme.coolGrey,fontSize:16}]}>
HKD$ {this.props.items.payAmount}
</Text>
</View>
</View>
</View>
<View
style={{
width: "35%",
flex: 1,
justifyContent: "space-between"
}}
>
<Text style={[styles.textView, { fontWeight: "bold",color:theme.coolGrey,fontSize:16}]}>
Status
</Text>
<View
style={{
flex: 1,
justifyContent: "space-between"
}}
>
<View>
<Text style={{ fontFamily: Fonts.century,fontSize:16,color:theme.coolGrey,marginLeft:20}}>
{size.status(this.props.items.status)}
</Text>
</View>
<TouchableOpacity
onPress = {()=>this.linkToEmail()}
style={{
backgroundColor: theme.mainColor,
alignItems: "center",
justifyContent: "center",
marginLeft:20,
width: scale(80),
height: verticalScale(20),
borderRadius: 4,
marginBottom: 5
}}
>
<Text style={{ color: "white", fontWeight: "bold" }}>
contact us
</Text>
</TouchableOpacity>
</View>
</View>
</TouchableOpacity>
<View
style={{
width: "70%",
backgroundColor: "gray",
height: 1,
marginTop: 10
}}
/>
</View>
);
} else {
return null;
}
}
}
const styles = StyleSheet.create({
textView: {
marginLeft: 20,
fontFamily: Fonts.century,
marginBottom: 5
}
});

View File

@ -0,0 +1,53 @@
import React from "react";
import { TextInput, View } from "react-native";
import { scale, verticalScale, moderateScale } from "react-native-size-matters";
import Size from "../../config/size";
const size = new Size();
import theme from "../../config/colors";
import { width, height } from "../../config/screen";
import {Fonts} from "../../config/fonts"
const CommonTextInput = props => {
return (
<View
style={{
backgroundColor: theme.inputBgc,
marginLeft: 20,
marginRight: 20,
marginTop: 30,
height: verticalScale(40),
borderRadius:5
}}
>
<TextInput
style={{
// backgroundColor:theme.inputBgc,
color: theme.foodNameColor,
height: verticalScale(35),
marginBottom: moderateScale(30),
paddingBottom:0,
fontSize: size.getSize(15),
paddingRight: 20,
paddingLeft: 20,
fontFamily:Fonts.century
}}
key = {props.key}
value={props.value}
underlineColorAndroid="rgba(0,0,0,0)"
onChangeText={props.onChangeText}
placeholder={props.placeholder}
placeholderStyle={{fontWeight: 'bold', fontFamily:Fonts.century}}
placeholderTextColor = {theme.foodNameColor}
secureTextEntry={props.secureTextEntry}
blurOnSubmit={false}
{...props}
ref={(input) => props.inputRef && props.inputRef(input)}
returnKeyType = {props.returnKeyType}
onSubmitEditing = {props.onSubmitEditing && props.onSubmitEditing}
onFocus={props.onFocus}
/>
</View>
);
};
export default CommonTextInput;

View File

@ -0,0 +1,61 @@
import React from "react";
import { View, TextInput, TouchableOpacity } from "react-native";
import Text from "react-native-text";
import { scale, verticalScale, moderateScale } from "react-native-size-matters";
import Size from "../../config/size";
import { Fonts } from "../../config/fonts";
import theme from "../../config/colors";
const size = new Size();
import { width, height } from "../../config/screen";
const CommonTextView = props => {
return (
<View
style={{
borderBottomColor: "black",
borderBottomWidth: 1,
marginTop: 15,
marginBottom: 10,
width: "70%"
}}
>
<Text
style={{
color: theme.coolGrey,
fontFamily: Fonts.century,
fontSize: 13
}}
>
{props.title}
</Text>
{!props.input ? (
<Text
style={{
marginTop: 5,
color: theme.coolGrey,
fontFamily: Fonts.century,
fontSize: 13
}}
>
{props.content}
</Text>
) : (
<View style={{ flexDirection: "row", justifyContent: "space-between" }}>
<TextInput placeholder={"text here"} />
<TouchableOpacity
style={{
justifyContent: "center",
alignItems: "center",
borderWidth: 1,
borderColor: "black"
}}
>
<Text>{props.buttonTitle}</Text>
</TouchableOpacity>
</View>
)}
</View>
);
};
export default CommonTextView;

View File

@ -0,0 +1,75 @@
import React, { Component } from 'react';
import { Platform, StyleSheet, View, TouchableOpacity } from 'react-native';
import { scale, verticalScale, moderateScale } from 'react-native-size-matters';
import Icon from 'react-native-vector-icons/dist/Ionicons';
import Icon2 from 'react-native-vector-icons/dist/MaterialCommunityIcons';
import Text from 'react-native-text';
//function
import { width, height } from '../../config/screen';
import Size from '../../config/size'
const size = new Size;
export default class DrawerNavigationHeader extends Component {
logoutIcon() {
if (this.props.logout == true) {
return(
<Icon2 name="logout-variant" size={size.getSize(50)} color='black'
onPress = {()=> this.props.onPress && this.props.onPress()} />
)
}
}
render() {
return (
<View style={{
width: width,
height: '10%',
alignItems: 'center',
justifyContent: 'center',
marginTop: 20,
flexDirection: 'row',
}}>
<View style={{
width: '30%',
height: '100%',
justifyContent: 'center',
paddingLeft:5,
}}>
<Icon name="md-menu" size={size.getSize(50)} color='black'
onPress={() => { this.props.navigation.navigate('DrawerOpen'); }} />
</View>
<View style={{
width: '40%',
height: '100%',
justifyContent: 'center',
alignItems: 'center'
}}>
<Text style={{ fontSize: 22, }}>
{this.props.title}
</Text>
</View>
<View style={{
width: '30%',
paddingRight: 5,
height: '100%',
flexDirection: 'row',
justifyContent: 'flex-end',
alignItems: 'center'
}}>
{this.logoutIcon()}
</View>
</View>
);
}
}

48
app/components/Public/header.js Executable file
View File

@ -0,0 +1,48 @@
import React, {Component} from 'react';
import {Platform, StyleSheet, View, TouchableOpacity} from 'react-native';
import {scale, verticalScale, moderateScale } from 'react-native-size-matters';
import Icon from 'react-native-vector-icons/dist/Ionicons';
import Text from 'react-native-text';
import { width, height } from '../../config/screen';
import Size from '../../config/size'
const size = new Size;
export default class Header extends Component {
backAction(){
if(this.props.login){
this.props.navigation.navigate('menu')
}else{
this.props.navigation.goBack()
}
}
render() {
return (
<View style={{width:width,height:verticalScale(70),alignItems:'center',
justifyContent:'center', marginTop:20}}>
<Text style = {{fontSize: 22,}}>
{this.props.title}
</Text>
{ !this.props.order?(
<TouchableOpacity
style = {{position: 'absolute', left:scale(5),width:scale(40),
height:scale(40),alignItems:'center',justifyContent: 'center',}}
onPress = {()=>this.backAction()}>
<Icon name="ios-arrow-back-outline" size={size.getSize(40)} color={'black'}
/>
</TouchableOpacity>
):(
<TouchableOpacity
style = {{position: 'absolute', left:scale(5),width:scale(40),
height:scale(40),alignItems:'center',justifyContent: 'center',}}
onPress = {()=> this.props.onPress && this.props.onPress()} >
<Icon name="ios-arrow-back-outline" size={size.getSize(40)} color={'black'}
/>
</TouchableOpacity>
)
}
</View>
);
}
}

50
app/components/Public/loader.js Executable file
View File

@ -0,0 +1,50 @@
import React, { Component } from 'react';
import {
StyleSheet,
View,
Modal,
ActivityIndicator
} from 'react-native';
const Loader = props => {
const {
loading,
...attributes
} = props;
return (
<Modal
transparent={true}
animationType={'none'}
visible={loading}
onRequestClose={() => {console.log('c lose modal')}}>
<View style={styles.modalBackground}>
<View style={styles.activityIndicatorWrapper}>
<ActivityIndicator
animating={loading} />
</View>
</View>
</Modal>
)
}
const styles = StyleSheet.create({
modalBackground: {
flex: 1,
alignItems: 'center',
flexDirection: 'column',
justifyContent: 'space-around',
backgroundColor: '#00000040'
},
activityIndicatorWrapper: {
backgroundColor: '#FFFFFF',
height: 100,
width: 100,
borderRadius: 10,
display: 'flex',
alignItems: 'center',
justifyContent: 'space-around'
}
});
export default Loader;

View File

@ -0,0 +1,64 @@
import React, { Component } from "react";
import {
Platform,
StyleSheet,
View,
TouchableOpacity,
Image
} from "react-native";
import { scale, verticalScale, moderateScale } from "react-native-size-matters";
import Icon from "react-native-vector-icons/dist/MaterialCommunityIcons";
import Text from "react-native-text";
import { width, height } from "../../config/screen";
import Size from "../../config/size";
import theme from "../../config/colors";
const size = new Size();
export default class SignInUpHeader extends Component {
backAction() {
this.props.navigation.goBack();
}
render() {
return (
<View
style={{
...Platform.select({
ios: {
height: verticalScale(100)
},
android: {
height: verticalScale(130)
}
}),
alignItems: "center",
justifyContent: "center",
backgroundColor: theme.mainColor
}}
>
<Image
style={{
tintColor: "white",
height: verticalScale(70),
width: scale(70)
}}
source={require("../../images/appicon.png")}
resizeMode={"contain"}
/>
<View style={{ position: "absolute", left: 10 }}>
{this.props.back ? (
<Icon
name="chevron-left"
size={size.getSize(40)}
color={'white'}
style={{ marginLeft: 10 }}
onPress={() => this.backAction()}
/>
) : (
<View />
)}
</View>
</View>
);
}
}

View File

@ -0,0 +1,30 @@
import React, { Component } from 'react';
import {
StyleSheet,
View,
StatusBar,
Platform,
} from 'react-native';
import { ifIphoneX } from 'react-native-iphone-x-helper'
import { scale, verticalScale, moderateScale } from "react-native-size-matters";
const MyStatusBar = ({backgroundColor, ...props}) => (
<View style={[styles.statusBar, { backgroundColor }]}>
<StatusBar translucent backgroundColor={backgroundColor} {...props} />
</View>
)
const STATUSBAR_HEIGHT = Platform.OS === 'ios' ?verticalScale(10) : StatusBar.height;
const APPBAR_HEIGHT = Platform.OS === 'ios' ? verticalScale(44) : verticalScale(56);
const styles = StyleSheet.create({
statusBar: {
...ifIphoneX({
height:0,
},
{
height:15,
})
},
})
export default MyStatusBar;

1
app/components/README.md Executable file
View File

@ -0,0 +1 @@
# Custom components

View File

@ -0,0 +1,32 @@
import React from 'react'
import {TouchableOpacity,View} from 'react-native'
import Text from 'react-native-text'
import {scale, verticalScale, moderateScale } from 'react-native-size-matters';
import Size from '../../config/size'
const size = new Size;
import TimerCountdown from 'react-native-timer-countdown';
import { width, height } from '../../config/screen';
export default class CountDownButton {
render(){
if(this.props.resend){
return(
<TouchableOpacity>
<Text style = {{borderWidth: 1,borderColor:'black',}}>
RESEND
</Text>
</TouchableOpacity>
)
}
return(
<TimerCountdown
initialSecondsRemaining={1000*60}
allowFontScaling={true}
style={{ fontSize: 20 }}
/>
)
}
}

3
app/config/README.md Executable file
View File

@ -0,0 +1,3 @@
# config file
Notice: please copy *.js.example to *.js first before starting your application

View File

@ -0,0 +1,45 @@
import {AsyncStorage} from 'react-native'
import React, { Component } from 'react';
export default class AsyncStorageHelper extends Component{
async saveData(key, value) {
try {
await AsyncStorage.setItem(key, JSON.stringify(value));
} catch (error) {
console.error('save error'+ error.message);
}
}
async saveString(key, value) {
try {
await AsyncStorage.setItem(key, value);
} catch (error) {
console.error('save error'+ error.message);
}
}
async getData(key, callback) {
try {
var value = await AsyncStorage.getItem(key).then(
(values) => {
callback(values);
}
)
} catch (error) {
// console.error('get error');
}
}
async removeItemValue(key) {
try {
await AsyncStorage.removeItem(key);
return true;
}
catch (exception) {
console.log(exception)
return false;
}
}
}

12
app/config/colors.js Executable file
View File

@ -0,0 +1,12 @@
const theme = {
mainColor : 'rgb(255, 184, 25)',
searchMapInputColor: '#FFCE6B',
menuPriceBoxBackgroundColor: 'rgba(255,255,255,0.8)',
menuPriceBoxTextColor:'#585858',
foodNameColor:'#6D6E70',
coolGrey :'#53565A',
inputBgc:'#E6E7E8',
forgetTextColor:'#A6A8AB'
}
export default theme

29
app/config/connectFail.js Executable file
View File

@ -0,0 +1,29 @@
import React, { Component } from "react";
import {
Platform,
StyleSheet,
View,
Alert,
NetInfo,
Geolocation,
TouchableOpacity,
SafeAreaView,
StatusBar,
Image,
TouchableHighlight
} from "react-native";
export default class ConnectFail {
fail(){
Alert.alert(
'',
'Connect failed',
[
{ text: 'Cancel', onPress: () => console.log('Cancel') },
{ text: 'ok', onPress: () => console.log('ok') },
],
)
}
}

5
app/config/fonts.js Executable file
View File

@ -0,0 +1,5 @@
export const Fonts = {
century : 'CenturyGothic',
cgb: 'GOTHICB',
}

4
app/config/index.js Executable file
View File

@ -0,0 +1,4 @@
export default {
// required: API base url
apiBaseURL: 'http://localhost:4567/',
}

4
app/config/index.js.example Executable file
View File

@ -0,0 +1,4 @@
export default {
// required: API base url
apiBaseURL: 'http://example.com',
}

59
app/config/language.js Executable file
View File

@ -0,0 +1,59 @@
export default {
en:{
confirm:'confirm',
menu:'Menu',
myOrder:'My Order',
profile:'Profile',
setting:'Setting',
slectLang: 'Choose your language',
referYourFriends: 'Refer Your Friends',
coupon:'Coupon',
myCoupons:'My Coupons',
used: 'Uesd',
cannotuse:'Unavailable',
canuse: 'Can use',
expired:'Expired',
expireDate:'Expire Date',
termandconditions:'Term & Conditions',
privacy:'Privacy',
contactUs:'Contact us',
language:'Language',
notification:'Notification',
howtouse:'How to use',
logout:'Logout',
googleSearch:'Input Your Address',
// referFriendContent:"Share the WARMTH this chilling season. Dont leave yourself HANGRY Input the promo code \"Hangry\" to enjoy 10% OFF their first purchase order. \n Download Link: \n"
referFriendContent:""
},
zh:{
confirm:'確認',
menu:'菜單',
myOrder:'訂單',
profile:'帳戶',
setting:'設置',
slectLang: '選擇你的語言',
referYourFriends:'推薦你的朋友',
coupon:'優惠券',
myCoupons:'我的優惠券',
used: '已使用',
canuse:'可使用',
cannotuse:'不可使用',
expired:'已過期',
expireDate:'過期日子',
termandconditions:'條款和條件',
privacy:'隱私',
contactUs:'聯繫我們',
language:'語言',
notification:'通知',
howtouse:'如何使用',
logout:'登出',
googleSearch:'輸入你的地址',
//referFriendContent:"在這個寒冷的季節分享溫暖輸入此推薦碼\"可亨\"首次訂單九折優惠 \n 立即下載: \n"
referFriendContent:""
}
}

9
app/config/log.js Executable file
View File

@ -0,0 +1,9 @@
import firebase from 'react-native-firebase'
export default class Log {
firebaseLog(logName,param){
firebase.analytics().logEvent(logName,param);
}
firebaseClass(page){
firebase.analytics().setCurrentScreen(page);
}
}

4
app/config/screen.js Executable file
View File

@ -0,0 +1,4 @@
import {Dimensions} from 'react-native'
export const width = Dimensions.get('window').width;
export const height = Dimensions.get('window').height;

49
app/config/size.js Executable file
View File

@ -0,0 +1,49 @@
import React from 'react';
import PropTypes from 'prop-types';
import { Dimensions, Text, StyleSheet } from 'react-native';
const { width, height } = Dimensions.get('window');
const flattenStyle = StyleSheet.flatten;
const realWidth = height > width ? width : height;
export default class Size{
getSize(size){
return Math.round(size * realWidth / 375);
}
status(value){
switch(value){
case 'A':
return 'Not pay yet'
break;
case 'V':
return 'Cancelled'
break;
case 'I':
return 'Cancel by unpaid'
break;
case 'E':
return 'Expired by unpaid'
break;
case 'P':
return 'Preparing'
break;
case 'D':
return 'ready'
break;
case 'F':
return 'Completed'
break;
default:
return 'Undefind'
break
}
}
}

125
app/containers/Account/account.js Executable file
View File

@ -0,0 +1,125 @@
import React, { Component } from "react";
import {
Platform,
StyleSheet,
Text,
View,
Alert,
SafeAreaView
} from "react-native";
import { observable } from "mobx";
import { observer, inject } from "mobx-react/native";
import ScrollableTabView from "react-native-scrollable-tab-view";
//component
import DrawerNavigationHeader from "../../components/Public/drawerNavigationHeader";
import AccountSettings from "./accountSettings";
import Login from "../Login/login";
import Payment from "./payment";
import Header from '../../components/Public/signInUpHeader'
// function
import { width, height } from "../../config/screen";
import Log from '../../config/log'
import theme from "../../config/colors";
import {Fonts} from '../../config/fonts'
import AsyncStorageHelper from "../../config/asyncStorageHelper";
import language from "../../config/language";
const asyncStorageHelper = new AsyncStorageHelper();
const log = new Log()
@inject(["menuStore"], ["userStore"])
@observer
export default class Account extends Component {
constructor(props) {
super(props);
this.store = this.props.userStore;
this.menuStore = this.props.menuStore;
}
@observable
static navigationOptions = {
drawerLabel: "Account",
swipeEnabled: false,
tabBarLabel: language.en.profile,
};
componentWillMount() {
this.init();
}
init() {
console.log(this.store.logined)
if (!this.store.logined) {
// this.props.navigation.navigate("Login");
} else {
}
}
changeIndex(index) {
this.tabMap.index = index;
}
logoutAlert() {
Alert.alert(
"Logout",
"Are you sure to Logout?",
[
{
text: "Cancel",
onPress: () => console.log("Cancel Pressed"),
style: "cancel"
},
{ text: "Sure", onPress: () => this.logoutAction() }
],
{ cancelable: false }
);
}
logoutAction() {
this.store.logoutPost(this);
}
navigatieAction(page) {
this.props.navigation.navigate(page);
}
render() {
log.firebaseClass('profile')
return (
<SafeAreaView style={{ backgroundColor: theme.mainColor, flex: 1 }}>
<View style={styles.container}>
<Header navigation = {this.props.navigation}/>
<ScrollableTabView
style={{marginTop: 20, }}
tabBarTextStyle = {{fontFamily:Fonts.century,fontWeight:'bold'}}
tabBarActiveTextColor={theme.mainColor}
tabBarUnderlineStyle={{ backgroundColor: "white", height: 1 }}
tabBarBackgroundColor={"white"}>
<AccountSettings
tabLabel="My Information"
navigation={this.props.navigation}
/>
<Payment tabLabel="Credit card details" navigation={this.props.navigation} />
</ScrollableTabView>
</View>
</SafeAreaView>
);
}
}
const styles = StyleSheet.create({
container: {
flex: 1,
height: height,
width: width
},
welcome: {
fontSize: 20,
textAlign: "center",
margin: 10
},
instructions: {
textAlign: "center",
color: "#333333",
marginBottom: 5
}
});

View File

@ -0,0 +1,336 @@
import React, { Component } from "react";
import {
Platform,
StyleSheet,
View,
TextInput,
TouchableOpacity
} from "react-native";
import { observable } from "mobx";
import { observer, inject } from "mobx-react/native";
import Text from "react-native-text";
import { scale, verticalScale, moderateScale } from "react-native-size-matters";
import { Dropdown } from "react-native-material-dropdown";
import { Button } from "react-native-elements";
import firebase from "react-native-firebase";
import Toast, { DURATION } from "react-native-easy-toast";
//component
import DrawerNavigationHeader from "../../components/Public/drawerNavigationHeader";
import theme from "../../config/colors";
import { Fonts } from "../../config/fonts";
import Size from "../../config/size";
import Countdown, { CountdownStatus } from "rn-countdown";
// function
import { width, height } from "../../config/screen";
import AsyncStorageHelper from "../../config/asyncStorageHelper";
import Loader from "../../components/Public/loader";
const asyncStorageHelper = new AsyncStorageHelper();
const size = new Size();
@inject(["menuStore"], ["userStore"])
@observer
export default class AccountSettings extends Component {
@observable pickupPointIndexExist = false;
password = "";
pickupPoint = [];
@observable index = 1;
@observable
code = 0;
@observable
password = "";
@observable
verificationCode = "";
static navigationOptions = {
drawerLabel: "Account"
};
constructor(props) {
super(props);
this.store = this.props.userStore;
this.menuStore = this.props.menuStore;
}
navigatieAction(page, Param) {
this.props.navigation.navigate(page, Param);
}
checking() {
asyncStorageHelper.getData("pickupPointId", pickupPointId => {
if (pickupPointId != null) {
console.log("index: " + pickupPointId);
this.pickupPointIndexExist = true;
this.index = this.getIndex(pickupPointId);
}
});
}
changeIndex(index) {
this.tabMap.index = index;
}
positionValue() {
if (this.pickupPointIndexExist) {
return this.store.pickupPointLabel[this.pickupPointIndex].value;
} else {
return null;
}
}
positionChange(id) {
asyncStorageHelper.saveData("pickupPointId", id);
this.menuStore.getMenuItem();
}
handleNetworkFailed = () => alert("network failed");
handleStopCountdown = () => this.countdown && this.countdown.stopCountdown();
handleClickCountdown = () => {
var bodyFormData = new FormData();
bodyFormData.append("country_code", "852");
bodyFormData.append(
"phone_number",
this.store.userData.data.member.mobile.toString()
);
this.store.sendsmsVerify(bodyFormData, this);
};
getIndex(id) {
var index = this.store.pickupPointLabel.findIndex(function(item, i) {
return item.id == parseInt(id);
});
return index;
}
startToCountDown = () => {
this.countdown && this.countdown.startCountdown();
};
resetPassword() {
// this.store.signupPost(api.signup, this.signInData, this);
if (this.verificationCode != null || this.verificationCode != "") {
if (this.password != null || this.password != "") {
if (this.password.length >= 8) {
var data = {
verificationCode: this.verificationCode,
mobile: this.store.userData.data.member.mobile.toString(),
countryCode: "852",
password: this.password
};
this.store.forgotPassword(data, this);
} else {
this.refs.toast.show("your password must be at least 8 characters");
}
} else {
this.refs.toast.show("Please enter reset password");
}
} else {
this.refs.toast.show("Please enter verification number");
}
}
countDownButton() {
return (
<View style={{ flex: 1 }}>
<Countdown
ref={r => (this.countdown = r)}
time={60}
onPress={this.handleClickCountdown}
onNetworkFailed={this.handleNetworkFailed}
onDidFinishCountdown={this.handleCountdownOver}
>
{({ status, time }) => {
let title, containerStyle, titleStyle;
switch (status) {
case CountdownStatus.Idle:
title = "send";
containerStyle = styles.countdown;
titleStyle = styles.countdownTitle;
break;
case CountdownStatus.Counting:
title = `sent(${time})`;
containerStyle = styles.countdown;
titleStyle = styles.countdownTitle;
break;
case CountdownStatus.Over:
title = "send";
containerStyle = styles.countdown;
titleStyle = styles.countdownTitle;
break;
}
return (
<View style={containerStyle}>
<Text style={titleStyle}>{title}</Text>
</View>
);
}}
</Countdown>
</View>
);
}
render() {
if (this.store.logined) {
this.checking();
return (
<View style={styles.container}>
<Loader loading={this.store.loading} />
<View style={{ flex: 1 }}>
<View style={styles.TextContainer}>
<Text
style={styles.TextView}
underlineColorAndroid="rgba(0,0,0,0)"
>
{this.store.userData.data.member.name}
</Text>
</View>
<View style={styles.TextContainer}>
<Text style={styles.TextView}>
{this.store.userData.data.member.email}
</Text>
</View>
<View style={styles.TextContainer}>
<Text style={styles.TextView}>
+{this.store.userData.data.member.countryCode}{" "}
{this.store.userData.data.member.mobile}
</Text>
</View>
<View style={styles.TextContainer}>
<TextInput
style={styles.TextView}
placeholder={"Reset Password(at least 8 characters)"}
secureTextEntry={true}
underlineColorAndroid="rgba(0,0,0,0)"
value={this.password}
onChangeText={value => (this.password = value)}
/>
</View>
<View
style={{
marginLeft: 20,
marginRight: 20,
marginTop: 20,
flexDirection: "row",
justifyContent: "space-between"
}}
>
{this.countDownButton()}
<View
style={{
backgroundColor: theme.inputBgc,
marginLeft: 10,
alignSelf: 'stretch',
justifyContent: "center",
height: verticalScale(40),
borderRadius: 5,
flex: 1
}}
>
<TextInput
style={{
// backgroundColor:theme.inputBgc,
color: theme.foodNameColor,
fontSize: size.getSize(12),
paddingRight: 30,
paddingLeft: 40,
fontFamily: Fonts.century,
paddingVertical: 0,
alignSelf: 'stretch'
}}
underlineColorAndroid="rgba(0,0,0,0)"
placeholder="verification no."
keyboardType={"numeric"}
placeholderStyle={{
fontWeight: "bold",
fontFamily: Fonts.century,
fontSize: size.getSize(10),
paddingVertical: 0
}}
value={this.verificationCode}
onChangeText={text => (this.verificationCode = text)}
placeholderTextColor={theme.foodNameColor}
/>
</View>
</View>
</View>
<Button
title="Reset"
fontWeight="bold"
fontSize={size.getSize(18)}
fontFamily={Fonts.century}
titleStyle={{
color: "white",
fontFamily: Fonts.century,
fontWeight: "bold",
fontSize: 50
}}
onPress={() => this.resetPassword()}
// loading={false}
loadingProps={{ size: "large", color: "rgba(111, 202, 186, 1)" }}
buttonStyle={styles.signupButton}
/>
<Toast ref="toast" position={"center"} />
</View>
);
} else {
return null;
}
}
}
const styles = StyleSheet.create({
container: {
flex: 1,
alignItems: "center",
backgroundColor: "white",
width: width
},
welcome: {
fontSize: 20,
textAlign: "center",
margin: 10
},
instructions: {
textAlign: "center",
color: "#333333",
marginBottom: 5
},
TextView: {
color: theme.coolGrey,
fontSize: size.getSize(15),
paddingRight: 20,
paddingLeft: 20,
fontWeight: "bold",
fontFamily: Fonts.century
},
TextContainer: {
backgroundColor: theme.inputBgc,
marginTop: 20,
marginLeft: 20,
marginRight: 20,
width: width - 40,
height: verticalScale(40),
borderRadius: 5,
justifyContent: "center"
},
signupButton: {
width: width,
height: verticalScale(60),
backgroundColor: theme.mainColor
},
countdown: {
borderRadius: 5,
borderWidth: 2,
borderColor: theme.coolGrey,
height: verticalScale(40),
justifyContent: "center",
alignItems: "center"
},
countdownTitle: {
color: theme.coolGrey,
fontSize: 12
}
});

177
app/containers/Account/addCard.js Executable file
View File

@ -0,0 +1,177 @@
import React, { Component } from "react";
import {
Platform,
StyleSheet,
View,
TouchableOpacity,
ScrollView,
Switch,
SafeAreaView,
} from "react-native";
import { observable, action } from "mobx";
import Text from "react-native-text";
import { observer, inject } from "mobx-react/native";
import { scale, verticalScale, moderateScale } from "react-native-size-matters";
import Icon from "react-native-vector-icons/dist/Ionicons";
import Toast, { DURATION } from "react-native-easy-toast";
import {
CreditCardInput,
LiteCreditCardInput
} from "react-native-credit-card-input";
import DrawerNavigationHeader from "../../components/Public/drawerNavigationHeader";
import Loader from "../../components/Public/loader"
import { width, height } from "../../config/screen";
import theme from '../../config/colors'
import {Fonts} from '../../config/fonts'
import Size from "../../config/size";
const size = new Size();
@inject(["userStore"])
@observer
export default class AddCard extends Component {
constructor(props) {
super(props);
this.store = this.props.userStore;
}
cardData = null;
//_onFocus = field => console.log("focusing", field);
addCardAction() {
var BreakException = {};
if (this.cardData != null) {
if (this.cardData.valid) {
let data = {
num: this.cardData.values.number.replace(/\s/g, ""),
expiry: this.cardData.values.expiry.replace("/", ""),
cvc: this.cardData.values.cvc
};
console.log(this.cardData);
this.store.postCreditCard(this.props.navigation,data);
} else {
try {
Object.keys(this.cardData.status).forEach(e => {
console.log(e + " - " + this.cardData.status[e]);
if (
this.cardData.status[e] == "incomplete" ||
this.cardData.status[e] == "invalid"
) {
this.refs.toast.show(e + " " + this.cardData.status[e]);
throw BreakException;
}
});
} catch (e) {
if (e !== BreakException) throw e;
}
}
} else {
this.refs.toast.show("please insert card number");
}
}
render() {
return (
<SafeAreaView style={{ flex: 1, backgroundColor: theme.mainColor }}>
<View style={styles.container}>
<Loader
loading = {this.store.loading}/>
<View
style={{
width: width,
height: "10%",
alignItems: "center",
justifyContent: "center",
marginTop: 20,
flexDirection: "row"
}}
>
<View
style={{
width: "30%",
height: "100%",
justifyContent: "center",
paddingLeft: 5
}}
>
<Icon
name="ios-arrow-back"
size={size.getSize(50)}
color="black"
onPress={() => {
this.props.navigation.goBack();
}}
/>
</View>
<View
style={{
width: "40%",
height: "100%",
justifyContent: "center",
alignItems: "center"
}}
>
<Text style={{ fontSize: 22, fontFamily: Fonts.century, }}>Add a Card</Text>
</View>
<View
style={{
width: "30%",
paddingRight: 5,
height: "100%",
flexDirection: "row",
justifyContent: "flex-end",
alignItems: "center"
}}
>
<Icon
name="md-add"
size={size.getSize(50)}
color="black"
onPress={() => this.addCardAction()}
/>
</View>
</View>
<LiteCreditCardInput
autoFocus
requiresName
requiresCVC
labelStyle={styles.label}
inputStyle={styles.input}
validColor={"black"}
invalidColor={"red"}
placeholderColor={"darkgray"}
onChange={form => (this.cardData = form)}
/>
</View>
<Toast ref="toast" />
</SafeAreaView>
);
}
}
const styles = StyleSheet.create({
container: {
flex: 1,
backgroundColor: "#F5FCFF"
},
switch: {
alignSelf: "center",
marginTop: 20,
marginBottom: 20
},
label: {
color: "black",
fontSize: 12
},
input: {
fontSize: 16,
color: "black"
}
});

374
app/containers/Account/payment.js Executable file
View File

@ -0,0 +1,374 @@
import React, { Component } from "react";
import {
Platform,
StyleSheet,
View,
TouchableOpacity,
Alert,
SafeAreaView
} from "react-native";
import { observable, action, transaction } from "mobx";
import Text from "react-native-text";
import { Button } from "react-native-elements";
import { observer, inject } from "mobx-react/native";
import { scale, verticalScale, moderateScale } from "react-native-size-matters";
import Icon from "react-native-vector-icons/dist/Ionicons";
import Icon2 from "react-native-vector-icons/dist/MaterialCommunityIcons";
import Toast, { DURATION } from "react-native-easy-toast";
import Log from '../../config/log'
import {
CreditCardInput,
LiteCreditCardInput
} from "react-native-credit-card-input";
//component
import DrawerNavigationHeader from "../../components/Public/drawerNavigationHeader";
// function
import theme from "../../config/colors";
import { Fonts } from "../../config/fonts";
import { width, height } from "../../config/screen";
import Loader from "../../components/Public/loader";
import Size from "../../config/size";
const size = new Size();
const log = new Log()
@inject(["userStore"])
@observer
export default class Payment extends Component {
@observable
menu = false;
@observable
addCard = false;
cardData = null;
static navigationOptions = {
drawerLabel: "Account"
};
constructor(props) {
super(props);
this.store = this.props.userStore;
}
changeIndex(index) {
this.tabMap.index = index;
}
addCardAction() {
var BreakException = {};
if (this.cardData != null) {
if (this.cardData.valid) {
let data = {
num: this.cardData.values.number.replace(/\s/g, ""),
expiry: this.cardData.values.expiry.replace("/", ""),
cvc: this.cardData.values.cvc
};
console.log(this.cardData);
log.firebaseLog('press_add_button_on_creditCard_progress',{})
this.store.postCreditCard(this, data);
} else {
try {
Object.keys(this.cardData.status).forEach(e => {
console.log(e + " - " + this.cardData.status[e]);
if (
this.cardData.status[e] == "incomplete" ||
this.cardData.status[e] == "invalid"
) {
this.refs.toast.show(e + " " + this.cardData.status[e]);
throw BreakException;
}
});
} catch (e) {
if (e !== BreakException) throw e;
}
}
} else {
console.log("error");
this.refs.toast.show("please insert card number");
}
}
testing(token, data) {
Alert.alert(token, data, { text: "ok", onPress: () => console.log("ok") });
}
@action
removeCard() {
Alert.alert("", "Are you sure? ", [
{ text: "Cancel", onPress: () => console.log("Cancel") },
{
text: "Sure",
onPress: () => this.store.deleCreditCard(this)
}
]);
}
updateCard() {
//this.removeCard();
this.props.navigation.navigate("AddCard");
}
render() {
return (
<SafeAreaView style={{ flex: 1, backgroundColor: theme.mainColor }}>
<View style={styles.container}>
<Loader loading={this.store.loading} />
{!this.store.addedCard ? (
<View>
<View
style={{
alignItems: "center",
marginTop: 20,
marginRight: 30,
marginLeft: 30,
flexDirection: "row"
}}
>
<View style={{ width: "25%", alignItems: "flex-start" }}>
<Icon
name="ios-card"
size={size.getSize(45)}
color={theme.coolGrey}
/>
</View>
<TouchableOpacity
style={{
width: "75%",
height: verticalScale(40),
alignItems: "center",
borderWidth: 2,
borderColor: theme.coolGrey,
borderRadius: 5,
justifyContent: "center"
}}
onPress={() => {
this.addCard = true;
log.firebaseLog('press_add_creditCard_button',{})
}}
>
<Text
style={{
fontSize: 15,
fontFamily: Fonts.century,
color: theme.coolGrey,
fontWeight: "bold"
}}
>
Add credit card
</Text>
</TouchableOpacity>
</View>
{this.addCard ? (
<View>
<LiteCreditCardInput
autoFocus
labelStyle={styles.label}
inputStyle={styles.input}
validColor={"black"}
invalidColor={"red"}
placeholderColor={"darkgray"}
onChange={form => (this.cardData = form)}
/>
<View
style={{
justifyContent: "space-between",
marginTop: 20,
marginRight: 30,
marginLeft: 30,
flexDirection: "row"
}}
>
<TouchableOpacity
style={{
width: "45%",
alignItems: "center",
justifyContent: "center",
borderWidth: 2,
borderColor: theme.coolGrey,
borderRadius: 5,
height: verticalScale(40)
}}
onPress={() => {
this.addCardAction();
}}
>
<Text>Add</Text>
</TouchableOpacity>
<TouchableOpacity
style={{
width: "45%",
alignItems: "center",
justifyContent: "center",
borderWidth: 2,
borderColor: theme.coolGrey,
borderRadius: 5,
height: verticalScale(40)
}}
onPress={() => {
this.addCard = false;
this.cardData = null;
log.firebaseLog('press_cancel_button_on_creditCard_progress',{})
}}
>
<Text>CANCEL</Text>
</TouchableOpacity>
</View>
</View>
) : (
<View />
)}
</View>
) : (
<View
style={{
alignItems: "center",
marginTop: 20,
marginRight: 30,
marginLeft: 30,
flexDirection: "row"
}}
>
<View style={{ width: "25%", alignItems: "flex-start" }}>
<Icon
name="ios-card"
size={size.getSize(45)}
color={theme.coolGrey}
/>
</View>
<View
style={{
width: "75%",
height: verticalScale(40),
alignItems: "center",
flexDirection: "row",
borderWidth: 2,
borderColor: theme.coolGrey,
borderRadius: 5,
justifyContent: "space-between"
}}
onPress={() => {
this.addCard = true;
}}
>
<Text
style={{
fontSize: 15,
paddingLeft: scale(20),
fontFamily: Fonts.century,
color: theme.coolGrey,
fontWeight: "bold"
}}
>
{this.store.creditCardinfo.num}
</Text>
<TouchableOpacity
style={{ justifyContent: "center",alignItems:'center' }}
onPress={() => (this.menu = !this.menu)}
>
<Icon2
name="dots-vertical"
size={size.getSize(30)}
color={theme.coolGrey}
style={{ marginLeft: 10 }}
/>
</TouchableOpacity>
</View>
</View>
)}
{this.menu ? (
<View
style={{
justifyContent: "space-between",
width:width,
marginTop: 20,
marginRight: 30,
marginLeft: 30,
flexDirection: "row"
}}
>
<TouchableOpacity
style={{
width: "40%",
alignItems: "center",
justifyContent: "center",
borderWidth: 2,
marginLeft: 30,
borderColor: theme.coolGrey,
borderRadius: 5,
height: verticalScale(40)
}}
onPress={() => {
this.removeCard();
this.menu = !this.menu;
log.firebaseLog('press_remove_card_button',{})
}}
>
<Text>Remove Card</Text>
</TouchableOpacity>
<TouchableOpacity
style={{
width: "40%",
alignItems: "center",
justifyContent: "center",
borderWidth: 2,
marginRight: 30,
borderColor: theme.coolGrey,
borderRadius: 5,
height: verticalScale(40)
}}
onPress={() => {
this.menu = !this.menu;
}}
>
<Text>CANCEL</Text>
</TouchableOpacity>
</View>
) : (
<View />
)}
</View>
<Toast ref="toast" position={"center"} />
</SafeAreaView>
);
}
}
const styles = StyleSheet.create({
container: {
flex: 1,
alignItems: "center",
backgroundColor: "white"
},
welcome: {
fontSize: 20,
textAlign: "center",
margin: 10
},
instructions: {
textAlign: "center",
color: "#333333",
marginBottom: 5
},
buttonView: {
width: "80%",
height: 60,
marginTop: 10,
alignItems: "center",
justifyContent: "center",
borderColor: "black",
borderWidth: 1
},
label: {
color: "black",
fontSize: 12
},
input: {
fontSize: 16,
color: "black"
}
});

View File

@ -0,0 +1,185 @@
import React, { Component } from "react";
import {
Platform,
StyleSheet,
Text,
View,
Alert,
NetInfo,
Geolocation
} from "react-native";
import Header from "../../components/Public/header";
import { observer, inject } from "mobx-react/native";
import { observable, transaction } from "mobx";
import { width, height } from "../../config/screen";
import MapView, { Polyline } from "react-native-maps";
import MapViewDirections from "react-native-maps-directions";
import AsyncStorageHelper from "../../config/asyncStorageHelper";
const asyncStorageHelper = new AsyncStorageHelper();
const origin = { latitude: 22.320508, longitude: 114.170222 };
const destination = { latitude: 22.320568, longitude: 114.171273 };
const GOOGLE_MAPS_APIKEY = "AIzaSyB_9Wi7BcAgqMPxZvW_5DWb8UxF5W9tWz0";
export const getCurrentLocation = () => {
return new Promise((resolve, reject) => {
navigator.geolocation.getCurrentPosition(
position => resolve(position),
e => reject(e)
);
});
};
@inject(["menuStore"], ["userStore"])
@observer
export default class Location extends Component {
title = "";
pickUpPointLoaction = { latitude: 0, longitude: 0 };
static navigationOptions = {
drawerLabel: "My Orders"
};
constructor(props) {
super(props);
this.store = this.props.menuStore;
this.userStore = this.props.userStore;
this.state = {
region: {
latitude: null,
longitude: null,
latitudeDelta: 1,
longitudeDelta: 1
}
};
}
getIndex(id) {
var index = this.userStore.pickupPointLabel.findIndex(function(item, i) {
return item.id == parseInt(id);
});
return index;
}
getUserLocation() {
navigator.geolocation.getCurrentPosition(
position => {
this.userStore.userLocation = position;
},
error => {
console.log(error);
},
{ enableHighAccuracy: true, timeout: 20000, maximumAge: 1000 }
);
}
componentWillMount() {
const { navigation } = this.props;
this.getUserLocation();
this.title = navigation.getParam("title", "Location");
this.pickUpPointLoaction = navigation.getParam("location", {
latitude: 0,
longitude: 0
});
this.setState({
region: {
latitude: this.userStore.userLocation.coords.latitude,
longitude: this.userStore.userLocation.coords.longitude,
latitudeDelta: 0.02,
longitudeDelta: 0.02
}
});
}
clickMarkerAction(id) {
Alert.alert(
"",
"Select " +
this.userStore.pickupPointLabel[this.getIndex(id)].value +
"?",
[
{ text: "Cancel", onPress: () => console.log("Cancel") },
{ text: "Yes", onPress: () => this.picked(id) }
]
);
}
picked(id) {
asyncStorageHelper.saveData("pickupPointId", id);
this.store.getMenuItem();
this.props.navigation.goBack();
}
render() {
console.log(this.userStore.userLocation);
if (this.title == "Pick the loaction") {
return (
<View style={styles.container}>
<Header title={this.title} navigation={this.props.navigation} />
<MapView
style={{ width: width, height: 400 }}
showsUserLocation={true}
initialRegion={this.state.region}
>
{this.userStore.pickupLoactionPoint.data.content.map(marker => (
<MapView.Marker
coordinate={{ latitude: marker.lat, longitude: marker.lng }}
title={marker.name}
onPress={() => this.clickMarkerAction(marker.id)}
/>
))}
</MapView>
</View>
);
} else {
return (
<View style={styles.container}>
<Header title={this.title} navigation={this.props.navigation} />
<MapView
style={{ width: width, height: 400 }}
showsUserLocation={true}
initialRegion={this.state.region}
>
<MapView.Marker
coordinate={{
latitude: this.userStore.userLocation.coords.latitude,
longitude: this.userStore.userLocation.coords.longitude
}}
/>
<MapView.Marker coordinate={this.pickUpPointLoaction} />
<MapViewDirections
origin={{latitude: this.userStore.userLocation.coords.latitude,
longitude: this.userStore.userLocation.coords.longitude,}}
destination={this.pickUpPointLoaction}
apikey={GOOGLE_MAPS_APIKEY}
mode = 'walking'
strokeWidth={3}
strokeColor="red"
/>
)
</MapView>
</View>
);
}
}
}
const styles = StyleSheet.create({
container: {
flex: 1,
alignItems: "center",
backgroundColor: "#F5FCFF"
},
welcome: {
fontSize: 20,
textAlign: "center",
margin: 10
},
instructions: {
textAlign: "center",
color: "#333333",
marginBottom: 5
}
});

View File

@ -0,0 +1,390 @@
import React, { Component } from "react";
import {
Platform,
StyleSheet,
View,
Alert,
NetInfo,
Geolocation,
TouchableOpacity,
SafeAreaView,
StatusBar,
Image,
ImageBackground
} from "react-native";
import Header from "../../components/Public/header";
import Text from "react-native-text";
import { SearchBar } from "react-native-elements";
import { observer, inject } from "mobx-react/native"
import { Fonts } from "../../config/fonts";;
import { observable, transaction } from "mobx";
import { scale, verticalScale, moderateScale } from "react-native-size-matters";
import { width, height } from "../../config/screen";
import MapView, { Polyline } from "react-native-maps";
import MapViewDirections from "react-native-maps-directions";
import AsyncStorageHelper from "../../config/asyncStorageHelper";
import { KeyboardAwareScrollView } from "react-native-keyboard-aware-scroll-view";
import { ifIphoneX } from 'react-native-iphone-x-helper'
import theme from "../../config/colors";
import FastImage from "react-native-fast-image";
import MyStatusBar from "../../components/Public/statusBar";
const asyncStorageHelper = new AsyncStorageHelper();
import Log from '../../config/log'
import { GooglePlacesAutocomplete } from "react-native-google-places-autocomplete";
const origin = { latitude: 22.320508, longitude: 114.170222 };
const destination = { latitude: 22.320568, longitude: 114.171273 };
const GOOGLE_MAPS_APIKEY = "AIzaSyBM8eEWcSWBuZcM0lGH_JSoDjgImlqHwPs";
const log = new Log()
export const getCurrentLocation = () => {
return new Promise((resolve, reject) => {
navigator.geolocation.getCurrentPosition(
position => resolve(position),
e => reject(e)
);
});
};
@inject(["menuStore"], ["userStore"])
@observer
export default class LocationRequest extends Component {
@observable
markerId = null;
title = "";
pickUpPointLoaction = { latitude: 0, longitude: 0 };
perdefinedPlaces = [];
static navigationOptions = {
drawerLabel: "My Orders"
};
constructor(props) {
super(props);
this.store = this.props.menuStore;
this.userStore = this.props.userStore;
this.state = {
region: {
latitude: null,
longitude: null,
latitudeDelta: 1,
longitudeDelta: 1
}
};
}
navigatieAction(page) {
this.props.navigation.navigate(page);
}
_requestPermission() {
Permissions.request("location").then(response => {
if (
response == "allow" ||
response == "restricted" ||
response == "authorized"
) {
navigator.geolocation.getCurrentPosition(
position => {
this.userStore.userLocation = position;
console.log(position);
// self.navigatieAction("LocationRequest");
},
error => {
console.log(error);
// self.navigatieAction("LocationRequest");
},
{ enableHighAccuracy: false, timeout: 4000, maximumAge: 10000 }
);
} else {
// self.navigatieAction("LocationRequest");
}
});
}
onClickAction(data, details) {
this.map.animateToRegion({
latitude: details.geometry.location.lat,
longitude: details.geometry.location.lng,
latitudeDelta: 0.02,
longitudeDelta: 0.02
});
for (var i = 0; i < this.userStore.perdefinedPlaces.length; i++) {
if (
this.userStore.perdefinedPlaces[i].geometry.location.lat ==
details.geometry.location.lat &&
this.userStore.perdefinedPlaces[i].geometry.location.lng ==
details.geometry.location.lng
) {
this.markerId = this.userStore.perdefinedPlaces[i].id
break;
}
}
console.log(details);
}
googlePlacesAutoComplete() {
return (
<View
style={{
position: "absolute",
top: 0,
backgroundColor: theme.mainColor,
...ifIphoneX(
{
//height:'10%'
},{
}
)
}}
>
<GooglePlacesAutocomplete
placeholder={this.userStore.text.googleSearch}
placeholderTextColor="white"
minLength={1} // minimum length of text to search
autoFocus={false}
returnKeyType={"search"} // Can be left out for default return key https://facebook.github.io/react-native/docs/textinput.html#returnkeytype
listViewDisplayed="false" // true/false/undefined
fetchDetails={true}
renderDescription={row => row.description} // custom description render
onPress={(data, details = null) => {
this.onClickAction(data, details);
}}
getDefaultValue={() => ""}
query={{
// available options: https://developers.google.com/places/web-service/autocomplete
key: GOOGLE_MAPS_APIKEY,
language: "zh-TW||en", // language of the results
types: ["(cities)", "(country)"],
components: "country:hk" // default: 'geocode'
}}
styles={{
textInputContainer: {
backgroundColor: theme.mainColor,
borderTopWidth: 0,
borderBottomWidth: 0,
width: width,
paddingRight: 20,
paddingLeft: 20,
marginBottom: 10
},
textInput: {
textAlign: "center",
height: verticalScale(40),
color: "white",
fontSize: 16,
borderWidth: 0,
backgroundColor: theme.searchMapInputColor,
fontFamily: Fonts.century,
fontWeight: "bold"
},
description: {
fontWeight: "bold"
},
listView: {
backgroundColor: "white"
},
predefinedPlacesDescription: {
color: "#1faadb",
}
}}
currentLocation={false} // Will add a 'Current location' button at the top of the predefined places list
currentLocationLabel="Current location"
nearbyPlacesAPI="GooglePlacesSearch" // Which API to use: GoogleReverseGeocoding or GooglePlacesSearch
GoogleReverseGeocodingQuery={
{
// available options for GoogleReverseGeocoding API : https://developers.google.com/maps/documentation/geocoding/intro
}
}
GooglePlacesSearchQuery={{
// available options for GooglePlacesSearch API : https://developers.google.com/places/web-service/search
rankby: "distance",
types: "food"
}}
filterReverseGeocodingByTypes={[
"locality",
"administrative_area_level_3"
]} // filter the reverse geocoding results by types - ['locality', 'administrative_area_level_3'] if you want to display only cities
predefinedPlaces={this.userStore.perdefinedPlaces}
debounce={200} // debounce the requests in ms. Set to 0 to remove debounce. By default 0ms.
// renderLeftButton={() => <Image source={require('path/custom/left-icon')} />}
//renderRightButton={() => <Text>Custom text </Text>}
/>
</View>
);
}
getIndex(id) {
var index = this.userStore.pickupPointLabel.findIndex(function(item, i) {
return item.id == parseInt(id);
});
return index;
}
getUserLocation() {
navigator.geolocation.getCurrentPosition(
position => {
this.userStore.userLocation = position;
},
error => {
console.log(error);
},
{ enableHighAccuracy: true, timeout: 20000, maximumAge: 1000 }
);
}
componentWillMount() {
const { navigation } = this.props;
this.title = navigation.getParam("title", "Location");
this.pickUpPointLoaction = navigation.getParam("location", {
latitude: 0,
longitude: 0
});
this.setUserLocation();
this.userStore.pickupLoactionPoint.data.content.forEach(element => {
var place = {
description: element.name,
geometry: { location: { lat: element.lat, lng: element.lng } }
};
this.perdefinedPlaces.push(place);
});
}
setUserLocation() {
console.log(this.userStore.userLocation);
if (this.userStore.userLocation === null) {
this.setState({
region: {
latitude: 22.396427,
longitude: 114.109497,
latitudeDelta: 1,
longitudeDelta: 1
}
});
} else {
this.setState({
region: {
latitude: this.userStore.userLocation.coords.latitude,
longitude: this.userStore.userLocation.coords.longitude,
latitudeDelta: 0.02,
longitudeDelta: 0.02
}
});
}
}
clickMarkerAction(id) {
this.markerId = id;
}
confirmAction() {
Alert.alert(
"",
"Select " +
this.userStore.pickupPointLabel[this.getIndex(this.markerId)].value +
"?",
[
{ text: "Cancel", onPress: () => console.log("Cancel") },
{ text: "Yes", onPress: () => this.picked(this.markerId) }
]
);
}
picked(id) {
if(this.markerId != null){
asyncStorageHelper.saveData("pickupPointId", id);
this.userStore.pickupPointId = id;
this.store.pickupPointId = id;
log.firebaseLog("select_pickuppoint_first_time_start_app",{pickuppointid:id})
this.store.getMenuItem(this);
}
}
searchClear() {}
searchChangeText() {}
confirmButton() {
if (!this.markerId) {
return null;
} else {
return (
<TouchableOpacity
style={{
height: verticalScale(60),
width: width,
backgroundColor: theme.mainColor,
alignItems: "center",
justifyContent: "center"
}}
onPress={() => this.confirmAction()}
>
<Text style={{ color: "white", fontWeight: "bold" }}>confirm</Text>
</TouchableOpacity>
);
}
}
render() {
return (
<SafeAreaView style={{ flex: 1, backgroundColor: theme.mainColor }}>
<MyStatusBar
backgroundColor={theme.mainColor}
barStyle="light-content"
/>
<View style={styles.container}>
<MapView
ref={ref => {
this.map = ref;
}}
style={{ width: width, flex: 1 }}
showsUserLocation={true}
initialRegion={this.state.region}
>
{this.userStore.pickupPointLabel.map(marker => (
<MapView.Marker
coordinate={{ latitude: marker.lat, longitude: marker.lng }}
title={marker.name}
onPress={() => this.clickMarkerAction(marker.id)}
>
<Image
resizeMode={"contain"}
source={require("../../images/maplocator.png")}
style={{ width: scale(50), height: scale(50) }}
/>
</MapView.Marker>
))}
</MapView>
{this.confirmButton()}
{this.googlePlacesAutoComplete()}
</View>
</SafeAreaView>
);
}
}
const styles = StyleSheet.create({
container: {
flex: 1,
alignItems: "center",
backgroundColor: "#F5FCFF"
},
welcome: {
fontSize: 20,
textAlign: "center",
margin: 10
},
instructions: {
textAlign: "center",
color: "#333333",
marginBottom: 5
}
});

284
app/containers/Login/login.js Executable file
View File

@ -0,0 +1,284 @@
import React, { Component } from "react";
import {
Platform,
StyleSheet,
View,
TextInput,
TouchableOpacity,
SafeAreaView,
Keyboard,
ScrollView,
TouchableWithoutFeedback
} from "react-native";
import { observable } from "mobx";
import { KeyboardAccessoryNavigation } from "react-native-keyboard-accessory";
import { observer, inject } from "mobx-react/native";
import Text from "react-native-text";
import Header from "../../components/Public/signInUpHeader";
import { scale, verticalScale, moderateScale } from "react-native-size-matters";
import Size from "../../config/size";
import theme from "../../config/colors";
import { Fonts } from "../../config/fonts";
import Log from '../../config/log'
import { width, height } from "../../config/screen";
import { Button } from "react-native-elements";
import CommonTextInput from "../../components/Public/commonTextInput";
import api from "../../stores/api";
const size = new Size();
import Toast, { DURATION } from "react-native-easy-toast";
import SignUpInformation from "../signUp/signUpInformation";
import Loader from "../../components/Public/loader";
let log = new Log()
let inputs = [
{
//value: this.account,
// onChangeText: this.loginData.pwd,
placeholder: "Email/Mobile",
secureTextEntry: false
// componentRef: this.first
},
{
//value: this.password,
//onChangeText: this.loginData.pwd,
placeholder: "Password",
secureTextEntry: true
// componentRef: this.secound
}
];
@inject(["userStore"])
@observer
export default class Login extends Component {
loginData = {
id: "",
pwd: ""
};
data = [
{
value: this.account,
onChangeText: this.loginData.pwd,
componentRef: this.first
},
{
value: this.password,
onChangeText: this.loginData.pwd,
componentRef: this.secound
}
];
constructor(props) {
super(props);
this.store = this.props.userStore;
inputs = inputs.map((input, index) => ({
componentRef: React.createRef(),
value: this.data[index].value,
onChangeText: this.data[index].onChangeText,
...input
}));
this.state = {
activeInputIndex: 0,
nextFocusDisabled: false,
previousFocusDisabled: false,
buttonsDisabled: false,
buttonsHidden: false
};
}
handleFocus = index => () => {
this.setState({
nextFocusDisabled: index === inputs.length - 1,
previousFocusDisabled: index === 0,
activeInputIndex: index
});
};
handleFocusNext = () => {
const { nextFocusDisabled, activeInputIndex } = this.state;
if (nextFocusDisabled) {
return;
}
// this.inputs[activeInputIndex + 1].componentRef.focus();
inputs[1].componentRef.current.focus();
};
handleFocusPrevious = () => {
const { previousFocusDisabled, activeInputIndex } = this.state;
if (previousFocusDisabled) {
return;
}
inputs[activeInputIndex - 1].componentRef.current.focus();
};
navigatieAction(page) {
this.props.navigation.navigate(page);
}
componentWillMount() {
console.log("login componentWillMount");
}
loginAction() {
this.store.loginPost(this.loginData, this, true);
log.firebaseLog('press_login_button',{})
}
testing() {
var bodyFormData = new FormData();
bodyFormData.append("country_code", "852");
bodyFormData.append("phone_number", "97726727");
this.store.sendsmsVerify(bodyFormData, this);
}
render() {
console.log("state: ", this.props.navigation.state);
log.firebaseClass('Login')
return (
<SafeAreaView style={{ flex: 1, backgroundColor: theme.mainColor }}>
<Loader loading={this.store.loading} />
<TouchableWithoutFeedback onPress={Keyboard.dismiss} accessible={false}>
<View style={styles.container}>
<View>
<Header navigation={this.props.navigation} back={true} />
<View style={styles.mainContainer}>
<View style={{ width: width }}>
<ScrollView>
<CommonTextInput
value={this.account}
onChangeText={account => (this.loginData.id = account)}
placeholder="Email"
secureTextEntry={false}
returnKeyType={"next"}
onSubmitEditing={event => {
this.passTextInput.focus();
}}
/>
<CommonTextInput
value={this.password}
onChangeText={password => (this.loginData.pwd = password)}
placeholder="Password"
inputRef={input => {
this.passTextInput = input;
}}
returnKeyType={"done"}
secureTextEntry={true}
onSubmitEditing={event => {
Keyboard.dismiss()
}}
/>
</ScrollView>
<TouchableOpacity
style={{ alignItems: "flex-end" }}
onPress={() => {
this.navigatieAction("ForgetPassword");
}}
>
<Text
style={{
color: theme.forgetTextColor,
fontFamily: Fonts.century,
fontWeight: "bold",
marginRight: 30,
marginTop: 5,
textDecorationLine: "underline"
}}
>
Forget Password ? Go Reset
</Text>
</TouchableOpacity>
</View>
</View>
<TouchableOpacity
style={{ alignItems: "center", marginBottom: 15 }}
onPress={() => this.navigatieAction("SignUpInformation")}
// onPress = {()=>this.testing()}
>
<Text
style={{
color: theme.forgetTextColor,
fontFamily: Fonts.century,
fontWeight: "bold",
marginTop: 5,
textDecorationLine: "underline"
}}
>
No Account ? Go Register
</Text>
</TouchableOpacity>
<Button
title="Login"
fontWeight="bold"
fontSize={size.getSize(18)}
fontFamily={Fonts.century}
titleStyle={{
color: "white",
fontFamily: Fonts.century,
fontWeight: "bold",
fontSize: 50
}}
loadingProps={{
size: "large",
color: "rgba(111, 202, 186, 1)"
}}
buttonStyle={styles.signupButton}
onPress={() => this.loginAction()}
/>
<Toast ref="toast" />
</View>
</View>
</TouchableWithoutFeedback>
</SafeAreaView>
);
}
}
const styles = StyleSheet.create({
container: {
flex: 1,
alignItems: "center",
backgroundColor: "white"
},
TextViewContainer: {
backgroundColor: theme.inputBgc,
marginLeft: 20,
marginRight: 20,
marginTop: 30,
height: verticalScale(40),
borderRadius: 5
},
TextView: {
color: theme.foodNameColor,
height: verticalScale(35),
marginBottom: moderateScale(30),
paddingBottom: 0,
fontSize: size.getSize(15),
paddingRight: 20,
paddingLeft: 20,
fontFamily: Fonts.century
},
mainContainer: {
flex: 1,
alignItems: "center",
marginTop: 10
},
loginButton: {
width: scale(200),
height: verticalScale(50),
marginTop: moderateScale(60)
},
signupButton: {
width: width,
height: verticalScale(60),
backgroundColor: theme.mainColor
}
});

253
app/containers/Menu/init.js Executable file
View File

@ -0,0 +1,253 @@
import React, { Component } from "react";
import {
Platform,
StyleSheet,
View,
SafeAreaView,
TouchableOpacity,
ImageBackground,
NetInfo,
Geolocation,
Image,
Text
} from "react-native";
import { observable, transaction } from "mobx";
import Icon2 from "react-native-vector-icons/dist/MaterialCommunityIcons";
import Permissions from "react-native-permissions";
import firebase from "react-native-firebase";
import { observer, inject } from "mobx-react/native";
import Size from "../../config/size";
import AsyncStorageHelper from "../../config/asyncStorageHelper";
import { width, height } from "../../config/screen";
import { scale, verticalScale, moderateScale } from "react-native-size-matters";
import debounce from "lodash.debounce";
import theme from '../../config/colors'
const size = new Size();
const asyncStorageHelper = new AsyncStorageHelper();
@inject(["menuStore"], ["userStore"])
@observer
class Init extends Component {
constructor(props) {
super(props);
this.store = this.props.menuStore;
this.userStore = this.props.userStore;
firebase.analytics().setAnalyticsCollectionEnabled(true);
}
static navigationOptions = {
gesturesEnabled: false
}
navigatieAction(page,Param) {
console.log(page)
this.props.navigation.navigate(page,Param);
}
debounceInput = debounce(() => {
this.init();
}, 100);
login() {
asyncStorageHelper.getData("userInfo", userInfo => {
if (userInfo != null) {
console.log(userInfo);
this.userStore.loginPost(userInfo, this, false);
}
});
}
notificationInit() {
firebase
.messaging()
.hasPermission()
.then(enabled => {
if (enabled) {
firebase
.messaging()
.getToken()
.then(notificationToken => {
console.log("LOG: ", notificationToken);
this.userStore.regUserNotificationTokenWithNoMid(notificationToken)
});
// user has permissions
} else {
firebase
.messaging()
.requestPermission()
.then(() => {
// alert("User Now Has Permission");
})
.catch(error => {
console.log(error);
// alert("Error", error);
// User has rejected permissions
});
}
});
this.notificationListener = firebase
.notifications()
.onNotification(notification => {
// Process your notification as required
const {
body,
data,
notificationId,
sound,
subtitle,
title
} = notification;
console.log("LOG: ", title, body, JSON.stringify(data));
});
}
getMenuItemFromInit(){
this.store.getMenuItem(this);
}
init() {
var testdate = new Date(2019, 2, 20, 11, 1, 0, 0)
console.log('testdate: '+ testdate)
console.log('utc: '+testdate.getUTCDate())
console.log('utc: '+testdate.getDate())
this.userStore.languageInit()
asyncStorageHelper.getData("userInfo", userInfo => {
console.log('test')
if (userInfo != null) {
//this.store.getMenuItem(this);
this.login();
// console.log('testing '+ this.store.pickupPointId)
asyncStorageHelper.getData("pickupPointId", pickupPointId => {
this.userStore.pickupPointId = pickupPointId
this.store.pickupPointId = pickupPointId
console.log('testing '+ this.store.pickupPointId)
this.userStore.pickupLoaction(this, true,pickupPointId);
})
} else {
this.notificationInit();
asyncStorageHelper.getData("pickupPointId", pickupPointId => {
console.log(pickupPointId)
if (pickupPointId != null) {
this.userStore.pickupPointId = pickupPointId
this.store.pickupPointId = pickupPointId
console.log('init pickupPointId: ' + pickupPointId)
this.userStore.pickupLoaction(this, true,pickupPointId);
//this.store.getMenuItem(this);
} else {
this.userStore.pickupLoaction(this, false,0);
}
});
}
});
}
getUserLocation() {
navigator.geolocation.getCurrentPosition(
position => {
this.userStore.userLocation = position;
console.log(position);
},
error => {
console.log(error);
},
{ enableHighAccuracy: false, timeout: 10000, maximumAge: 10000 }
);
}
async createNotificationListeners() {
/*
* Triggered when a particular notification has been received in foreground
* */
this.notificationListener = firebase
.notifications()
.onNotification(notification => {
const { title, body } = notification;
// this.showAlert(title, body);
});
/*
* If your app is in background, you can listen for when a notification is clicked / tapped / opened as follows:
* */
this.notificationOpenedListener = firebase
.notifications()
.onNotificationOpened(notificationOpen => {
const { title, body } = notificationOpen.notification;
// this.showAlert(title, body);
});
/*
* If your app is closed, you can check if it was opened by a notification being clicked / tapped / opened as follows:
* */
const notificationOpen = await firebase
.notifications()
.getInitialNotification();
if (notificationOpen) {
const { title, body } = notificationOpen.notification;
// this.showAlert(title, body);
}
/*
* Triggered for data only payload in foreground
* */
this.messageListener = firebase.messaging().onMessage(message => {
//process data message
console.log(JSON.stringify(message));
});
}
showAlert(title, body) {
Alert.alert(
title,
body,
[{ text: "OK", onPress: () => console.log("OK Pressed") }],
{ cancelable: false }
);
}
componentDidMount() {
NetInfo.isConnected.addEventListener("connectionChange", isConnected => {
console.log("Network status:" + (isConnected ? "online" : "offline"));
});
this.debounceInput();
this.createNotificationListeners();
Permissions.check("location", { type: "whenInUse" }).then(response => {
console.log(response);
});
// this._requestPermission();
console.log(this.userStore.logined);
}
_requestPermission = () => {
Permissions.request("location").then(response => {
// Returns once the user has chosen to 'allow' or to 'not allow' access
// Response is one of: 'authorized', 'denied', 'restricted', or 'undetermined'
// this.setState({ photoPermission: response })
console.log(response);
});
};
render() {
return (
<View style={{ flex: 1, alignItems: "center", justifyContent: "center",backgroundColor:theme.mainColor }}>
<Image
style={{ tintColor: "white",height:scale(70),width:scale(70) }}
source={require("../../images/appicon.png")}
resizeMode = {'contain'}
/>
<Text>
{this.store.errorMessage}
</Text>
</View>
);
}
}
export default Init;

388
app/containers/Menu/menu.js Executable file
View File

@ -0,0 +1,388 @@
// plug in
import React, { Component } from "react";
import {
Platform,
StyleSheet,
View,
SafeAreaView,
TouchableOpacity,
ImageBackground,
NetInfo,
Alert,
StatusBar,
Keyboard,
TouchableWithoutFeedback,
AppState,
BackHandler
} from "react-native";
import { observable, transaction } from "mobx";
import Text from "react-native-text";
import { observer, inject } from "mobx-react/native";
import Icon from "react-native-vector-icons/dist/Ionicons";
import Icon2 from "react-native-vector-icons/dist/MaterialCommunityIcons";
import { SearchBar } from "react-native-elements";
import { scale, verticalScale, moderateScale } from "react-native-size-matters";
import debounce from "lodash.debounce";
import Toast, { DURATION } from "react-native-easy-toast";
import PopupDialog, { SlideAnimation } from "react-native-popup-dialog";
import firebase from "react-native-firebase";
import Autocomplete from "react-native-autocomplete-input";
import { ifIphoneX } from 'react-native-iphone-x-helper'
// component
import TopMessageText from "../../components/Menu/topMessageText";
import MenuFlatList from "../../components/Menu/menuFlatList";
import TotalPriceView from "../../components/Menu/totalPriceView";
import MenuDetailsView from "../../components/Menu/menuDetailsView";
import GoogleAutoComplete from "../../components/Menu/googleAutoComplete";
import Map from "../../components/Menu/map";
// function
import AsyncStorageHelper from "../../config/asyncStorageHelper";
import Log from '../../config/log'
import Size from "../../config/size";
import { width, height } from "../../config/screen";
import api from "../../stores/api";
import theme from "../../config/colors";
import MyStatusBar from "../../components/Public/statusBar";
import Language from "../../config/language"
import language from "../../config/language";
const log = new Log()
const size = new Size();
const asyncStorageHelper = new AsyncStorageHelper();
const slideAnimation = new SlideAnimation({
slideFrom: "bottom"
});
const endDate = new Date();
endDate.setHours(endDate.getHours() + 1);
@inject(["menuStore"], ["userStore"])
@observer
export default class Menu extends Component {
data = {};
@observable
menuDetails = {
id: 0,
count: 0,
price: 0,
name: "",
nameEn: "",
imageURL: "",
intro_ch: "",
intro_en: "",
restaurant: {
name: "",
nameEn: "",
addrEn: "",
addr: ""
}
};
@observable
query = "";
@observable
autoPlaceFocus = false;
constructor(props) {
super(props);
this.store = this.props.menuStore;
this.userStore = this.props.userStore;
}
static navigationOptions = {
drawerLabel: "Menu of the Day",
swipeEnabled: false,
tabBarLabel: language.en.menu,
};
async componentDidMount() {
this.checkPermission();
// this.createNotificationListeners();
}
async checkPermission() {
const enabled = await firebase.messaging().hasPermission();
if (enabled) {
this.getToken();
} else {
this.requestPermission();
}
}
onClickAction(data, details) {
this.map.goPosition(data, details)
}
add(id) {
this.store.addCount(id);
}
sum(id) {
this.store.sumCount(id);
}
//3
async getToken() {
let fcmToken = await AsyncStorage.getItem("fcmToken", value);
if (!fcmToken) {
fcmToken = await firebase.messaging().getToken();
if (fcmToken) {
// user has a device token
await AsyncStorage.setItem("fcmToken", fcmToken);
}
}
}
//2
async requestPermission() {
try {
await firebase.messaging().requestPermission();
// User has authorised
this.getToken();
} catch (error) {
// User has rejected permissions
console.log("permission rejected");
}
}
componentWillMount() {
BackHandler.addEventListener('hardwareBackPress', function () {
return true
})
}
getIndex(id) {
var index = this.userStore.pickupPointLabel.findIndex(function(item, i) {
return item.id == parseInt(id);
});
return index;
}
confirmAction(id) {
Alert.alert(
"",
"Select " +
this.userStore.pickupPointLabel[this.getIndex(id)].value +
"?",
[
{ text: "Cancel", onPress: () => console.log("Cancel") },
{ text: "Yes", onPress: () => this.update(id) }
]
);
}
componentDidMount(){
// console.log('token: '+ this.userStore.userData.data.token)
//this.store.userCoupon(this,this.userStore.userData.data.token,true)
AppState.addEventListener('change', (state) => {
if (state === 'active') {
console.log('state active');
this.store.updateMenu()
}
if(state === 'background'){
console.log('background');
}
})
this.props.navigation.addListener('willFocus', (route) => {this.store.updateMenu()});
}
async createNotificationListeners() {
/*
* Triggered when a particular notification has been received in foreground
* */
this.notificationListener = firebase
.notifications()
.onNotification(notification => {
const { title, body } = notification;
this.showAlert(title, body);
});
/*
* If your app is in background, you can listen for when a notification is clicked / tapped / opened as follows:
* */
this.notificationOpenedListener = firebase
.notifications()
.onNotificationOpened(notificationOpen => {
const { title, body } = notificationOpen.notification;
this.showAlert(title, body);
});
/*
* If your app is closed, you can check if it was opened by a notification being clicked / tapped / opened as follows:
* */
const notificationOpen = await firebase
.notifications()
.getInitialNotification();
if (notificationOpen) {
const { title, body } = notificationOpen.notification;
this.showAlert(title, body);
}
/*
* Triggered for data only payload in foreground
* */
this.messageListener = firebase.messaging().onMessage(message => {
//process data message
console.log(JSON.stringify(message));
});
}
showAlert(title, body) {
Alert.alert(
title,
body,
[{ text: "OK", onPress: () => console.log("OK Pressed") }],
{ cancelable: false }
);
}
navigatieAction(page, Param) {
this.props.navigation.navigate(page, Param);
}
searchClear() {}
searchChangeText() {}
foodInformationPagePopUp() {
this.popupDialog.show();
}
foodInformationPageDismiss() {
this.popupDialog.dismiss();
}
foodInformationPageDismissedCallBack() {
console.log("dismiss dialog");
}
update(id){
// this.autoPlaceFocus = false;
console.log('update')
this.googleInput.blur()
asyncStorageHelper.saveData("pickupPointId", id);
this.store.pickupPointId = id;
this.userStore.pickupPointId = id;
log.firebaseLog('change_pickuppoint_from_menu',{logined:this.userStore.logined,pickupPointId:id})
this.store.updateMenuByMap(this,id);
this.googleInput.onTextChange(id);
asyncStorageHelper.getData("userInfo", userInfo => {
if (userInfo != null) {
this.userStore.savePickUpPointToServer(id);
}
});
}
render() {
log.firebaseClass('menu')
return (
<SafeAreaView style={{ flex: 1, backgroundColor: theme.mainColor }}>
<MyStatusBar
backgroundColor={theme.mainColor}
barStyle="light-content"
/>
<TouchableWithoutFeedback onPress={Keyboard.dismiss} accessible={false}>
<View style={styles.container}>
<View style={[this.autoPlaceFocus? styles.topContainerForIphoneX:styles.topContainer]} />
{this.autoPlaceFocus == false ? (
<View style={styles.titleAndDateContainer}>
<TopMessageText date={this.store.cutoffDateTime} />
</View>
) : (
<View/>
)}
{this.autoPlaceFocus == false ? (
<View style={styles.flatViewContainer}>
<MenuFlatList data={this.store.menu} menu={this} />
</View>
) : (
<Map perfdefinedPlaces = {this.userStore.perdefinedPlaces} onRef={ref => (this.map = ref)} onPress ={(id)=>{
this.confirmAction(id)
}}/>
)}
<View style={{ position: "absolute", top: verticalScale(1) }}>
<GoogleAutoComplete
onRef={ref => (this.googleInput = ref)}
perdefinedPlaces={this.userStore.perdefinedPlaces}
onFocus={() => {
this.autoPlaceFocus = true;
}}
onPress = {(data,details)=>{this.onClickAction(data,details)}}
/>
</View>
</View>
</TouchableWithoutFeedback>
<PopupDialog
ref={popupDialog => {
this.popupDialog = popupDialog;
}}
dialogAnimation={slideAnimation}
height={height - moderateScale(90)}
onDismissed={() => this.foodInformationPageDismissedCallBack()}
>
<MenuDetailsView self={this} />
</PopupDialog>
<TotalPriceView self={this} />
<Toast ref="toast" />
</SafeAreaView>
);
}
}
const styles = StyleSheet.create({
container: {
flex: 1,
alignItems: "center",
backgroundColor: "white"
},
topContainer: {
height: "8%",
width: "100%",
alignItems: "center",
justifyContent: "center",
backgroundColor: theme.mainColor
},
topContainerForIphoneX:{
...ifIphoneX({
height: "12%",
},
{
height: "8%",
}),
width: "100%",
alignItems: "center",
justifyContent: "center",
backgroundColor: theme.mainColor
},
titleAndDateContainer: {
height: "9%",
width: "100%",
backgroundColor: theme.mainColor,
justifyContent: "center"
},
flatViewContainer: {
height: "85%",
width: "100%",
marginTop: 10,
alignItems: "center",
}
});

View File

@ -0,0 +1,587 @@
import React, { Component } from "react";
import {
Platform,
StyleSheet,
View,
ScrollView,
TouchableOpacity,
Image,
SafeAreaView,
TextInput,
Alert
} from "react-native";
import { observable } from "mobx";
import Text from "react-native-text";
import { Button } from "react-native-elements";
import { observer, inject } from "mobx-react/native";
import Header from "../../components/Public/header";
import Toast, { DURATION } from "react-native-easy-toast";
import { width, height } from "../../config/screen";
import FoodsRow from "../../components/MyOrders/foodsRow";
import FastImage from "react-native-fast-image";
import Icon from "react-native-vector-icons/dist/MaterialCommunityIcons";
import Log from "../../config/log";
import Size from "../../config/size";
import { scale, verticalScale, moderateScale } from "react-native-size-matters";
import { Dropdown } from "react-native-material-dropdown";
import CommonTextView from "../../components/Public/commonTextView";
import theme from "../../config/colors";
import Loader from "../../components/Public/loader";
import { Popup } from "react-native-map-link";
import { Fonts } from "../../config/fonts";
import { colors } from "react-native-elements";
const size = new Size();
const log = new Log();
const time = [
{
value: "12:10 - 12:40",
format: "12101240"
},
{
value: "13:10 - 13:40",
format: "13101340"
},
{
value: "14:10 - 14:40",
format: "14101440"
}
];
@inject(["menuStore"], ["userStore"])
@observer
export default class ConfirmOrder extends Component {
@observable
message = "";
@observable
tel = "1234556";
@observable
pomoCode = "";
@observable
total = 0;
@observable
discount = 0;
@observable
subVaule = 0;
@observable
options = {
latitude: 38.8976763,
longitude: -77.0387185,
title: "",
dialogTitle: "Select the map",
dialogMessage: "",
cancelText: "Cancel"
};
timeIndex = null;
couponLabel = [];
static navigationOptions = {
drawerLabel: "My Orders"
};
constructor(props) {
super(props);
this.store = this.props.menuStore;
this.userStore = this.props.userStore;
this.state = {
isVisible: false
};
}
componentDidMount() {
log.firebaseClass("ConfirmOrder");
this.total = this.store.totalMoney.toFixed(2);
this.tel = this.userStore.userData.data.member.mobile;
console.log(this.store.couponLabel);
}
navigatieAction(page) {
this.props.navigation.navigate(page);
}
renderFoodsList() {
return this.store.orderList.map(items => {
console.log(items.cuisine.nameEn);
return (
<FoodsRow
items={items}
key={items.id}
lang={this.userStore.languageSelection}
/>
);
});
}
dateFormat() {
var cutoffDate = this.store.cutoffDateTime;
console.log(this.store.cutoffDateTime);
var today = new Date();
var tomorrowOrToday = "";
if (today.getUTCDate() == cutoffDate.getUTCDate()) {
var tomorrowOrToday = "(Today)";
}
var options = {
weekday: "long",
year: "numeric",
month: "long",
day: "numeric"
};
return cutoffDate.toLocaleDateString("En", options) + tomorrowOrToday;
}
discountText() {
if (this.discount > 0) {
return (
<Text
style={{
color: theme.coolGrey,
fontFamily: Fonts.century,
fontWeight: "bold",
fontSize: 13
}}
>
Discount {this.discount + "%" + " off"}
</Text>
);
} else if (this.subVaule > 0) {
return (
<Text
style={{
color: theme.coolGrey,
fontFamily: Fonts.century,
fontWeight: "bold",
fontSize: 13
}}
>
Total {"- " + this.subVaule}
</Text>
);
}
}
orderAction() {
var today = new Date();
yymmdd =
today.getFullYear() +
"-" +
("0" + (today.getMonth() + 1)).slice(-2) +
"-" +
("0" + (today.getDay() + 1)).slice(-2);
console.log(yymmdd);
var token = this.userStore.userData.data.token;
console.log(token);
var orderData = {
pickUpLocation: {
id: this.userStore.pickupPointId
},
// "pickUpDate": yymmdd,
// "pickUpTime": time[this.timeIndex].format,
items: this.store.items,
coupon: this.pomoCode,
mobile: this.tel,
remark: this.message
};
console.log(orderData);
this.store.order(token, orderData, this);
}
onChangeText(text) {
this.pomoCode = text;
this.pressYeahButton();
}
pay() {
this.store.loading = false;
Alert.alert("", "Pay now? ", [
{
text: "Cancel",
onPress: () => {
log.firebaseLog("press_cancel_button_on_confirmOrder", {}),
this.store.cancelOrder(this.userStore.userData.data.token);
}
},
{
text: "Pay",
onPress: () => {
log.firebaseLog("press_pay_button_on_confirmOrder", {}),
this.store.pay(
this.userStore.userData.data.token,
this,
this.userStore.creditCardinfo.id
);
}
}
]);
}
// type 0 all user can use, type 1 all user can use once
discountAction(data) {
if (data.value == 0) {
this.discount = data.percent;
if (this.discount == null || this.discount == 0) {
this.total = this.store.totalMoney.toFixed(2);
} else {
var total = (this.store.totalMoney * (100 - this.discount)) / 100;
this.total = total.toFixed(2);
}
} else {
this.subVaule = data.value;
if (this.subVaule == null || this.subVaule == 0) {
this.total = this.store.totalMoney.toFixed(2);
} else {
var total = this.store.totalMoney - this.subVaule;
this.total = total.toFixed(2);
}
}
}
pressYeahButton() {
log.firebaseLog("press_yeah_button_on_confirmOrder", {}),
this.store.coupon(
this.userStore.userData.data.token,
this,
this.pomoCode
);
this.subVaule = 0;
this.discount = 0;
}
back() {
this.props.navigation.goBack();
}
render() {
return (
<SafeAreaView style={{ flex: 1, backgroundColor: theme.mainColor }}>
<Loader loading={this.store.loading} />
<View style={styles.container}>
<View style={{ width: width, marginTop: 15 }}>
<Icon
name="chevron-left"
size={size.getSize(40)}
color={theme.foodNameColor}
style={{ marginLeft: 10 }}
onPress={() => this.back()}
/>
</View>
<ScrollView style={{ width: width, flex: 1 }}>
<View style={{ marginRight: 20, marginLeft: 20 }}>
{this.renderFoodsList()}
<View
style={{
flexDirection: "row",
marginTop: 10,
marginBottom: 10,
marginLeft: 5,
marginRight: 5,
alignItems: "flex-start",
justifyContent: "space-between"
}}
>
<View style={{ flexDirection: "row" }}>
<Image
resizeMode={"contain"}
source={require("../../images/promo.png")}
/>
<View>
<View
style={{
backgroundColor: theme.inputBgc,
justifyContent: "center",
alignItems: "center",
width: 110,
height: 20,
marginLeft: 5
}}
>
<TextInput
style={{
width: 100,
color: theme.coolGrey,
...Platform.select({
ios: {
height: 20
},
android: {
paddingBottom: 5,
height: 30
}
})
}}
value={this.pomoCode}
underlineColorAndroid="rgba(0,0,0,0)"
onChangeText={text => (this.pomoCode = text)}
placeholder={"Promo Code"}
placeholderStyle={{
fontWeight: "bold",
fontFamily: Fonts.century
}}
placeholderTextColor={theme.coolGrey}
/>
</View>
<View style={{ marginLeft: 5, marginTop: -5 }}>
<Dropdown
label={this.userStore.text.coupon}
onChangeText={text => {
this.onChangeText(text);
}}
data={this.store.couponLabel}
fontSize={12}
/>
</View>
</View>
</View>
<TouchableOpacity
style={{
backgroundColor: theme.mainColor,
height: 20,
width: 60,
alignItems: "center",
justifyContent: "center"
}}
onPress={() => {
this.pressYeahButton();
}}
>
<Text
style={{
fontFamily: Fonts.century,
color: "white",
fontSize: 13,
fontWeight: "bold"
}}
>
Yeah
</Text>
</TouchableOpacity>
</View>
{this.discountText()}
<View
style={{
flexDirection: "row",
marginTop: 10,
marginBottom: 10,
marginLeft: 5,
marginRight: 5,
alignItems: "center",
justifyContent: "space-between"
}}
>
<Text
style={{
color: theme.coolGrey,
fontFamily: Fonts.century,
fontWeight: "bold",
fontSize: 15
}}
>
TOTAL
</Text>
<View
style={{ flexDirection: "row", justifyContent: "flex-end" }}
>
<Text
style={{
color: theme.coolGrey,
fontFamily: Fonts.century,
fontWeight: "bold",
fontSize: 15
}}
>
HKD ${this.total}
</Text>
</View>
</View>
<Text
style={{
fontSize: 13,
color: theme.coolGrey,
fontFamily: Fonts.century,
fontWeight: "bold"
}}
>
Delivery Details
</Text>
<View>
<CommonTextView
title="Pickup Date"
content={this.dateFormat()}
/>
<TouchableOpacity
onPress={() => {
this.options.latitude = this.userStore.pickupPointLabel[
this.userStore.pickupIndex
].lat;
this.options.longitude = this.userStore.pickupPointLabel[
this.userStore.pickupIndex
].lng;
this.setState({ isVisible: true });
}}
>
<CommonTextView
title="Pickup Location"
content={this.userStore.dataLanguage(
this.userStore.pickupPointLabel[
this.userStore.pickupIndex
],
"name"
)}
/>
</TouchableOpacity>
<CommonTextView
title="Pickup Time"
content={
this.userStore.pickupPointLabel[this.userStore.pickupIndex]
.pickupStartTime +
" - " +
this.userStore.pickupPointLabel[this.userStore.pickupIndex]
.pickupEndTime
}
/>
</View>
<View
style={{
borderBottomColor: "black",
borderBottomWidth: 1,
marginTop: 15,
marginBottom: 10,
width: "70%"
}}
>
<Text
style={{
color: theme.coolGrey,
fontFamily: Fonts.century,
fontSize: 13
}}
>
Mobile phone
</Text>
<TextInput
style={{
width: "60%",
color: theme.coolGrey,
fontSize: size.getSize(13),
paddingVertical: 0
}}
value={this.tel}
keyboardType={"numeric"}
underlineColorAndroid="rgba(0,0,0,0)"
onChangeText={tel => (this.tel = tel)}
/>
</View>
<FastImage
style={{
width: width - 40,
marginTop: 15,
marginBottom: 15,
height: verticalScale(200),
backgroundColor: theme.mainColor
}}
source={{
uri: this.userStore.pickupPointLabel[
this.userStore.pickupIndex
].photo
}}
/>
<Text
style={{
marginTop: 15,
marginBottom: 5,
fontSize: 13,
color: theme.coolGrey,
fontFamily: Fonts.century
}}
>
Message box
</Text>
<TextInput
style={{
// backgroundColor:theme.inputBgc,
color: theme.foodNameColor,
width: width - 40,
height: verticalScale(100),
marginBottom: 20,
paddingBottom: 0,
paddingRight: 5,
paddingLeft: 5,
fontSize: size.getSize(13),
fontFamily: Fonts.century,
borderColor: theme.foodNameColor,
borderWidth: 1,
borderRadius: 5,
paddingVertical: 0
}}
multiline={true}
value={this.message}
underlineColorAndroid="rgba(0,0,0,0)"
onChangeText={text => (this.message = text)}
placeholder={"Tell me any requires"}
placeholderStyle={{
fontWeight: "bold",
fontFamily: Fonts.century
}}
placeholderTextColor={theme.foodNameColor}
/>
</View>
</ScrollView>
<Button
title="confirm order"
fontWeight="bold"
fontSize={size.getSize(15)}
fontFamily={Fonts.century}
titleStyle={{
color: "white",
fontFamily: Fonts.century,
fontWeight: "bold"
}}
loadingProps={{
size: "large",
color: "rgba(111, 202, 186, 1)"
}}
buttonStyle={styles.signupButton}
onPress={() => this.orderAction()}
/>
<Toast ref="toast" />
</View>
<Popup
isVisible={this.state.isVisible}
onCancelPressed={() => this.setState({ isVisible: false })}
onAppPressed={() => this.setState({ isVisible: false })}
onBackButtonPressed={() => this.setState({ isVisible: false })}
options={this.options}
/>
</SafeAreaView>
);
}
}
const styles = StyleSheet.create({
container: {
flex: 1,
justifyContent: "center",
alignItems: "center",
backgroundColor: "white"
},
welcome: {
fontSize: 20,
textAlign: "center",
margin: 10
},
instructions: {
textAlign: "center",
color: "#333333",
marginBottom: 5
},
signupButton: {
width: width,
height: verticalScale(50),
backgroundColor: theme.mainColor
}
});

View File

@ -0,0 +1,165 @@
import React, { Component } from "react";
import { Platform, StyleSheet, Text, View, SafeAreaView } from "react-native";
import { observer, inject } from "mobx-react/native";
import { observable } from "mobx";
import DrawerNavigationHeader from "../../components/Public/drawerNavigationHeader";
import OrderFlatList from "../../components/MyOrders/orderFlatList";
import ScrollableTabView from "react-native-scrollable-tab-view";
import AsyncStorageHelper from "../../config/asyncStorageHelper";
import { scale, verticalScale, moderateScale } from "react-native-size-matters";
import Loader from "../../components/Public/loader";
import Login from "../Login/login";
import Log from "../../config/log"
import { width, height } from "../../config/screen";
import Header from '../../components/Public/signInUpHeader'
import theme from "../../config/colors";
import language from "../../config/language";
const log = new Log()
const asyncStorageHelper = new AsyncStorageHelper();
@inject(["menuStore"], ["userStore"])
@observer
export default class MyOrders extends Component {
constructor(props) {
super(props);
this.store = this.props.menuStore;
this.userStore = this.props.userStore;
}
static navigationOptions = {
drawerLabel: "My Orders",
swipeEnabled: false,
tabBarLabel: "My Order"
};
componentWillMount() {
// this.init();
}
init() {
if (this.userStore.logined == false) {
// this.props.navigation.navigate('Login')
} else {
var token = this.userStore.userData.data.token;
this.store.getOrder(this, token);
}
}
componentDidMount(){
log.firebaseClass('orders')
console.log('componentDidMount')
this.props.navigation.addListener('willFocus', (route) => {this.init()});
}
render() {
console.log(this.store.passOrder);
return (
<SafeAreaView style={{ backgroundColor: theme.mainColor, flex: 1 }}>
<Loader loading={this.store.loading} />
<View style={styles.container}>
<ScrollableTabView
tabBarActiveTextColor={theme.mainColor}
tabBarUnderlineStyle={{ backgroundColor: "white", height: 1 }}
tabBarBackgroundColor={"white"}
>
<CurrentOrder
tabLabel="Current Order"
orderHistory={this.store.currentOrder}
navigation={this.props.navigation}
whichOrder = {true}
/>
<PassOrder
tabLabel="Past Order"
orderHistory={this.store.passOrder}
navigation={this.props.navigation}
whichOrder = {false}
/>
</ScrollableTabView>
</View>
</SafeAreaView>
);
}
}
const PassOrder = props => {
return (
<View>
<View
style={{
marginTop: 20,
alignItems: "center",
flexDirection: "row",
backgroundColor: "white",
width: width - 1
}}
>
</View>
<View style={styles.flatViewContainer}>
<OrderFlatList
whichOrder = {props.whichOrder}
data={props.orderHistory}
navigation={props.navigation}
/>
</View>
</View>
);
};
const CurrentOrder = props => {
return (
<View>
{/* <View
style={{
marginTop: 20,
alignItems: "center",
flexDirection: "row",
backgroundColor: "white",
width: width - 1
}}
>
<View style={{ width: "65%" }}>
<Text
style={[styles.textView, { fontWeight: "bold" }]}
numberOfLines={1}
>
Order details
</Text>
</View>
<View style={{ width: "45%" }}>
<Text style={[styles.textView, { fontWeight: "bold" }]}>Status</Text>
</View>
</View> */}
<View style={styles.flatViewContainer}>
<OrderFlatList
data={props.orderHistory}
navigation={props.navigation}
whichOrder = {props.whichOrder}
/>
</View>
</View>
);
};
const styles = StyleSheet.create({
container: {
flex: 1,
backgroundColor: "white",
...Platform.select({
android: {
marginTop: verticalScale(30)
}
})
},
flatViewContainer: {
height: "98%",
width: "100%",
alignItems: "center",
marginBottom: 40
},
textView: {
marginLeft: scale(15),
marginBottom: scale(5)
}
});

View File

@ -0,0 +1,394 @@
import React, { Component } from "react";
import {
Platform,
StyleSheet,
View,
ScrollView,
TouchableOpacity,
ActivityIndicator,
Alert,
SafeAreaView
} from "react-native";
import { observable } from "mobx";
import { Button } from "react-native-elements";
import Text from "react-native-text";
import { observer, inject } from "mobx-react/native";
import Header from "../../components/Public/header";
import Toast, { DURATION } from "react-native-easy-toast";
import { width, height } from "../../config/screen";
import FoodsRow from "../../components/MyOrders/foodsRow";
import moment from "moment";
import FoodsRowForOrderDetails from "../../components/MyOrders/foodsRowForOrderDetails";
import Icon from "react-native-vector-icons/dist/MaterialCommunityIcons";
import { scale, verticalScale, moderateScale } from "react-native-size-matters";
import { Dropdown } from "react-native-material-dropdown";
import FastImage from "react-native-fast-image";
import { Popup } from "react-native-map-link";
import theme from "../../config/colors";
import { Fonts } from "../../config/fonts";
import CommonTextView from "../../components/Public/commonTextView";
import Size from "../../config/size";
const size = new Size();
@inject(["menuStore"], ["userStore"])
@observer
export default class OrderDetails extends Component {
@observable
buttonColor = theme.mainColor;
@observable
buttonDisabled = false;
@observable
options = {
latitude: 38.8976763,
longitude: -77.0387185,
title: "",
dialogTitle: "Select the map",
dialogMessage: "",
cancelText: "Cancel"
};
timeIndex = null;
data = {};
static navigationOptions = {
drawerLabel: "My Orders"
};
constructor(props) {
super(props);
this.store = this.props.menuStore;
this.userStore = this.props.userStore;
this.state = {
isVisible: false
};
}
componentWillMount() {
const { navigation } = this.props;
this.data = navigation.getParam("data", {});
this.time = navigation.getParam("time", {});
//console.log(this.data+" "+this.time);
this.options.latitude = this.data.pickUpLocation.lat;
this.options.longitude = this.data.pickUpLocation.lng;
this.options.title = this.data.pickUpLocation.name;
this.canCancelOrNot();
}
navigatieAction(page) {
this.props.navigation.navigate(page);
}
dateFormat() {
var momentDate = moment(this.data.items[0].pickupEnd);
var timestamp = momentDate.toDate();
var options = {
weekday: "long",
year: "numeric",
month: "long",
day: "numeric"
};
return timestamp.toLocaleDateString("En", options);
}
pickupTime(){
var pickupTimeStartString = this.data.items[0].pickupStart.substring(11,16)
var pickupTimeEndString = this.data.items[0].pickupEnd.substring(11,16)
return pickupTimeStartString + " - " + pickupTimeEndString
}
canCancelOrNot() {
if (this.data.status != "D") {
if (this.time) {
this.buttonColor = theme.inputBgc;
this.buttonDisabled = true;
} else {
console.log('this')
this.buttonColor = theme.mainColor;
this.buttonDisabled = false;
}
} else {
this.buttonColor = theme.inputBgc;
this.buttonDisabled = true;
}
}
renderFoodsList() {
return this.data.items.map(items => {
return (
<FoodsRowForOrderDetails
items={items}
key={items.id}
lang={this.userStore.languageSelection}
/>
);
});
}
back() {
this.props.navigation.goBack();
}
goLocationAction() {
this.props.navigation.navigate("Location", {
location: {
latitude: this.data.pickUpLocation.lat,
longitude: this.data.pickUpLocation.lng
}
});
}
discountText() {
if (this.data.discount > 0) {
return (
<Text
style={{
color: theme.coolGrey,
fontFamily: Fonts.century,
fontWeight: "bold",
fontSize: 10
}}
>
{"- "+this.data.discount}
</Text>
);
}
}
cancelAction() {}
cancelOrderAlert() {
Alert.alert("", "Are you sure to cancel this order?", [
{ text: "Cancel", onPress: () => console.log("Cancel") },
{ text: "Cancel order", onPress: () => this.cancelOrder() }
]);
}
cancelOrder() {
var token = this.userStore.userData.data.token;
this.store.voidOrder(token, this.data.id, this);
}
render() {
return (
<SafeAreaView style={{ flex: 1, backgroundColor: theme.mainColor }}>
<View style={styles.container}>
<View style={{ width: width, marginTop: 15 }}>
<Icon
name="chevron-left"
size={size.getSize(40)}
color={theme.foodNameColor}
style={{ marginLeft: 10 }}
onPress={() => this.back()}
/>
</View>
<ScrollView style={{ width: width, flex: 1 }}>
<View style={{ marginRight: 20, marginLeft: 20 }}>
{this.renderFoodsList()}
{this.discountText()}
<View
style={{
flexDirection: "row",
marginTop: 10,
marginBottom: 10,
marginLeft: 5,
marginRight: 5,
alignItems: "center",
justifyContent: "space-between"
}}
>
<Text
style={{
color: theme.coolGrey,
fontFamily: Fonts.century,
fontWeight: "bold",
fontSize:15,
}}
>
TOTAL
</Text>
<View
style={{ flexDirection: "row", justifyContent: "flex-end" }}
>
<Text
style={{
color: theme.coolGrey,
fontFamily: Fonts.century,
fontWeight: "bold",
fontSize:15
}}
>
HKD ${this.data.payAmount.toFixed(2)}
</Text>
</View>
</View>
<Text
style={{
fontSize: 10,
color: theme.coolGrey,
fontFamily: Fonts.century,
fontWeight: "bold",
fontSize:15
}}
>
Delivery Details
</Text>
<View>
<CommonTextView
title="Pickup Date"
content={this.dateFormat()}
/>
<TouchableOpacity
onPress={() => {
this.setState({ isVisible: true });
}}
>
<CommonTextView
title="Pickup Location"
content={this.userStore.dataLanguage(
this.data.pickUpLocation,
"name"
)}
/>
</TouchableOpacity>
<CommonTextView
title="Pickup Time"
content={
this.pickupTime()
}
/>
</View>
<View
style={{
borderBottomColor: "black",
borderBottomWidth: 1,
marginTop: 15,
marginBottom: 10,
width: "70%"
}}
>
<Text
style={{
color: theme.coolGrey,
fontFamily: Fonts.century,
fontSize: 13
}}
>
Mobile phone
</Text>
<Text
style={{
width: "60%",
color: theme.coolGrey,
fontSize: 13
}}
>
{this.data.mobile}
</Text>
</View>
<FastImage
style={{
width: width - 40,
marginTop: 15,
marginBottom: 15,
height: verticalScale(200),
backgroundColor: theme.mainColor
}}
source={{
uri: this.data.pickUpLocation.photo
}}
/>
<Text
style={{
marginTop: 15,
marginBottom: 5,
fontSize: 13,
color: theme.coolGrey,
fontFamily: Fonts.century
}}
>
Message box
</Text>
<Text
style={{
// backgroundColor:theme.inputBgc,
color: theme.foodNameColor,
width: width - 40,
height: verticalScale(100),
marginBottom: 20,
paddingBottom: 0,
paddingRight: 5,
paddingLeft: 5,
fontSize: 13,
fontFamily: Fonts.century,
borderColor: theme.foodNameColor,
borderWidth: 1,
borderRadius: 5
}}
>
{this.data.remark}
</Text>
</View>
</ScrollView>
<Button
title="Cancel order"
fontWeight="bold"
disabled={ this.buttonDisabled}
fontSize={size.getSize(15)}
fontFamily={Fonts.century}
titleStyle={{
color: "white",
fontFamily: Fonts.century,
fontWeight: "bold"
}}
loadingProps={{
size: "large",
color: "rgba(111, 202, 186, 1)"
}}
buttonStyle={{
width: width,
height: verticalScale(50),
backgroundColor: this.buttonColor
}}
onPress={() => this.cancelOrderAlert()}
/>
<Toast ref="toast" />
</View>
<Popup
isVisible={this.state.isVisible}
onCancelPressed={() => this.setState({ isVisible: false })}
onAppPressed={() => this.setState({ isVisible: false })}
onBackButtonPressed={() => this.setState({ isVisible: false })}
options={this.options}
/>
</SafeAreaView>
);
}
}
const styles = StyleSheet.create({
container: {
flex: 1,
justifyContent: "center",
alignItems: "center",
backgroundColor: "white"
},
welcome: {
fontSize: 20,
textAlign: "center",
margin: 10
},
instructions: {
textAlign: "center",
color: "#333333",
marginBottom: 5
},
signupButton: {
width: width,
height: verticalScale(50),
backgroundColor: theme.mainColor
}
});

75
app/containers/Pay/pay.js Executable file
View File

@ -0,0 +1,75 @@
import React, { Component } from "react";
import {
Platform,
StyleSheet,
View,
ScrollView,
TouchableOpacity
} from "react-native";
import Text from "react-native-text";
import { observer, inject } from "mobx-react/native";
import { scale, verticalScale, moderateScale } from "react-native-size-matters";
import Log from '../../config/log'
import Loader from '../../components/Public/loader'
import Toast, { DURATION } from "react-native-easy-toast";
import Header from "../../components/Public/header";
import { width, height } from "../../config/screen";
const log = new Log()
@inject(["menuStore"], ["userStore"])
@observer
class Pay extends Component {
constructor(props) {
super(props);
this.store = this.props.menuStore;
this.userStore = this.props.userStore;
}
back() {
console.log(this.userStore.userData.data.token);
this.store.cancelOrder(this.userStore.userData.data.token);
this.props.navigation.goBack();
}
pay() {
log.firebaseLog('press_pay_button_on_pay_page')
this.store.pay(
this.userStore.userData.data.token,
this,
this.userStore.creditCardinfo.id
);
}
navigatieAction(page) {
this.props.navigation.navigate(page);
}
render() {
log.firebaseClass('pay')
return (
<View style={{ flex: 1, alignItems: "center" }}>
<Loader loading = {this.userStore.loading}/>
<Header
title="Pay"
navigation={this.props.navigation}
onPress={() => this.back()}
order={true}
/>
<TouchableOpacity
style={{
borderColor: "black",
borderWidth: 1,
height: 50,
width: 100,
alignItems: "center",
justifyContent: "center"
}}
onPress={() => this.pay()}
>
<Text>Pay</Text>
</TouchableOpacity>
<Toast ref="toast" />
</View>
);
}
}
export default Pay;

4
app/containers/README.md Executable file
View File

@ -0,0 +1,4 @@
# Container Component here
1. Named with `xx_screen.js`
2. Classname with`XxScreen`

View File

@ -0,0 +1,114 @@
import React, { Component } from "react";
import {
Platform,
StyleSheet,
Text,
View,
SafeAreaView,
Picker,
TouchableOpacity,
TouchableHighlight,
} from "react-native";
import RadioForm, {RadioButton, RadioButtonInput, RadioButtonLabel} from 'react-native-simple-radio-button';
import Size from "../../config/size";
import Icon from "react-native-vector-icons/dist/Ionicons";
import { observer, inject } from "mobx-react/native";
import { observable } from "mobx";
import DrawerNavigationHeader from "../../components/Public/drawerNavigationHeader";
import AsyncStorageHelper from "../../config/asyncStorageHelper";
import { scale, verticalScale, moderateScale } from "react-native-size-matters";
import { width, height } from "../../config/screen";
import language from "../../config/language";
import theme from "../../config/colors";
const asyncStorageHelper = new AsyncStorageHelper();
const size = new Size();
var radio_language = [
{label: 'English', value: 'english'},
{label: 'Chinese', value: 'chinese' }
];
@inject(["menuStore"], ["userStore"])
@observer
export default class Language extends Component {
//language = 'english'
static navigationOptions = {
drawerLabel: "Settings",
swipeEnabled: false,
tabBarLabel: language.en.setting,
};
state = { language: "chinese",
initial:0
};
constructor(props) {
super(props);
this.store = this.props.menuStore;
this.userStore = this.props.userStore;
}
componentWillMount() {
this.setState({ language: this.userStore.languageSelection });
if(this.userStore.languageSelection == 'chinese'){
this.setState({initial:1})
}else if (this.userStore.languageSelection == 'english'){
this.setState({initial:0})
}
console.log(this.state.language);
}
updateUser(language) {
this.userStore.saveLanguage(language);
this.setState({ language: language });
}
backAction() {
console.log('back')
this.props.navigation.goBack();
}
render() {
return (
<SafeAreaView style={{ backgroundColor: theme.mainColor, flex: 1 }}>
<View style={styles.container}>
<Icon
onPress={() => {this.backAction()}}
name="ios-arrow-back-outline"
size={size.getSize(40)}
color={"black"}
/>
{/* <Picker
selectedValue={this.state.language}
style={{ height: 50, width: 100 }}
onValueChange={(itemValue, itemIndex) => {
this.updateUser(itemValue);
}}
>
<Picker.Item label="中文" value="chinese" />
<Picker.Item label="English" value="english" />
</Picker> */}
<RadioForm
style = {{paddingTop: verticalScale(50),}}
radio_props={radio_language}
initial={this.state.initial}
onPress={(value) => {this.updateUser(value)}}/>
</View>
</SafeAreaView>
);
}
}
const styles = StyleSheet.create({
container: {
flex: 1,
backgroundColor: "white"
},
flatViewContainer: {
height: "100%",
width: "100%",
alignItems: "center",
marginTop: 20
},
textView: {
marginLeft: scale(15),
marginBottom: scale(5)
}
});

View File

@ -0,0 +1,193 @@
import React, { Component } from "react";
import {
Platform,
StyleSheet,
View,
ScrollView,
TouchableOpacity,
SafeAreaView,
Image
} from "react-native";
import Text from "react-native-text";
import { observer, inject } from "mobx-react/native";
import { scale, verticalScale, moderateScale } from "react-native-size-matters";
import Log from "../../config/log";
import theme from "../../config/colors";
import Size from "../../config/size";
import { Fonts } from "../../config/fonts";
import Icon2 from "react-native-vector-icons/dist/MaterialCommunityIcons";
import Loader from "../../components/Public/loader";
import moment from "moment";
import Toast, { DURATION } from "react-native-easy-toast";
import Header from "../../components/Public/header";
import CardView from "react-native-cardview";
import { width, height } from "../../config/screen";
const log = new Log();
const size = new Size();
@inject(["menuStore"], ["userStore"])
@observer
class MyCoupons extends Component {
constructor(props) {
super(props);
this.store = this.props.menuStore;
this.userStore = this.props.userStore;
}
back() {
this.props.navigation.goBack();
}
exiryDate(item) {
if (item.hasOwnProperty("expiry")) {
var nowDatemoment = moment(this.store.coupons.data.timestamp);
var nowDate = nowDatemoment.toDate();
var expiryDatemoment = moment(item.expiry);
var expiryDate = expiryDatemoment.toDate();
if (nowDate < expiryDate) {
return item.expiry;
} else {
return item.expiry + "(" + this.userStore.text.expired + ")";
}
} else {
return "N/A";
}
}
checking(item) {
if (item.used) {
return this.userStore.text.used;
} else {
if (item.hasOwnProperty("expiry")) {
var nowDatemoment = moment(this.store.coupons.data.timestamp);
var nowDate = nowDatemoment.toDate();
var expiryDatemoment = moment(item.expiry);
var expiryDate = expiryDatemoment.toDate();
if (nowDate < expiryDate) {
return this.userStore.text.canuse;
} else {
return this.userStore.text.cannotuse;
}
} else {
return this.userStore.text.canuse;
}
}
}
renderCoupons() {
return this.store.coupons.data.content.map((item, index, array) => {
return (
<CardView
cardElevation={5}
cardMaxElevation={5}
cornerRadius={5}
style={{
marginBottom: 20,
marginTop: 20,
marginLeft: 25,
marginRight: 25,
backgroundColor: theme.mainColor
}}
>
<Text
style={{
fontSize: 30,
fontFamily: Fonts.century,
color: "white",
paddingLeft: 10
}}
>
Coupon
</Text>
<View
style={{
flexDirection: "row",
justifyContent: "space-between",
marginTop: 10
}}
>
<Image
style={{
height: scale(70),
width: scale(70),
tintColor: "white",
marginLeft: 10
}}
source={require("../../images/appicon.png")}
/>
<View style={{ alignItems: "flex-end" }}>
<Text
style={{
fontSize: 15,
fontFamily: Fonts.century,
color: "white",
paddingRight: 10
}}
>
{item.id}
</Text>
<Text
style={{
fontSize: 15,
fontFamily: Fonts.century,
color: "white",
paddingRight: 10,
paddingTop: 10
}}
>
{this.checking(item)}
</Text>
</View>
</View>
<View style={{ alignItems: "flex-end",paddingRight:10,marginTop:10,marginBottom:5 }}>
<Text style={{ color: "white", fontSize: 15 }}>
{this.userStore.text.expireDate + ": " + this.exiryDate(item)}
</Text>
</View>
</CardView>
);
});
}
navigatieAction(page) {
this.props.navigation.navigate(page);
}
render() {
log.firebaseClass("MyCoupons");
return (
<SafeAreaView
style={{ flex: 1, backgroundColor: theme.mainColor, width: width }}
>
<Loader loading={this.userStore.loading} />
<View style={{ height: verticalScale(40) }}>
<Icon2
name="chevron-left"
size={size.getSize(40)}
color={"white"}
style={{ marginLeft: 10 }}
onPress={() => this.props.navigation.goBack()}
/>
</View>
<ScrollView
style={{
width: width,
backgroundColor: "white"
}}
>
<View
style={{
backgroundColor: "white",
width: width,
marginTop: 25
}}
>
{this.renderCoupons()}
</View>
</ScrollView>
<Toast ref="toast" />
</SafeAreaView>
);
}
}
export default MyCoupons;

View File

@ -0,0 +1,15 @@
import React, { Component } from 'react';
import Header from '../../components/Public/header'
class NotificationSetting extends Component {
render() {
return (
<View>
<Header title={'Notification Preferences'} navigation={this.props.navigation} />
</View>
);
}
}
export default NotificationSetting;

View File

@ -0,0 +1,446 @@
import React, { Component } from "react";
import {
Platform,
StyleSheet,
View,
TouchableOpacity,
SafeAreaView,
ScrollView,
Image,
Linking,
Alert,
Share
} from "react-native";
import Text from "react-native-text";
import { observable } from "mobx";
import { observer, inject } from "mobx-react/native";
import { scale, verticalScale, moderateScale } from "react-native-size-matters";
import Size from "../../config/size";
import Icon from "react-native-vector-icons/dist/Ionicons";
import Icon2 from "react-native-vector-icons/dist/MaterialCommunityIcons";
import { width, height } from "../../config/screen";
import theme from "../../config/colors";
import { Fonts } from "../../config/fonts";
import DrawerNavigationHeader from "../../components/Public/drawerNavigationHeader";
import PopupDialog, { SlideAnimation } from "react-native-popup-dialog";
import language from "../../config/language";
const size = new Size();
const slideAnimation = new SlideAnimation({
slideFrom: "bottom"
});
@inject(["menuStore"], ["userStore"])
@observer
export default class SettingInside extends Component {
@observable
items = [
{
icon: require("../../images/settinglang.png"),
popup: true,
screen: "language",
id: 0
},
{
icon: require("../../images/settingnotification.png"),
screen: "NotificationSetting",
popup: true,
id: 1
},
{
icon: require("../../images/settinghowtouse.png"),
popup: true,
id: 2
},
{
icon: require("../../images/settinglogout.png"),
popup: true,
id: 3
}
];
@observable
lang = false;
constructor(props) {
super(props);
this.store = this.props.menuStore;
this.userStore = this.props.userStore;
}
static navigationOptions = {
drawerLabel: "Settings",
swipeEnabled: false,
tabBarLabel: language.en.setting
};
getTitle(id) {
switch (id) {
case 0:
return this.props.userStore.text.language;
break;
case 1:
return this.props.userStore.text.notification;
break;
case 2:
return this.props.userStore.text.howtouse;
break;
case 3:
return this.props.userStore.text.logout;
break;
}
}
componentWillMount() {
if (this.userStore.languageSelection == "english") {
this.lang = false;
} else {
this.lang = true;
}
}
languageText() {
if (this.userStore.languageSelection == "english") {
return "English";
} else {
return "繁體中文";
}
}
languageView(id) {
if (id == 0) {
return (
<View style={{ justifyContent: "center" }}>
<Text
style={{
fontSize: 15,
marginRight: scale(30),
color: theme.coolGrey,
fontWeight: "bold",
fontFamily: Fonts.century
}}
>
{this.languageText()}
</Text>
</View>
);
} else {
return <View />;
}
}
onPressAction(index) {
if (this.items[index].popup) {
switch (index) {
case 0:
this.languagePagePopUp();
break;
case 1:
Linking.openURL("app-settings:");
break;
case 2:
this.props.navigation.navigate("Tutorial", { data: "setting" });
break;
case 3:
this.logoutAlert();
break;
}
} else {
console.log(this.items[index].screen);
this.props.navigation.navigate(this.items[index].screen);
}
}
logoutAlert() {
Alert.alert(
"Logout",
"Are you sure to Logout?",
[
{
text: "Cancel",
onPress: () => console.log("Cancel Pressed"),
style: "cancel"
},
{ text: "Sure", onPress: () => this.logoutAction() }
],
{ cancelable: false }
);
}
referYourFriender() {
Share.share({
message: "Hello,Come to join Hangry, this is my refer code: ",
title: "Hangry no more"
});
}
logoutAction() {
this.userStore.logoutPost(this, false);
}
navigatieAction(page) {
this.props.navigation.navigate(page);
}
renderItems() {
return this.items.map((item, index, array) => {
if (item.id == 3 && !this.userStore.logined) {
return null;
} else {
if (item.id == 1 && Platform.OS !== 'ios') {
return null;
}else{
return (
<TouchableOpacity
style={{ marginBottom: 20, marginLeft: 25, paddingRight: 25 }}
onPress={() => this.onPressAction(index)}
>
<View
style={{
flexDirection: "row",
alignItems: "center",
justifyContent: "space-between"
}}
>
<View
style={{
flexDirection: "row",
justifyContent: "center",
alignItems: "center"
}}
>
<Image source={item.icon} />
<Text
style={{
fontSize: 15,
marginLeft: 10,
color: theme.coolGrey,
fontWeight: "bold",
fontFamily: Fonts.century
}}
>
{this.getTitle(item.id)}
</Text>
</View>
<View style={{ flexDirection: "row" }}>
{this.languageView(item.id)}
<Icon
name={"ios-arrow-forward"}
size={size.getSize(35)}
color={theme.coolGrey}
/>
</View>
</View>
<View
style={{
backgroundColor: theme.inputBgc,
flex: 1,
marginTop: 5,
marginLeft: 40,
height: 1
}}
/>
</TouchableOpacity>
);
}
}
});
}
languagePagePopUp() {
this.popupDialog.show();
}
languagePageDismiss() {
this.popupDialog.dismiss();
}
updateUser() {
if (this.lang) {
this.userStore.saveLanguage("chinese");
this.popupDialog.dismiss();
} else {
this.userStore.saveLanguage("english");
this.popupDialog.dismiss();
}
}
languagePageDismissedCallBack() {
console.log("dismiss dialog");
if (this.userStore.languageSelection == "english") {
this.lang = false;
} else {
this.lang = true;
}
}
selectIcon(lang) {
if (!lang) {
if (!this.lang) {
return (
<Icon2
name={"checkbox-blank-circle"}
size={size.getSize(35)}
color={theme.mainColor}
/>
);
} else {
return (
<Icon2
name={"checkbox-blank-circle-outline"}
size={size.getSize(35)}
color={theme.mainColor}
/>
);
}
} else {
if (!this.lang) {
return (
<Icon2
name={"checkbox-blank-circle-outline"}
size={size.getSize(35)}
color={theme.mainColor}
/>
);
} else {
return (
<Icon2
name={"checkbox-blank-circle"}
size={size.getSize(35)}
color={theme.mainColor}
/>
);
}
}
}
render() {
return (
<SafeAreaView style={styles.container}>
<View style={{ height: verticalScale(40) }}>
<Icon2
name="chevron-left"
size={size.getSize(40)}
color={"white"}
style={{ marginLeft: 10 }}
onPress={() => this.props.navigation.goBack()}
/>
</View>
<ScrollView style={{ backgroundColor: "white" }}>
<View
style={{
backgroundColor: "white",
width: width,
marginTop: 25
}}
>
{this.renderItems()}
<View style={{ flex: 1, alignItems: "flex-end", paddingRight: 25 }}>
<Text
style={{
fontFamily: Fonts.century,
color: theme.coolGrey,
fontSize: 10
}}
>
{"Ver 4.4 28 - 3 - 2019"}
</Text>
</View>
</View>
</ScrollView>
<PopupDialog
ref={popupDialog => {
this.popupDialog = popupDialog;
}}
dialogAnimation={slideAnimation}
height={height / 4}
width={width - scale(60)}
onDismissed={() => this.languagePageDismissedCallBack()}
>
<View style={{ flex: 1, justifyContent: "space-between" }}>
<View style={{ flex: 4, paddingTop: 5 }}>
<Text
style={{
paddingLeft: 5,
fontSize: 15,
color: theme.coolGrey,
fontWeight: "bold",
fontFamily: Fonts.century
}}
>
{this.userStore.text.slectLang}
</Text>
<TouchableOpacity
style={{
flexDirection: "row",
justifyContent: "space-between",
alignItems: "center"
}}
onPress={() => (this.lang = false)}
>
<Text
style={{
paddingLeft: 5,
fontSize: 15,
color: theme.coolGrey,
fontWeight: "bold",
fontFamily: Fonts.century
}}
>
English
</Text>
{this.selectIcon(false)}
</TouchableOpacity>
<TouchableOpacity
style={{
flexDirection: "row",
justifyContent: "space-between",
alignItems: "center"
}}
onPress={() => (this.lang = true)}
>
<Text
style={{
paddingLeft: 5,
fontSize: 15,
color: theme.coolGrey,
fontWeight: "bold",
fontFamily: Fonts.century
}}
>
繁體中文
</Text>
{this.selectIcon(true)}
</TouchableOpacity>
</View>
<TouchableOpacity
onPress={() => this.updateUser()}
style={{
backgroundColor: theme.mainColor,
flex: 1,
justifyContent: "center",
alignItems: "center"
}}
>
<Text
style={{
fontSize: 15,
color: "white",
fontWeight: "bold",
fontFamily: Fonts.century
}}
>
OK
</Text>
</TouchableOpacity>
</View>
</PopupDialog>
</SafeAreaView>
);
}
}
const styles = StyleSheet.create({
container: {
flex: 1,
backgroundColor: theme.mainColor
}
});

View File

@ -0,0 +1,269 @@
import React, { Component } from "react";
import {
Platform,
StyleSheet,
View,
TouchableOpacity,
SafeAreaView,
ScrollView,
Image,
Linking,
Alert,
Share
} from "react-native";
import Text from "react-native-text";
import { observable } from "mobx";
import Loader from '../../components/Public/loader'
import { observer, inject } from "mobx-react/native";
import { scale, verticalScale, moderateScale } from "react-native-size-matters";
import Size from "../../config/size";
import Icon from "react-native-vector-icons/dist/Ionicons";
import { width, height } from "../../config/screen";
import theme from "../../config/colors";
import { Fonts } from "../../config/fonts";
import DrawerNavigationHeader from "../../components/Public/drawerNavigationHeader";
import language from "../../config/language";
const size = new Size();
@inject(["menuStore"], ["userStore"])
@observer
export default class Settings extends Component {
@observable
items = [
{
icon: require("../../images/settingrefer.png"),
popup: true,
id: 0
},
{
icon: require("../../images/promo.png"),
screen:'myCoupons',
popup: true,
id: 1
},
{
icon: require("../../images/settingsetting.png"),
screen: "SettingInside",
popup: false,
id: 2
},
{
icon: require("../../images/settingt_c.png"),
popup: true,
id: 3
},
{
icon: require("../../images/settingprivacy.png"),
popup: true,
id: 4
},
{
icon: require("../../images/settingcontact.png"),
popup: true,
id: 5
}
];
constructor(props) {
super(props);
this.store = this.props.menuStore;
this.userStore = this.props.userStore;
}
static navigationOptions = {
drawerLabel: "Settings",
swipeEnabled: false,
tabBarLabel: language.en.setting
};
getTitle(id) {
switch (id) {
case 0:
return this.props.userStore.text.referYourFriends;
break;
case 1:
return this.props.userStore.text.myCoupons;
case 2:
return this.props.userStore.text.setting;
break;
case 3:
return this.props.userStore.text.termandconditions;
break;
case 4:
return this.props.userStore.text.privacy;
break;
case 5:
return this.props.userStore.text.contactUs;
break;
}
}
onPressAction(index) {
if (this.items[index].popup) {
switch (index) {
case 0:
this.referYourFriender();
break;
case 1:
this.store.userCoupon(this,this.userStore.userData.data.token,true)
break;
case 3:
Linking.openURL("https://www.hangryfood.co/terms-and-conditions");
break;
case 4:
Linking.openURL("https://www.hangryfood.co/privacy-statement");
break;
case 5:
Linking.openURL("mailto:support@hangryfood.co?subject=&body=");
break;
}
} else {
// console.log(this.items[index].screen);
this.props.navigation.navigate(this.items[index].screen);
}
}
logoutAlert() {
Alert.alert(
"Logout",
"Are you sure to Logout?",
[
{
text: "Cancel",
onPress: () => console.log("Cancel Pressed"),
style: "cancel"
},
{ text: "Sure", onPress: () => this.logoutAction() }
],
{ cancelable: false }
);
}
referYourFriender() {
//const link = Platform.OS === 'ios' ? 'itms://itunes.apple.com/us/app/apple-store/1439173696?mt=8' : '';
var sharemessage = ""
if (this.userStore.language == 'english'){
sharemessage = this.store.sharemessage[0].contentEn
}else{
sharemessage = this.store.sharemessage[0].content
}
const link = "http://onelink.to/mh4dh2"
Share.share({
message: sharemessage+link,
title: "Hangry no more"
});
}
logoutAction() {
this.userStore.logoutPost(this);
}
navigatieAction(page) {
this.props.navigation.navigate(page);
}
renderItems() {
return this.items.map((item, index, array) => {
if (item.id == 1 && !this.userStore.logined) {
return null;
} else {
return (
<TouchableOpacity
style={{ marginBottom: 20, marginLeft: 25, paddingRight: 25 }}
onPress={() => this.onPressAction(index)}
>
<View
style={{
flexDirection: "row",
alignItems: "center",
justifyContent: "space-between"
}}
>
<View
style={{
flexDirection: "row",
justifyContent: "center",
alignItems: "center"
}}
>
<Image source={item.icon} />
<Text
style={{
fontSize: 15,
marginLeft: 10,
color: theme.coolGrey,
fontWeight: "bold",
fontFamily: Fonts.century
}}
>
{this.getTitle(item.id)}
</Text>
</View>
<View>
<Icon
name={"ios-arrow-forward"}
size={size.getSize(35)}
color={theme.coolGrey}
/>
</View>
</View>
<View
style={{
backgroundColor: theme.inputBgc,
flex: 1,
marginTop: 5,
marginLeft: 40,
height: 1
}}
/>
</TouchableOpacity>
);
}
});
}
render() {
return (
<SafeAreaView style={styles.container}>
<Loader loading = {this.store.loading}/>
<View style={{ height: verticalScale(40) }} />
<ScrollView style={{ backgroundColor: "white" }}>
<View
style={{
backgroundColor: "white",
width: width,
marginTop: 25
}}
>
{this.renderItems()}
<View style={{ flex: 1, alignItems: "flex-end", paddingRight: 25 }}>
<Text
style={{
fontFamily: Fonts.century,
color: theme.coolGrey,
fontSize: 11
}}
>
follow us on
</Text>
<View style={{ flexDirection: "row", paddingTop: 10 }}>
<Image source={require("../../images/settingfb.png")} />
<Image
source={require("../../images/settingig.png")}
style={{ marginLeft: 5 }}
/>
</View>
</View>
</View>
</ScrollView>
</SafeAreaView>
);
}
}
const styles = StyleSheet.create({
container: {
flex: 1,
backgroundColor: theme.mainColor
}
});

View File

@ -0,0 +1,230 @@
import React, { Component } from "react";
import {
Platform,
StyleSheet,
Text,
View,
Alert,
SafeAreaView,
Image
} from "react-native";
import { observable } from "mobx";
import { observer, inject } from "mobx-react/native";
import ScrollableTabView from "react-native-scrollable-tab-view";
import { scale, verticalScale, moderateScale } from "react-native-size-matters";
import Icon from "react-native-vector-icons/dist/MaterialCommunityIcons";
// function
import { width, height } from "../../config/screen";
import theme from "../../config/colors";
import { Fonts } from "../../config/fonts";
import Size from "../../config/size";
import AsyncStorageHelper from "../../config/asyncStorageHelper";
import language from "../../config/language";
const asyncStorageHelper = new AsyncStorageHelper();
import Swiper from "react-native-swiper";
var size = new Size();
@inject(["menuStore"], ["userStore"])
@observer
export default class Tutorial extends Component {
constructor(props) {
super(props);
this.store = this.props.userStore;
this.menuStore = this.props.menuStore;
}
componentWillMount() {
const { navigation } = this.props;
this.data = navigation.getParam("data", {});
console.log(this.data);
}
init() {
console.log(this.store.logined);
if (!this.store.logined) {
// this.props.navigation.navigate("Login");
} else {
}
}
navigatieAction(page, Param) {
this.props.navigation.navigate(page, Param);
}
closeButton() {
return (
<Icon
name="close-circle"
size={size.getSize(30)}
color={'white'}
style={{ position: "absolute", top: 15,left:10 }}
onPress={() => this.finish()}
/>
);
}
swiper(){
if(this.store.languageSelection === 'english'){
return(
<Swiper
style={styles.wrapper}
activeDot={
<View
style={{
backgroundColor: "white",
width: 8,
height: 8,
borderRadius: 4,
marginLeft: 3,
marginRight: 3,
marginTop: 3,
marginBottom: 3
}}
/>
}
>
<View style={styles.slide1}>
<Image
source={require("../../images/apppreview_en1.jpg")}
style={styles.image}
/>
{this.closeButton()}
</View>
<View style={styles.slide1}>
<Image
source={require("../../images/apppreview_en2.jpg")}
style={styles.image}
/>
{this.closeButton()}
</View>
<View style={styles.slide1}>
<Image
source={require("../../images/apppreview_en3.jpg")}
style={styles.image}
/>
{this.closeButton()}
</View>
<View style={styles.slide1}>
<Image
source={require("../../images/apppreview_en4.jpg")}
style={styles.image}
/>
{this.closeButton()}
</View>
</Swiper>
)
}else{
return(
<Swiper
style={styles.wrapper}
activeDot={
<View
style={{
backgroundColor: "white",
width: 8,
height: 8,
borderRadius: 4,
marginLeft: 3,
marginRight: 3,
marginTop: 3,
marginBottom: 3
}}
/>
}
>
<View style={styles.slide1}>
<Image
source={require("../../images/apppreview_ch1.jpg")}
style={styles.image}
/>
{this.closeButton()}
</View>
<View style={styles.slide1}>
<Image
source={require("../../images/apppreview_ch2.jpg")}
style={styles.image}
/>
{this.closeButton()}
</View>
<View style={styles.slide1}>
<Image
source={require("../../images/apppreview_ch3.jpg")}
style={styles.image}
/>
{this.closeButton()}
</View>
<View style={styles.slide1}>
<Image
source={require("../../images/apppreview_ch4.jpg")}
style={styles.image}
/>
{this.closeButton()}
</View>
</Swiper>
)
}
}
finish() {
const { navigation } = this.props;
var data = navigation.getParam("data", {});
if (data == "store") {
this.navigatieAction("LocationRequest");
} else {
this.props.navigation.goBack();
}
}
render() {
return (
<SafeAreaView style={{ backgroundColor: theme.mainColor, flex: 1 }}>
<View style={styles.container}>
{this.swiper()}
</View>
</SafeAreaView>
);
}
}
const styles = StyleSheet.create({
container: {
flex: 1,
height: height,
width: width
},
image: {
width: width,
height: height
},
welcome: {
fontSize: 20,
textAlign: "center",
margin: 10
},
instructions: {
textAlign: "center",
color: "#333333",
marginBottom: 5
},
slide1: {
flex: 1,
justifyContent: "center",
alignItems: "center",
backgroundColor: theme.mainColor
},
slide2: {
flex: 1,
justifyContent: "center",
alignItems: "center",
backgroundColor: "#97CAE5"
},
slide3: {
flex: 1,
justifyContent: "center",
alignItems: "center",
backgroundColor: "#92BBD9"
},
text: {
color: "#fff",
fontSize: 30,
fontWeight: "bold"
}
});

View File

@ -0,0 +1,368 @@
import React, { Component } from "react";
import {
Platform,
StyleSheet,
View,
TextInput,
TouchableOpacity,
SafeAreaView,
Keyboard,
TouchableWithoutFeedback
} from "react-native";
import { observable } from "mobx";
import { observer, inject } from "mobx-react/native";
import Text from "react-native-text";
import Log from '../../config/log'
import theme from "../../config/colors";
import Header from "../../components/Public/signInUpHeader";
import { scale, verticalScale, moderateScale } from "react-native-size-matters";
import Size from "../../config/size";
import { width, height } from "../../config/screen";
import { Button } from "react-native-elements";
import CheckBox from "react-native-check-box";
import CommonTextInput from "../../components/Public/commonTextInput";
import api from "../../stores/api";
import CodeInput from "react-native-confirmation-code-input";
const size = new Size();
import Toast, { DURATION } from "react-native-easy-toast";
import Countdown, { CountdownStatus } from "rn-countdown";
import { Fonts } from "../../config/fonts";
let log = new Log();
@inject(["userStore"])
@observer
export default class ForgetPassword extends Component {
@observable
resend = false;
@observable
mobile = "";
@observable
password = "";
@observable
confirmPassword = "";
@observable
verificationCode = "";
constructor(props) {
super(props);
this.store = this.props.userStore;
}
componentDidMount() {
// this.startToCount();
log.firebaseClass('forget_password')
}
componentWillUnmount = () => {
// clearInterval(this.interval);
};
state = { checked: false };
navigatieAction(page) {
this.props.navigation.navigate(page);
}
startToCount() {
this.interval = setInterval(() => {
this.count();
}, 1000);
}
count() {
this.store.countdown -= 1;
if (this.store.countdown == 0) {
this.resend = true;
clearInterval(this.interval);
}
}
resetPassword() {
// this.store.signupPost(api.signup, this.signInData, this);
if (this.verificationCode != null || this.verificationCode != "") {
if (this.password != null || this.password != "") {
if (this.confirmPassword != null || this.confirmPassword != "") {
if (this.confirmPassword == this.password) {
var data = {
verificationCode: this.verificationCode,
mobile: this.mobile,
countryCode: "852",
password: this.password
};
log.firebaseLog('press_forgetpassword_button',{mobile:this.mobile})
this.store.forgotPassword(data,this)
} else {
this.refs.toast.show("Password and confirm password is not match");
}
} else {
this.refs.toast.show("Please enter confirm new password");
}
} else {
this.refs.toast.show("Please enter new password");
}
} else {
this.refs.toast.show("Please enter new verification number");
}
}
resendAction() {
this.store.countdown = 10;
this.resend = false;
this.startToCount();
}
handleClickCountdown = () => {
if (this.mobile != "" || this.mobile != null) {
var bodyFormData = new FormData();
bodyFormData.append("country_code", "852");
bodyFormData.append("phone_number", this.mobile.toString());
this.store.sendsmsVerify(bodyFormData, this);
} else {
this.refs.toast.show("Please enter your mobile number");
}
};
startToCountDown = () => {
this.countdown && this.countdown.startCountdown();
};
backAction() {
this.props.navigation.goBack();
}
handleNetworkFailed = () => alert("network failed");
handleStopCountdown = () => this.countdown && this.countdown.stopCountdown();
countDownButton() {
return (
<View style={{ flex: 1 }}>
<Countdown
ref={r => (this.countdown = r)}
time={60}
onPress={this.handleClickCountdown}
onNetworkFailed={this.handleNetworkFailed}
onDidFinishCountdown={this.handleCountdownOver}
>
{({ status, time }) => {
let title, containerStyle, titleStyle;
switch (status) {
case CountdownStatus.Idle:
title = "send";
containerStyle = styles.countdown;
titleStyle = styles.countdownTitle;
break;
case CountdownStatus.Counting:
title = `sent(${time})`;
containerStyle = styles.countdown;
titleStyle = styles.countdownTitle;
break;
case CountdownStatus.Over:
title = "resend";
containerStyle = styles.countdown;
titleStyle = styles.countdownTitle;
break;
}
return (
<View style={containerStyle}>
<Text style={titleStyle}>{title}</Text>
</View>
);
}}
</Countdown>
</View>
);
}
render() {
return (
<SafeAreaView style={{ flex: 1, backgroundColor: theme.mainColor }}>
<TouchableWithoutFeedback onPress={Keyboard.dismiss} accessible={false}>
<View style={styles.container}>
<View style={styles.mainContainer}>
<Header navigation={this.props.navigation} back = {true} />
<CommonTextInput
value={this.mobile}
onChangeText={mobile => (this.mobile = mobile)}
placeholder="Mobile number"
secureTextEntry={false}
returnKeyType={"next"}
onSubmitEditing={event => {
this.verifyInput.focus();
}}
/>
<View
style={{
marginLeft: 20,
marginRight: 20,
marginTop: 30,
flexDirection: "row",
justifyContent: "space-between"
}}
>
{this.countDownButton()}
<View
style={{
backgroundColor: theme.inputBgc,
marginLeft: 10,
alignSelf: 'stretch',
justifyContent: "center",
height: verticalScale(40),
borderRadius: 5,
flex: 1
}}
>
<TextInput
style={{
// backgroundColor:theme.inputBgc,
color: theme.foodNameColor,
fontSize: size.getSize(12),
paddingRight: 30,
paddingLeft: 40,
fontFamily: Fonts.century,
alignSelf: 'stretch'
}}
underlineColorAndroid="rgba(0,0,0,0)"
placeholder="verificcation no."
keyboardType={"numeric"}
placeholderStyle={{
fontWeight: "bold",
fontFamily: Fonts.century,
fontSize: size.getSize(10)
}}
ref={input => {
this.verifyInput = input;
}}
onChangeText={text => (this.verificationCode = text)}
placeholderTextColor={theme.foodNameColor}
returnKeyType={"next"}
onSubmitEditing={event => {
this.passwordInput.focus();
}}
/>
</View>
</View>
<CommonTextInput
value={this.password}
onChangeText={mobile => (this.password = mobile)}
placeholder="new password"
secureTextEntry={true}
returnKeyType={"next"}
inputRef={input => {
this.passwordInput = input;
}}
onSubmitEditing={event => {
this.confirmPasswordInput.focus();
}}
/>
<CommonTextInput
value={this.confirmPassword}
onChangeText={confirmPassword =>
(this.confirmPassword = confirmPassword)
}
placeholder="confirm new Password"
secureTextEntry={true}
returnKeyType={"done"}
inputRef={input => {
this.confirmPasswordInput = input;
}}
onSubmitEditing={event => {
Keyboard.dismiss()
}}
/>
</View>
<Toast ref="toast" />
<TouchableOpacity
style={styles.signupButton}
onPress={() => {
this.resetPassword();
}}
>
<Text
style={{
fontSize: 18,
fontFamily: Fonts.century,
color: "white",
fontWeight: "bold"
}}
>
Reset
</Text>
</TouchableOpacity>
</View>
</TouchableWithoutFeedback>
</SafeAreaView>
);
}
}
const styles = StyleSheet.create({
container: {
flex: 1,
alignItems: "center",
backgroundColor: "white"
},
mainContainer: {
width: width,
flex: 1
},
loginButton: {
width: scale(200),
height: verticalScale(50),
marginTop: moderateScale(30)
},
signupButton: {
width: width,
height: verticalScale(50)
},
phoneCell: {
flexDirection: "row",
alignItems: "center",
justifyContent: "space-between",
paddingHorizontal: 15,
height: 40,
borderBottomWidth: 1,
borderColor: "#ebebeb",
width: width,
backgroundColor: "#fff"
},
phoneInfo: {
flexDirection: "row",
alignItems: "center"
},
input: {
height: 30,
width: width * 0.4,
marginLeft: 10,
padding: 0,
fontSize: 14
},
countdown: {
borderRadius: 5,
borderWidth: 2,
borderColor: theme.coolGrey,
height: verticalScale(40),
justifyContent: "center",
alignItems: "center"
},
countdownTitle: {
color: theme.coolGrey,
fontSize: 12
},
signupButton: {
backgroundColor: theme.mainColor,
width: width,
height: verticalScale(60),
justifyContent: "center",
alignItems: "center"
}
});

View File

@ -0,0 +1,308 @@
import React, { Component } from "react";
import {
Platform,
StyleSheet,
View,
TextInput,
TouchableOpacity,
SafeAreaView,
Keyboard,
TouchableWithoutFeedback,
Linking
} from "react-native";
import { observable } from "mobx";
import { observer, inject } from "mobx-react/native";
import Text from "react-native-text";
import Header from "../../components/Public/signInUpHeader";
import { scale, verticalScale, moderateScale } from "react-native-size-matters";
import Size from "../../config/size";
import { width, height } from "../../config/screen";
import { Button } from "react-native-elements";
import CheckBox from "react-native-check-box";
import CommonTextInput from "../../components/Public/commonTextInput";
import api from "../../stores/api";
import theme from "../../config/colors";
import Icon from "react-native-vector-icons/dist/MaterialCommunityIcons";
import { Fonts } from "../../config/fonts";
const size = new Size();
import Toast, { DURATION } from "react-native-easy-toast";
import SignUpVerify from "./signUpVerify";
import Loader from "../../components/Public/loader";
@inject(["userStore"])
@observer
export default class SignUpInformation extends Component {
@observable
signInData = {
email: "",
countryCode: "852",
mobile: "",
pwd: "",
name: "",
verificationCode: ""
};
constructor(props) {
super(props);
this.store = this.props.userStore;
}
state = { checked: false, confrimPassword: "" };
navigatieAction(page) {
this.props.navigation.navigate(page);
}
signupAction() {
console.log(this.signInData);
if(this.signInData.mobile.length>=8){
if (this.state.checked) {
if (this.signInData.pwd != null || this.signInData.pwd != "") {
if (this.signInData.pwd.length >= 8) {
if (this.state.confrimPassword != null || this.state.confrimPassword != "") {
if (this.state.confrimPassword == this.signInData.pwd) {
this.store.checkMember(this.signInData, this);
} else {
this.refs.toast.show(
"Password and confirm password is not match"
);
}
} else {
this.refs.toast.show("Please enter confirm password");
}
} else {
this.refs.toast.show("your password must be at least 8 characters");
}
} else {
this.refs.toast.show("Please enter password");
}
} else {
this.refs.toast.show("Please accept the privacy policy");
}}else{
this.refs.toast.show('Please input your right mobile phone number')
}
}
render() {
return (
<SafeAreaView style={{ flex: 1, backgroundColor: theme.mainColor }}>
<Loader loading={this.store.loading} />
<TouchableWithoutFeedback onPress={Keyboard.dismiss} accessible={false}>
<View style={styles.container}>
<View style={{ flex: 1, width: width }}>
<Header navigation={this.props.navigation} back={true} />
<View style={styles.mainContainer}>
<CommonTextInput
value={this.signInData.name}
onChangeText={name => (this.signInData.name = name)}
placeholder="Full Name"
secureTextEntry={false}
returnKeyType={"next"}
onSubmitEditing={event => {
this.emailInput.focus();
}}
/>
<CommonTextInput
value={this.signInData.email}
onChangeText={email => (this.signInData.email = email)}
placeholder="Email address"
secureTextEntry={false}
returnKeyType={"next"}
onSubmitEditing={event => {
this.mobileInput.focus();
}}
inputRef={input => {
this.emailInput = input;
}}
/>
<CommonTextInput
value={this.signInData.mobile}
onChangeText={mobile => (this.signInData.mobile = mobile)}
placeholder="Mobile number"
secureTextEntry={false}
returnKeyType={"next"}
inputRef={input => {
this.mobileInput = input;
}}
onSubmitEditing={event => {
this.passwordInput.focus();
}}
/>
<CommonTextInput
value={this.signInData.pwd}
onChangeText={pwd => (this.signInData.pwd = pwd)}
placeholder="Password"
secureTextEntry={true}
returnKeyType={"next"}
inputRef={input => {
this.passwordInput = input;
}}
onSubmitEditing={event => {
this.confrimPasswordInput.focus();
}}
/>
<CommonTextInput
value={this.state.confrimPassword}
onChangeText={pwd => this.setState({ confrimPassword: pwd })}
placeholder="Confirm Password"
secureTextEntry={true}
inputRef={input => {
this.confrimPasswordInput = input;
}}
returnKeyType={"done"}
onSubmitEditing={event => {
Keyboard.dismiss()
}}
/>
<View
style={{
flexDirection: "row",
marginTop: 15,
marginLeft: 20,
marginRight: 20,
justifyContent: "space-between",
alignItems: "center"
}}
>
<CheckBox
checkedImage={
<Icon
color={theme.foodNameColor}
size={size.getSize(35)}
name="checkbox-marked-outline"
/>
}
unCheckedImage={
<Icon
color={theme.foodNameColor}
size={size.getSize(35)}
name="square-outline"
/>
}
onClick={() =>
this.setState({ checked: !this.state.checked })
}
checkBoxColor={theme.foodNameColor}
isChecked={this.state.checked}
/>
<View style={{ paddingRight: 10 }}>
<Text
style={{
fontFamily: Fonts.century,
color: theme.foodNameColor
}}
// onPress={() => {
// // this.navigatieAction("SignUpVerify");
// Linking.openURL(
// "https://www.hangryfood.co/privacy-statement"
// );
// }}
>
By registering you agree to our
<Text
style={{
fontFamily: Fonts.century,
color: theme.mainColor
}}
onPress={() => {
Linking.openURL(
"https://www.hangryfood.co/terms-and-conditions"
);
}}
>
{" T&Cs "}
</Text>
<Text
style={{
fontFamily: Fonts.century,
color: theme.foodNameColor
}}
>
and
</Text>
<Text
style={{
fontFamily: Fonts.century,
color: theme.mainColor
}}
onPress={() => {
Linking.openURL(
"https://www.hangryfood.co/privacy-statement"
);
}}
>
{" Privacy Policy."}
</Text>
</Text>
</View>
</View>
</View>
<TouchableOpacity
style={styles.signupButton}
onPress={() => {
this.signupAction();
}}
>
<Text
style={{
fontSize: 18,
fontFamily: Fonts.century,
color: "white",
fontWeight: "bold"
}}
>
Register
</Text>
<Text
style={{
fontSize: 10,
fontFamily: Fonts.century,
color: "white",
fontWeight: "bold"
}}
>
No More Hangry
</Text>
</TouchableOpacity>
<Toast ref="toast" />
</View>
</View>
</TouchableWithoutFeedback>
</SafeAreaView>
);
}
}
const styles = StyleSheet.create({
container: {
flex: 1,
alignItems: "center",
backgroundColor: "white"
},
mainContainer: {
flex: 1
},
loginButton: {
width: scale(200),
height: verticalScale(50),
marginTop: moderateScale(30)
},
signupButton: {
backgroundColor: theme.mainColor,
height: verticalScale(60),
justifyContent: "center",
alignItems: "center"
}
});

View File

@ -0,0 +1,338 @@
import React, { Component } from "react";
import {
Platform,
StyleSheet,
View,
TextInput,
TouchableOpacity,
SafeAreaView,
Keyboard,
TouchableWithoutFeedback
} from "react-native";
import { observable } from "mobx";
import { observer, inject } from "mobx-react/native";
import Text from "react-native-text";
import theme from "../../config/colors";
import firebase from "react-native-firebase";
import Header from "../../components/Public/signInUpHeader";
import { scale, verticalScale, moderateScale } from "react-native-size-matters";
import Size from "../../config/size";
import { width, height } from "../../config/screen";
import { Button } from "react-native-elements";
import CodeInput from "react-native-confirmation-code-input";
const size = new Size();
import Toast, { DURATION } from "react-native-easy-toast";
import Countdown, { CountdownStatus } from "rn-countdown";
import { Fonts } from "../../config/fonts";
@inject(["userStore"])
@observer
export default class SignUpVerify extends Component {
@observable
resend = false;
@observable
signInData = {
email: "",
countryCode: "852",
mobile: "",
pwd: "",
name: "",
verificationCode:""
};
constructor(props) {
super(props);
this.store = this.props.userStore;
}
componentDidMount() {
// this.startToCount();
}
componentWillUnmount = () => {
// clearInterval(this.interval);
};
state = { checked: false };
navigatieAction(page) {
this.props.navigation.navigate(page);
}
startToCount() {
this.interval = setInterval(() => {
this.count();
}, 1000);
}
count() {
this.store.countdown -= 1;
if (this.store.countdown == 0) {
this.resend = true;
clearInterval(this.interval);
}
}
signupAction() {
if(this.store.signUpData.verificationCode == "" || this.store.signUpData.verificationCode == null){
this.refs.toast.show('Please enter the verification no.')
}else{
this.store.signupPost( this);
}
}
resendAction() {
this.store.countdown = 10;
this.resend = false;
this.startToCount();
}
handleClickCountdown = () => {
var bodyFormData = new FormData();
bodyFormData.append("country_code", "852");
bodyFormData.append("phone_number",this.store.signUpData.mobile.toString() );
this.store.sendsmsVerify(bodyFormData, this);
};
startToCountDown = () => {
this.countdown && this.countdown.startCountdown();
};
handleNetworkFailed = () => alert("network failed");
handleStopCountdown = () => this.countdown && this.countdown.stopCountdown();
countDownButton() {
return (
<View style={{ flex: 1 }}>
<Countdown
ref={r => (this.countdown = r)}
time={60}
onPress={this.handleClickCountdown}
onNetworkFailed={this.handleNetworkFailed}
onDidFinishCountdown={this.handleCountdownOver}
>
{({ status, time }) => {
let title, containerStyle, titleStyle;
switch (status) {
case CountdownStatus.Idle:
title = "send";
containerStyle = styles.countdown;
titleStyle = styles.countdownTitle;
break;
case CountdownStatus.Counting:
title = `sent(${time})`;
containerStyle = styles.countdown;
titleStyle = styles.countdownTitle;
break;
case CountdownStatus.Over:
title = "resend";
containerStyle = styles.countdown;
titleStyle = styles.countdownTitle;
break;
}
return (
<View style={containerStyle}>
<Text style={titleStyle}>{title}</Text>
</View>
);
}}
</Countdown>
</View>
);
}
render() {
return (
<SafeAreaView style={{ flex: 1, backgroundColor: theme.mainColor }}>
<TouchableWithoutFeedback onPress={Keyboard.dismiss} accessible={false}>
<View style={styles.container}>
<View style={styles.mainContainer}>
<Header navigation={this.props.navigation} back = {true} />
<View
style={{
backgroundColor: theme.inputBgc,
marginLeft: 20,
marginRight: 20,
marginTop: 30,
height: verticalScale(40),
borderRadius: 5,
justifyContent: "center"
}}
>
<Text
style={{
// backgroundColor:theme.inputBgc,
color: theme.foodNameColor,
fontSize: 15,
paddingRight: 30,
paddingLeft: 30,
fontFamily: Fonts.century
}}
underlineColorAndroid="rgba(0,0,0,0)"
>
{this.store.signUpData.mobile}
</Text>
</View>
<View
style={{
marginLeft: 20,
marginRight: 20,
marginTop: 30,
flexDirection: "row",
justifyContent: "space-between"
}}
>
{this.countDownButton()}
<View
style={{
backgroundColor: theme.inputBgc,
marginLeft: 10,
alignItems: "center",
justifyContent: "center",
height: verticalScale(40),
borderRadius: 5,
flex: 1
}}
>
<TextInput
style={{
// backgroundColor:theme.inputBgc,
color: theme.foodNameColor,
fontSize: size.getSize(12),
paddingRight: 30,
paddingLeft: 40,
fontFamily: Fonts.century,
alignSelf: 'stretch'
}}
onChangeText = {(text)=>this.store.signUpData.verificationCode = text}
keyboardType = {'numeric'}
underlineColorAndroid="rgba(0,0,0,0)"
placeholder="verification no."
placeholderStyle={{
fontWeight: "bold",
fontFamily: Fonts.century,
fontSize: size.getSize(10)
}}
placeholderTextColor={theme.foodNameColor}
/>
</View>
</View>
<View
style={{
justifyContent: "center",
alignItems: "center",
height: 60,
width: "100%"
}}
>
</View>
</View>
<Toast ref="toast" />
<TouchableOpacity
style={styles.signupButton}
onPress={() => {
this.signupAction();
}}
>
<Text
style={{
fontSize: 18,
fontFamily: Fonts.century,
color: "white",
fontWeight: "bold"
}}
>
Register
</Text>
<Text
style={{
fontSize: 10,
fontFamily: Fonts.century,
color: "white",
fontWeight: "bold"
}}
>
No More Hangry
</Text>
</TouchableOpacity>
</View>
</TouchableWithoutFeedback>
</SafeAreaView>
);
}
}
const styles = StyleSheet.create({
container: {
flex: 1,
alignItems: "center",
backgroundColor: "white"
},
mainContainer: {
width: width,
flex: 1
},
loginButton: {
width: scale(200),
height: verticalScale(50),
marginTop: moderateScale(30)
},
signupButton: {
width: width,
height: verticalScale(50)
},
phoneCell: {
flexDirection: "row",
alignItems: "center",
justifyContent: "space-between",
paddingHorizontal: 15,
height: 40,
borderBottomWidth: 1,
borderColor: "#ebebeb",
width: width,
backgroundColor: "#fff"
},
phoneInfo: {
flexDirection: "row",
alignItems: "center"
},
input: {
height: 30,
width: width * 0.4,
marginLeft: 10,
padding: 0,
fontSize: 14
},
countdown: {
borderRadius: 5,
borderWidth: 2,
borderColor: theme.coolGrey,
height: verticalScale(40),
justifyContent: "center",
alignItems: "center"
},
countdownTitle: {
color: theme.coolGrey,
fontSize: 12
},
signupButton: {
backgroundColor: theme.mainColor,
width: width,
height: verticalScale(60),
justifyContent: "center",
alignItems: "center"
}
});

1
app/images/README.md Executable file
View File

@ -0,0 +1 @@
# image assets here

BIN
app/images/appicon.png Executable file

Binary file not shown.

After

Width:  |  Height:  |  Size: 9.5 KiB

BIN
app/images/apppreview_ch1.jpg Executable file

Binary file not shown.

After

Width:  |  Height:  |  Size: 590 KiB

BIN
app/images/apppreview_ch2.jpg Executable file

Binary file not shown.

After

Width:  |  Height:  |  Size: 888 KiB

BIN
app/images/apppreview_ch3.jpg Executable file

Binary file not shown.

After

Width:  |  Height:  |  Size: 547 KiB

BIN
app/images/apppreview_ch4.jpg Executable file

Binary file not shown.

After

Width:  |  Height:  |  Size: 581 KiB

BIN
app/images/apppreview_en1.jpg Executable file

Binary file not shown.

After

Width:  |  Height:  |  Size: 273 KiB

BIN
app/images/apppreview_en2.jpg Executable file

Binary file not shown.

After

Width:  |  Height:  |  Size: 455 KiB

BIN
app/images/apppreview_en3.jpg Executable file

Binary file not shown.

After

Width:  |  Height:  |  Size: 273 KiB

BIN
app/images/apppreview_en4.jpg Executable file

Binary file not shown.

After

Width:  |  Height:  |  Size: 296 KiB

BIN
app/images/banner.png Normal file

Binary file not shown.

After

Width:  |  Height:  |  Size: 227 KiB

BIN
app/images/maplocator@2x.png Executable file

Binary file not shown.

After

Width:  |  Height:  |  Size: 1.6 KiB

BIN
app/images/maplocator@3x.png Executable file

Binary file not shown.

After

Width:  |  Height:  |  Size: 2.3 KiB

BIN
app/images/menubarmenu@2x.png Executable file

Binary file not shown.

After

Width:  |  Height:  |  Size: 654 B

BIN
app/images/menubarmenu@3x.png Executable file

Binary file not shown.

After

Width:  |  Height:  |  Size: 1.8 KiB

BIN
app/images/menubarmyorder@2x.png Executable file

Binary file not shown.

After

Width:  |  Height:  |  Size: 839 B

BIN
app/images/menubarmyorder@3x.png Executable file

Binary file not shown.

After

Width:  |  Height:  |  Size: 2.5 KiB

BIN
app/images/menubarprofile@2x.png Executable file

Binary file not shown.

After

Width:  |  Height:  |  Size: 621 B

BIN
app/images/menubarprofile@3x.png Executable file

Binary file not shown.

After

Width:  |  Height:  |  Size: 1.9 KiB

BIN
app/images/menubarsetting@2x.png Executable file

Binary file not shown.

After

Width:  |  Height:  |  Size: 979 B

BIN
app/images/menubarsetting@3x.png Executable file

Binary file not shown.

After

Width:  |  Height:  |  Size: 2.8 KiB

BIN
app/images/promo@2x.png Executable file

Binary file not shown.

After

Width:  |  Height:  |  Size: 3.5 KiB

BIN
app/images/promo@3x.png Executable file

Binary file not shown.

After

Width:  |  Height:  |  Size: 3.5 KiB

BIN
app/images/recommendation.png Executable file

Binary file not shown.

After

Width:  |  Height:  |  Size: 39 KiB

BIN
app/images/settingcontact@2x.png Executable file

Binary file not shown.

After

Width:  |  Height:  |  Size: 883 B

BIN
app/images/settingcontact@3x.png Executable file

Binary file not shown.

After

Width:  |  Height:  |  Size: 1.2 KiB

BIN
app/images/settingfav@2x.png Executable file

Binary file not shown.

After

Width:  |  Height:  |  Size: 1.3 KiB

BIN
app/images/settingfav@3x.png Executable file

Binary file not shown.

After

Width:  |  Height:  |  Size: 2.0 KiB

BIN
app/images/settingfb@2x.png Executable file

Binary file not shown.

After

Width:  |  Height:  |  Size: 790 B

BIN
app/images/settingfb@3x.png Executable file

Binary file not shown.

After

Width:  |  Height:  |  Size: 1.1 KiB

BIN
app/images/settinghowtouse@2x.png Executable file

Binary file not shown.

After

Width:  |  Height:  |  Size: 1.0 KiB

BIN
app/images/settinghowtouse@3x.png Executable file

Binary file not shown.

After

Width:  |  Height:  |  Size: 1.5 KiB

BIN
app/images/settingig@2x.png Executable file

Binary file not shown.

After

Width:  |  Height:  |  Size: 1.2 KiB

Some files were not shown because too many files have changed in this diff Show More