Cybersecurity is a very important aspect of software development. It is a branch of code testing which is integral in the profitability of major tech companies around the world as highlighted in my pr
Nodejs Lesson 16: Internals of Nodejs: Event Loop
This lesson will continue the last lesson where we learned how the LibUV library works internally. In this lesson, we will learn about Event Loop and understand various terms like call stack, callback queue, etc. Let’s start.
Nodejs Lesson 15: Internals of Nodejs: LibUV
Hello everyone, today we are going to talk about the internals of Nodejs. This article will guide how node js works and how it can handle async tasks. What will happen if ten requests come at once? Will it handle one request and discard the other 9? or will it create a queue and serve each one by one. We will answer all these questions in this and coming lesson. Let’s start.
Email Support with Flask
This article is aimed at developers who are interested in implementing email support with Flask. In the following example, I will start with an overview of the Flask-Mail package followed by the code that explains to integrate email support with the Flask Web Application.
An Introduction to Finite State Machines: Simplifying React State Management with State Machines
State machines are one of the oldest concepts in computer science but also one of the most useful. When combined together with React, they can drastically reduce bugs and complexity in your code.
Build Real-World React Native App #10 : Setup in-App Purchase in iOS
The most awaited and considerably the lengthiest chapter is here. In this chapter, we will learn how to add the in-app purchase service in React Native using React Native IAP package The configurations are mainly for the iOS platform. Here, we are going to set up the subscriptions and configure the App Store Connect to enable the in-app purchase feature. The process is somewhat lengthy but make sure to do it carefully. We are also going to implement a tester to test the in-app purchase service. Lastly, we are also going to configure the UI screen for the Remove ads feature.
Let’s get started!
Installing React Native IAP
First, we are going to install a package named react-native iap. This is a react-native native module library project for in-app purchases for both Android and iOS platforms. For that, we need to run the following command in our project terminal:
yarn add react-native-iap
Setup on iOS
In iOS, we need to run a general command for cacao pod install as shown below:
cd ios/ && pod install ; cd ..
Then, we need to go to Xcode and add in-app purchase capability as shown in the screenshot below:
As we are done in Xcode, we will see the following information:
To use the In-app purchase service, we need to create a Context component named IApController first. Then, we need to import components as shown in the code snippet below:
import React, { createContext, useState, useContext } from 'react'; import * as RNIap from 'react-native-iap'; import { Alert, Platform } from 'react-native' export const IApContext = createContext();
Then, we need to create an array to contain the product name that will match on both Android and Apple developer dashboard as shown in the code snippet below:
const itemSkus = Platform.select({ ios: [ 'kriss.once.removeads', 'kriss.sub.removeads' ], android: [ 'com.kriss.remove_ads_monthly', 'com.kriss.remove_ad_forever' ] });
Next, we need to create two states to handle product data and ads status as shown in the code snippet below:
export const IApController = ({ children }) => { const [products, setProducts] = useState([]) const [showads, setShowads] = useState(true);
Now, we are going to start with fetching product data from the app store and play store. For Playstore, we need to get a subscription with separate function as shown in the code snippet below:
const initIAp = async () => { try { const products = await RNIap.getProducts(itemSkus); if (Platform.OS === 'android') { const subscription = await RNIap.getSubscriptions(itemSkus); products.push(subscription[0]) } console.log(products) setProducts({ products }); console.log(products) } catch (err) { console.warn(err); // standardized err.code and err.message available } }
Product and Subscription
Now, we need to create two more functions to handle user purchases and subscriptions. The idea is to hide the ads when the purchase or subscription is successful. The coding implementation for this is provided in the code snippet below:
makePurchase = async (sku) => { try { await RNIap.requestPurchase(sku, false).then(async (res) => { toggleAds(false) }); } catch (err) { console.warn(err.code, err.message); } } makeSubscription = async (sku) => { try { await RNIap.requestSubscription(sku, false).then(async (res) => { toggleAds(false) }); } catch (err) { console.warn(err.code, err.message); } }
Then, we need to create a toggle function to display or hide ads as shown in the code snippet below:
const [showads, setShowads] = useState(true); const toggleAds = value => { if (value === true) { setShowads(true); } else { setShowads(false); } };
Next, we need to prepare a list of functions that we want to export to use in other components as shown in the code snippet below:
return ( <IApContext.Provider value={{ initIAp, Showads, products, makePurchase, makeSubscription, }}> {children} </IApContext.Provider> ); }
Hence, we have completed the configuration part of the IApController. Our next step is to activate Context in App.js.
First, we start by importing IApController to App.js file as shown in the code snippet below:
import { IApController } from './src/components/IApController'
Then, we wrap the Navigator with another level of Context component as shown in the code snippet below:
<IApController> <AdmobController> <NetworkController> <ThemeController> <Navigators /> </ThemeController> </NetworkController> </AdmobController> </IApController>
Now, we need to fetch the list of products that we need to activate in Navigator.js. First import the IApContext in Navigator as shown in the code snippet below:
import { IApContext } from './IApController'
Then by using useEffect hook, we activate it every time the app loads as shown in the code snippet below:
export default Navigator = () => { const { initIAp } = useContext(IApContext) useEffect(() => { initIAp() }, [])
Now, when re-running the app, we get a blank array because we didn’t create a product list on the app store or play store as shown in the screenshot below:
App Store Connect
To register for App store Connect, we require a developer account which costs about 99$ per year. To access this feature, we need to set up financial data first. The screenshot of the App Store Connect console is shown below:
Then, we need to go to the My Apps option and create a new App as directed in the screenshot below:
Next, we need to go to the Feature tab as shown in the screenshot below:
App-store connect feature tabThen, we need to select in-App Purchase and also choose Non-Consumable. Hence, we will use this to offer to remove ads forever as shown in the console screenshot below:
Add new consumable itemWe can provide any name in the Reference Name field but Product ID requires the same ID value that we defined In-app configuration as shown in the screenshot below:
Then, we need to fill in pricing and other description as shown in the screenshot below:
Now, it is ready to use as displayed in the screenshot below:
Now next step is to paid subscription option as directed in the screenshot below:
First, we need to choose Auto-Renewable Subscription as shown in the screenshot above and then fill in Reference Name and Product ID as before as shown in the screenshot below:
Then, we need to create a subscription group as shown in the screenshot below:
Next, we need to select the subscription duration which is 1 Month for our app as shown in the screenshot below:
Lastly, we need to select the pricing option which 4.99$ per month as shown in the screenshot below:
Thus, the app store will calculate pricing for every country itself as shown in the screenshot below:
Hence, we have successfully configured the one-time payment and subscription-based payment option as shown in the screenshot below:
Now, we need to create a Tester.
Creating Tester
First, we need to apply a test for users for initial performance in development mode. Thus, we need to go to User and Access as shown in the screenshot below:
Then, we need to create a new tester as directed in the screenshot below:
To use this in the iOS platform, we can register as a Sandbox account as shown in the screenshot below:
Now, we need to re-run the app again using the following command:
react-native run-ios --device "Kris101"
Hence, we will get the product data printed in the terminal as shown in the screenshot below:
Next, we need to create a new screen to handle the in-app purchases.
For that, we need to create a new screen named RemoveAds and import it to the Navigator.js file as shown in the code snippet below:
import RemoveAds from '../screens/RemoveAds';
Then, we need to add it to the same group on the setting screen as shown in the code snippet below:
<Stack.Navigator> <Stack.Screen name="Setting" component={SettingScreen} /> <Stack.Screen name="Feedback" component={Feedback} /> <Stack.Screen name="RemoveAds" component={RemoveAds} /> </Stack.Navigator>
Next, we need to go back to the Setting screen and add a new menu option called RemoveAds as shown in the code snippet below:
<TouchableOpacity onPress={() => navigation.navigate('RemoveAds')}> <List.Item title="Remove Ads" left={() => <List.Icon icon="bullhorn" />} /> </TouchableOpacity>
Now, we have a menu option to navigate to the RemoveAds screen as shown in the emulator screenshot below:
Implementing RemoveAds screen
On this screen, we are going to perform in-app purchase configurations. Thus, we require a privacy policy and terms of use on this screen. First, we need to import the required packages, modules, and components as shown in the screenshot below:
import React from 'react' import HTML from 'react-native-render-html'; import { List, Card, Title, Paragraph, Avatar } from 'react-native-paper';
For UI, we construct the screen using the code from the following code snippet:
const RemoveAds = () => { const htmlContent = ` <p style="textAlign: center;">Recurring billing,Cancel any time.</p> <p style="textAlign: center;">if you choose to purchase a subscription, payment will be charged to your iTunes account,and your account will be charged within 24-hour to the end of the current period.Auto-renewal may be turned off at any time by going to your seting in your iTunes store after purchase.For more information please visit our <br><a href="https://kriss.io/term-of-service/">Terms of Use</a> and <a href="https://kriss.io/privacy-policy-for-kriss/">Privacy Policy</a>.</p> `; return ( <ScrollView> <Card style={{ shadowOffset: { width: 5, height: 5 }, width: '90%', borderRadius: 12, alignSelf: 'center', marginBottom: 10, marginTop: 10 }}> <Card.Title title="Remove Ads" subtitle="Remove all ads that annoy your eye" left={props => <Avatar.Icon {...props} icon="bullhorn" />} /> <Card.Title title="Support content production" subtitle="You help fundarise for produce content" left={props => <Avatar.Icon {...props} icon="human-handsup" />} /> <Card.Content> <Title> Monthly Subscription</Title> <Paragraph>pay monthly for remove ads</Paragraph> <Button icon="cart" mode="contained" onPress={() => console.log('Pressed')}> 4.99$ per month </Button> <Title>One time payment</Title> <Paragraph>pay only one time for remove ads</Paragraph> <Button icon="cart" mode="contained" onPress={() => console.log('Pressed')}> 49.99$ one time </Button> </Card.Content> <HTML html={htmlContent} onLinkPress={(event, href) => { Linking.openURL(href).catch((err) => console.error('An error occurred', err)); }} /> </Card > </ScrollView> ) } export default RemoveAds
Hence, we will get the following result in our emulator screen:
Remove ads screen
Conclusion
Well, this chapter has been an interesting one. We got stepwise guidance on how to configure the in-app purchase in the React Native app using the IAP package. We configured the in-app purchase for the app store configuring the App Store Connect. The main objective of this chapter was to integrate in-app purchase in the React Native project for the iOS platform so that we can use it to buy a subscription to remove ads in the next chapter. To trigger the in-app purchase we also need to UI screen to provide the detailed subscription feature which is connected to the App store connect through the IAP package. Hence, we also created a UI screen to trigger In-app purchases. In this case, to remove the ads.
Hence, in the next chapter, we are going to use it to implement the subscription-based in-app purchase to remove ads from the app.
Building Rest API With Django Using Django Rest Framework and Django Rest Auth
Building Rest API seems to be complex when trying to achieve this on your own with Django, thanks to the Django Rest framework project which has come to reduce the complexity.
Integrate LDAP Authentication with Flask
This article is aimed at developers who are interested to integrate LDAP Authentication with Flask. In the following example, I will start with an overview of LDAP technology followed by the code that explains to integrate LDAP with Flask Web Application.
Why Fastify is a better Nodejs framework for your next project compared to Express
Nodejs is JavaScript cross-platform runtime environment. When it comes to building a simple HTTP server for a project, building with nodejs, is simpler and lighter. This is because you don’t get to introduce external modules, built-in node modules.
Writing end-to-end tests for Nuxt apps using jsdom and AVA
Testing is a very important aspect of web application development. It can help reveal bugs before they appear and also instill confidence in your web application, especially during its launch. In this article, we will explore jsdom and AVA testing frameworks while writing tests for the Nuxt application.