Introduction
Here is an Example to Load Pre Populated SQLite Database in React Native. In this example, we will use SQLite Browser to create an SQLite Database and then we will use this database.
For the SQLite database, we will use the SQLite3 Native Plugin which will work in both Android and iOS. It is based on the Cordova SQLite plugin.
This is an extended post of our previous post on Example of SQLite Database in React Native so if you stuck with anything then you can visit the last post because this post will have more details about the importing of the pre-populated database.
In this example, we will make a HomeScreen with the option to go to other screens like
- RegisterUser: To Register the User. (Create/Insert)
- ViewAllUser: To View All Users. (Read)
- ViewUser: To View Singel Users By Id. (Read)
- UpdateUser: To Update the User.(Update)
- DeleteUser: To Delete the User.
We will be having some custom components like Mybutton, Mytext, Mytextinput which will be used in place of react-native Button, Text, and TextInput.
How to Use SQLite Database
You just have to import the library like this:
import { openDatabase } from 'react-native-sqlite-storage';
and open the database using (Here my pre-populated database name is user_db.db
)
openDatabase({ name: 'user_db.db', createFromLocation : 1})
Now, whenever you need to make some database call you can use db variable to execute the database query.
db.transaction(function(txn) {
txn.executeSql(
query, //Query to execute as prepared statement
argsToBePassed[], //Argument to pass for the prepared statement
function(tx, res) {} //Callback function to handle the result response
);
});
To Make a React Native App
Getting started with React Native will help you to know more about the way you can make a React Native project. We are going to use react native command line interface to make our React Native App.
If you have previously installed a global react-native-cli package, please remove it as it may cause unexpected issues:
npm uninstall -g react-native-cli @react-native-community/cli
Run the following commands to create a new React Native project
npx react-native init ProjectName
If you want to start a new project with a specific React Native version, you can use the --version argument:
npx react-native init ProjectName --version X.XX.X
Note If the above command is failing, you may have old version of react-native
or react-native-cli
installed globally on your pc. Try uninstalling the cli and run the cli using npx.
This will make a project structure with an index file named App.js in your project directory.
Installation of Dependencies
To install the dependencies open the terminal and jump into your project
cd ProjectName
1. Install react-native-sqlite-storage
dependency to use SQLite
npm install react-native-sqlite-storage --save
2. Install following dependencies for react-navigation
npm install @react-navigation/native --save
npm install @react-navigation/native-stack --save
npm install react-native-screens react-native-safe-area-context --save
react-native-screens
package requires one additional configuration step to properly work on Android devices. Edit MainActivity.java
file which is located in android/app/src/main/java/<your package name>/MainActivity.java
.
Add the following code to the body of MainActivity
class:
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(null);
}
and make sure to add the following import statement at the top of this file below your package statement:
import android.os.Bundle;
These commands will copy all the dependencies into your node_module directory.
CocoaPods Installation
Please use the following command to install CocoaPods
npx pod-install
Database Setup for Pre-Populated Database
1. First of all, download the SQLite Browser from here and open the browser
2. Create a new database
3. Save with any name. In my case it is user_db.db
4. Now after creating a database please create a table by clicking on Create Table
5. It will open a dialog where you have to enter the table name and have to add the fields then click ok
6. The click on the Browse Data tab and select your table i.e. tbl_user. Now add a new record in this table
7. For this example, I have added 2 records. You can see by selecting the Table. Please save the database after that because all this activity are not saved automatically. You have to find the save option and have to save this.
It is my request to close the browser once and open the database again to be sure it is properly saved.
8. This is how you can make the SQLite database in SQLite browser. Please make a directory named www and place the database into it. This will be the directory which we will copy in Android and IOS.
Now we have to copy this database in different places for Android and IOS because default places to put the database are different for Android and IOS. Please be sure to put the database in the below-mentioned places.
Placing of Pre-populated Database in Android
1. In case of Android copy the www directory into android > app > src > main > assets
2. You can also copy using Android Studio
Placing of Pre-populated Database in IOS
1. Open your xcworkspace in Xcode
2. After opening the project right click on the Project folder (SQLiteExample in this case) and select Add Files
3. Navigate to www directory and select www directory with create folder references and SQLiteExample. Then click Add
4. You can see the added directory in the project structure
Here we have done all the configuration for the pre-populated database. Please follow the below instruction for the example.
Project Directory Structure
We will perform complete CRUD operation in this example. Please create the following project structure and copy the code given below
Code
Open the project directory and replace the following code
App.js
// Pre-Populated SQLite Database in React Native
// https://aboutreact.com/example-of-pre-populated-sqlite-database-in-react-native
import React from 'react';
import {NavigationContainer} from '@react-navigation/native';
import {createNativeStackNavigator} from '@react-navigation/native-stack';
import HomeScreen from './pages/HomeScreen';
import RegisterUser from './pages/RegisterUser';
import UpdateUser from './pages/UpdateUser';
import ViewUser from './pages/ViewUser';
import ViewAllUser from './pages/ViewAllUser';
import DeleteUser from './pages/DeleteUser';
const Stack = createNativeStackNavigator();
const App = () => {
return (
<NavigationContainer>
<Stack.Navigator initialRouteName="HomeScreen">
<Stack.Screen
name="HomeScreen"
component={HomeScreen}
options={{
title: 'Home', //Set Header Title
headerStyle: {
backgroundColor: '#f4511e', //Set Header color
},
headerTintColor: '#fff', //Set Header text color
headerTitleStyle: {
fontWeight: 'bold', //Set Header text style
},
}}
/>
<Stack.Screen
name="View"
component={ViewUser}
options={{
title: 'View User', //Set Header Title
headerStyle: {
backgroundColor: '#f4511e', //Set Header color
},
headerTintColor: '#fff', //Set Header text color
headerTitleStyle: {
fontWeight: 'bold', //Set Header text style
},
}}
/>
<Stack.Screen
name="ViewAll"
component={ViewAllUser}
options={{
title: 'View Users', //Set Header Title
headerStyle: {
backgroundColor: '#f4511e', //Set Header color
},
headerTintColor: '#fff', //Set Header text color
headerTitleStyle: {
fontWeight: 'bold', //Set Header text style
},
}}
/>
<Stack.Screen
name="Update"
component={UpdateUser}
options={{
title: 'Update User', //Set Header Title
headerStyle: {
backgroundColor: '#f4511e', //Set Header color
},
headerTintColor: '#fff', //Set Header text color
headerTitleStyle: {
fontWeight: 'bold', //Set Header text style
},
}}
/>
<Stack.Screen
name="Register"
component={RegisterUser}
options={{
title: 'Register User', //Set Header Title
headerStyle: {
backgroundColor: '#f4511e', //Set Header color
},
headerTintColor: '#fff', //Set Header text color
headerTitleStyle: {
fontWeight: 'bold', //Set Header text style
},
}}
/>
<Stack.Screen
name="Delete"
component={DeleteUser}
options={{
title: 'Delete User', //Set Header Title
headerStyle: {
backgroundColor: '#f4511e', //Set Header color
},
headerTintColor: '#fff', //Set Header text color
headerTitleStyle: {
fontWeight: 'bold', //Set Header text style
},
}}
/>
</Stack.Navigator>
</NavigationContainer>
);
};
export default App;
Mybutton.js
// Pre-Populated SQLite Database in React Native
// https://aboutreact.com/example-of-pre-populated-sqlite-database-in-react-native
// Custom Button
import React from 'react';
import {TouchableOpacity, Text, StyleSheet} from 'react-native';
const Mybutton = (props) => {
return (
<TouchableOpacity
style={styles.button}
onPress={props.customClick}>
<Text style={styles.text}>
{props.title}
</Text>
</TouchableOpacity>
);
};
const styles = StyleSheet.create({
button: {
alignItems: 'center',
backgroundColor: '#f05555',
color: '#ffffff',
padding: 10,
marginTop: 16,
marginLeft: 35,
marginRight: 35,
},
text: {
color: '#ffffff',
},
});
export default Mybutton;
Mytext.js
// Pre-Populated SQLite Database in React Native
// https://aboutreact.com/example-of-pre-populated-sqlite-database-in-react-native
// Custom Text
import React from 'react';
import {Text, StyleSheet} from 'react-native';
const Mytext = (props) => {
return <Text style={styles.text}>{props.text}</Text>;
};
const styles = StyleSheet.create({
text: {
color: '#111825',
fontSize: 18,
marginTop: 16,
marginLeft: 35,
marginRight: 35,
},
});
export default Mytext;
Mytextinput.js
// Pre-Populated SQLite Database in React Native
// https://aboutreact.com/example-of-pre-populated-sqlite-database-in-react-native
// Custom TextInput
import React from 'react';
import {View, TextInput} from 'react-native';
const Mytextinput = (props) => {
return (
<View
style={{
marginLeft: 35,
marginRight: 35,
marginTop: 10,
borderColor: '#007FFF',
borderWidth: 1,
}}>
<TextInput
underlineColorAndroid="transparent"
placeholder={props.placeholder}
placeholderTextColor="#007FFF"
keyboardType={props.keyboardType}
onChangeText={props.onChangeText}
returnKeyType={props.returnKeyType}
numberOfLines={props.numberOfLines}
multiline={props.multiline}
onSubmitEditing={props.onSubmitEditing}
style={props.style}
blurOnSubmit={false}
value={props.value}
/>
</View>
);
};
export default Mytextinput;
HomeScreen.js
// Pre-Populated SQLite Database in React Native
// https://aboutreact.com/example-of-pre-populated-sqlite-database-in-react-native
import React, {useEffect} from 'react';
import {View, Text, SafeAreaView} from 'react-native';
import Mybutton from './components/Mybutton';
import Mytext from './components/Mytext';
import {openDatabase} from 'react-native-sqlite-storage';
// Connction to access the pre-populated user_db.db
const db = openDatabase({name: 'user_db.db', createFromLocation: 1});
const HomeScreen = ({navigation}) => {
useEffect(() => {
db.transaction(function (txn) {
txn.executeSql(
"SELECT name FROM sqlite_master WHERE type='table' AND name='tbl_user'",
[],
function (tx, res) {
console.log('item:', res.rows.length);
if (res.rows.length == 0) {
txn.executeSql('DROP TABLE IF EXISTS tbl_user', []);
txn.executeSql(
'CREATE TABLE IF NOT EXISTS tbl_user(user_id INTEGER PRIMARY KEY AUTOINCREMENT, user_name VARCHAR(20), user_contact INT(10), user_address VARCHAR(255))',
[],
);
}
},
);
});
}, []);
return (
<SafeAreaView style={{flex: 1}}>
<View style={{flex: 1}}>
<View style={{flex: 1}}>
<Mytext
text="Pre-Populated SQLite Database in React Native"
/>
<Mybutton
title="Register"
customClick={() => navigation.navigate('Register')}
/>
<Mybutton
title="Update"
customClick={() => navigation.navigate('Update')}
/>
<Mybutton
title="View"
customClick={() => navigation.navigate('View')}
/>
<Mybutton
title="View All"
customClick={() => navigation.navigate('ViewAll')}
/>
<Mybutton
title="Delete"
customClick={() => navigation.navigate('Delete')}
/>
</View>
<Text
style={{
fontSize: 18,
textAlign: 'center',
color: 'grey'
}}>
Pre-Populated SQLite Database in React Native
</Text>
<Text
style={{
fontSize: 16,
textAlign: 'center',
color: 'grey'
}}>
www.aboutreact.com
</Text>
</View>
</SafeAreaView>
);
};
export default HomeScreen;
RegisterUser.js
// Pre-Populated SQLite Database in React Native
// https://aboutreact.com/example-of-pre-populated-sqlite-database-in-react-native
// Screen to register the user
import React, {useState} from 'react';
import {
View,
ScrollView,
KeyboardAvoidingView,
Alert,
SafeAreaView,
Text,
} from 'react-native';
import Mytextinput from './components/Mytextinput';
import Mybutton from './components/Mybutton';
import {openDatabase} from 'react-native-sqlite-storage';
// Connction to access the pre-populated user_db.db
const db = openDatabase({name: 'user_db.db', createFromLocation: 1});
const RegisterUser = ({navigation}) => {
let [userName, setUserName] = useState('');
let [userContact, setUserContact] = useState('');
let [userAddress, setUserAddress] = useState('');
let register_user = () => {
console.log(userName, userContact, userAddress);
if (!userName) {
alert('Please fill name');
return;
}
if (!userContact) {
alert('Please fill Contact Number');
return;
}
if (!userAddress) {
alert('Please fill Address');
return;
}
db.transaction(function (tx) {
tx.executeSql(
'INSERT INTO tbl_user (user_name, user_contact, user_address) VALUES (?,?,?)',
[userName, userContact, userAddress],
(tx, results) => {
console.log('Results', results.rowsAffected);
if (results.rowsAffected > 0) {
Alert.alert(
'Success',
'You are Registered Successfully',
[
{
text: 'Ok',
onPress: () => navigation.navigate('HomeScreen'),
},
],
{cancelable: false},
);
} else alert('Registration Failed');
},
);
});
};
return (
<SafeAreaView style={{flex: 1}}>
<View style={{flex: 1, backgroundColor: 'white'}}>
<View style={{flex: 1}}>
<ScrollView keyboardShouldPersistTaps="handled">
<KeyboardAvoidingView
behavior="padding"
style={{flex: 1, justifyContent: 'space-between'}}>
<Mytextinput
placeholder="Enter Name"
onChangeText={
(userName) => setUserName(userName)
}
style={{padding: 10}}
/>
<Mytextinput
placeholder="Enter Contact No"
onChangeText={
(userContact) => setUserContact(userContact)
}
maxLength={10}
keyboardType="numeric"
style={{padding: 10}}
/>
<Mytextinput
placeholder="Enter Address"
onChangeText={
(userAddress) => setUserAddress(userAddress)
}
maxLength={225}
numberOfLines={5}
multiline={true}
style={{textAlignVertical: 'top', padding: 10}}
/>
<Mybutton title="Submit" customClick={register_user} />
</KeyboardAvoidingView>
</ScrollView>
</View>
<Text
style={{
fontSize: 18,
textAlign: 'center',
color: 'grey'
}}>
Pre-Populated SQLite Database in React Native
</Text>
<Text
style={{
fontSize: 16,
textAlign: 'center',
color: 'grey'
}}>
www.aboutreact.com
</Text>
</View>
</SafeAreaView>
);
};
export default RegisterUser;
UpdateUser.js
// Pre-Populated SQLite Database in React Native
// https://aboutreact.com/example-of-pre-populated-sqlite-database-in-react-native
// Screen to update the user
import React, {useState} from 'react';
import {
View,
ScrollView,
KeyboardAvoidingView,
Alert,
SafeAreaView,
Text,
} from 'react-native';
import Mytextinput from './components/Mytextinput';
import Mybutton from './components/Mybutton';
import {openDatabase} from 'react-native-sqlite-storage';
// Connction to access the pre-populated user_db.db
const db = openDatabase({name: 'user_db.db', createFromLocation: 1});
const UpdateUser = ({navigation}) => {
let [inputUserId, setInputUserId] = useState('');
let [userName, setUserName] = useState('');
let [userContact, setUserContact] = useState('');
let [userAddress, setUserAddress] = useState('');
let updateAllStates = (name, contact, address) => {
setUserName(name);
setUserContact(contact);
setUserAddress(address);
};
let searchUser = () => {
console.log(inputUserId);
db.transaction((tx) => {
tx.executeSql(
'SELECT * FROM tbl_user where user_id = ?',
[inputUserId],
(tx, results) => {
var len = results.rows.length;
if (len > 0) {
let res = results.rows.item(0);
updateAllStates(res.user_name, res.user_contact, res.user_address);
} else {
alert('No user found');
updateAllStates('', '', '');
}
},
);
});
};
let updateUser = () => {
console.log(inputUserId, userName, userContact, userAddress);
if (!inputUserId) {
alert('Please fill User id');
return;
}
if (!userName) {
alert('Please fill name');
return;
}
if (!userContact) {
alert('Please fill Contact Number');
return;
}
if (!userAddress) {
alert('Please fill Address');
return;
}
db.transaction((tx) => {
tx.executeSql(
'UPDATE tbl_user set user_name=?, user_contact=? , user_address=? where user_id=?',
[userName, userContact, userAddress, inputUserId],
(tx, results) => {
console.log('Results', results.rowsAffected);
if (results.rowsAffected > 0) {
Alert.alert(
'Success',
'User updated successfully',
[
{
text: 'Ok',
onPress: () => navigation.navigate('HomeScreen'),
},
],
{cancelable: false},
);
} else alert('Updation Failed');
},
);
});
};
return (
<SafeAreaView style={{flex: 1}}>
<View style={{flex: 1}}>
<View style={{flex: 1}}>
<ScrollView keyboardShouldPersistTaps="handled">
<KeyboardAvoidingView
behavior="padding"
style={{flex: 1, justifyContent: 'space-between'}}>
<Mytextinput
placeholder="Enter User Id"
style={{padding: 10}}
onChangeText={
(inputUserId) => setInputUserId(inputUserId)
}
/>
<Mybutton
title="Search User"
customClick={searchUser}
/>
<Mytextinput
placeholder="Enter Name"
value={userName}
style={{padding: 10}}
onChangeText={
(userName) => setUserName(userName)
}
/>
<Mytextinput
placeholder="Enter Contact No"
value={'' + userContact}
onChangeText={
(userContact) => setUserContact(userContact)
}
maxLength={10}
style={{padding: 10}}
keyboardType="numeric"
/>
<Mytextinput
value={userAddress}
placeholder="Enter Address"
onChangeText={
(userAddress) => setUserAddress(userAddress)
}
maxLength={225}
numberOfLines={5}
multiline={true}
style={{textAlignVertical: 'top', padding: 10}}
/>
<Mybutton
title="Update User"
customClick={updateUser}
/>
</KeyboardAvoidingView>
</ScrollView>
</View>
<Text
style={{
fontSize: 18,
textAlign: 'center',
color: 'grey'
}}>
Pre-Populated SQLite Database in React Native
</Text>
<Text
style={{
fontSize: 16,
textAlign: 'center',
color: 'grey'
}}>
www.aboutreact.com
</Text>
</View>
</SafeAreaView>
);
};
export default UpdateUser;
ViewAllUser.js
// Pre-Populated SQLite Database in React Native
// https://aboutreact.com/example-of-pre-populated-sqlite-database-in-react-native
// Screen to view all the user*/
import React, {useState, useEffect} from 'react';
import {FlatList, Text, View, SafeAreaView} from 'react-native';
import {openDatabase} from 'react-native-sqlite-storage';
// Connction to access the pre-populated user_db.db
const db = openDatabase({name: 'user_db.db', createFromLocation: 1});
const ViewAllUser = () => {
let [flatListItems, setFlatListItems] = useState([]);
useEffect(() => {
db.transaction((tx) => {
tx.executeSql('SELECT * FROM tbl_user',
[],
(tx, results) => {
var temp = [];
for (let i = 0; i < results.rows.length; ++i)
temp.push(results.rows.item(i));
setFlatListItems(temp);
});
});
}, []);
let listViewItemSeparator = () => {
return (
<View style={{height: 0.2, width: '100%', backgroundColor: '#808080'}} />
);
};
let listItemView = (item) => {
return (
<View
key={item.user_id}
style={{backgroundColor: 'white', padding: 20}}>
<Text>Id: {item.user_id}</Text>
<Text>Name: {item.user_name}</Text>
<Text>Contact: {item.user_contact}</Text>
<Text>Address: {item.user_address}</Text>
</View>
);
};
return (
<SafeAreaView style={{flex: 1}}>
<View style={{flex: 1}}>
<View style={{flex: 1}}>
<FlatList
data={flatListItems}
ItemSeparatorComponent={listViewItemSeparator}
keyExtractor={(item, index) => index.toString()}
renderItem={({item}) => listItemView(item)}
/>
</View>
<Text
style={{
fontSize: 18,
textAlign: 'center',
color: 'grey'
}}>
Pre-Populated SQLite Database in React Native
</Text>
<Text
style={{
fontSize: 16,
textAlign: 'center',
color: 'grey'
}}>
www.aboutreact.com
</Text>
</View>
</SafeAreaView>
);
};
export default ViewAllUser;
ViewUser.js
// Pre-Populated SQLite Database in React Native
// https://aboutreact.com/example-of-pre-populated-sqlite-database-in-react-native
// Screen to view single user
import React, {useState} from 'react';
import {Text, View, SafeAreaView} from 'react-native';
import Mytextinput from './components/Mytextinput';
import Mybutton from './components/Mybutton';
import {openDatabase} from 'react-native-sqlite-storage';
// Connction to access the pre-populated user_db.db
const db = openDatabase({name: 'user_db.db', createFromLocation: 1});
const ViewUser = () => {
let [inputUserId, setInputUserId] = useState('');
let [userData, setUserData] = useState({});
let searchUser = () => {
console.log(inputUserId);
setUserData({});
db.transaction((tx) => {
tx.executeSql(
'SELECT * FROM tbl_user where user_id = ?',
[inputUserId],
(tx, results) => {
var len = results.rows.length;
console.log('len', len);
if (len > 0) {
setUserData(results.rows.item(0));
} else {
alert('No user found');
}
},
);
});
};
return (
<SafeAreaView style={{flex: 1}}>
<View style={{flex: 1}}>
<View style={{flex: 1}}>
<Mytextinput
placeholder="Enter User Id"
onChangeText={(inputUserId) => setInputUserId(inputUserId)}
style={{padding: 10}}
/>
<Mybutton title="Search User" customClick={searchUser} />
<View
style={{
marginLeft: 35,
marginRight: 35,
marginTop: 10
}}>
<Text>User Id: {userData.user_id}</Text>
<Text>User Name: {userData.user_name}</Text>
<Text>User Contact: {userData.user_contact}</Text>
<Text>User Address: {userData.user_address}</Text>
</View>
</View>
<Text
style={{
fontSize: 18,
textAlign: 'center',
color: 'grey'
}}>
Pre-Populated SQLite Database in React Native
</Text>
<Text
style={{
fontSize: 16,
textAlign: 'center',
color: 'grey'
}}>
www.aboutreact.com
</Text>
</View>
</SafeAreaView>
);
};
export default ViewUser;
DeleteUser.js
// Pre-Populated SQLite Database in React Native
// https://aboutreact.com/example-of-pre-populated-sqlite-database-in-react-native
// Screen to delete the user
import React, {useState} from 'react';
import {Text, View, Alert, SafeAreaView} from 'react-native';
import Mytextinput from './components/Mytextinput';
import Mybutton from './components/Mybutton';
import {openDatabase} from 'react-native-sqlite-storage';
// Connction to access the pre-populated user_db.db
const db = openDatabase({name: 'user_db.db', createFromLocation: 1});
const DeleteUser = ({navigation}) => {
let [inputUserId, setInputUserId] = useState('');
let deleteUser = () => {
db.transaction((tx) => {
tx.executeSql(
'DELETE FROM tbl_user where user_id=?',
[inputUserId],
(tx, results) => {
console.log('Results', results.rowsAffected);
if (results.rowsAffected > 0) {
Alert.alert(
'Success',
'User deleted successfully',
[
{
text: 'Ok',
onPress: () => navigation.navigate('HomeScreen'),
},
],
{cancelable: false},
);
} else {
alert('Please insert a valid User Id');
}
},
);
});
};
return (
<SafeAreaView style={{flex: 1}}>
<View style={{flex: 1}}>
<View style={{flex: 1}}>
<Mytextinput
placeholder="Enter User Id"
onChangeText={
(inputUserId) => setInputUserId(inputUserId)
}
style={{padding: 10}}
/>
<Mybutton title="Delete User" customClick={deleteUser} />
</View>
<Text
style={{
fontSize: 18,
textAlign: 'center',
color: 'grey'
}}>
Pre-Populated SQLite Database in React Native
</Text>
<Text
style={{
fontSize: 16,
textAlign: 'center',
color: 'grey'
}}>
www.aboutreact.com
</Text>
</View>
</SafeAreaView>
);
};
export default DeleteUser;
To Run the React Native App
Open the terminal again and jump into your project using.
cd ProjectName
1. Start Metro Bundler
First, you will need to start Metro, the JavaScript bundler that ships with React Native. To start Metro bundler run following command:
npx react-native start
Once you start Metro Bundler it will run forever on your terminal until you close it. Let Metro Bundler run in its own terminal. Open a new terminal and run the application.
2. Start React Native Application
To run the project on an Android Virtual Device or on real debugging device:
npx react-native run-android
or on the iOS Simulator by running (macOS only)
npx react-native run-ios
Output Screenshots
Here are the screenshots of the final outcome
This was the Example to Load Pre Populated SQLite Database in React Native. If you have any doubts or want to share something about the topic you can comment below or contact us here. There will be more posts coming soon. Stay tuned!
Hope you liked it. 🙂
Great post! Helped me tons 🙂 keep up the great work
Thanks for great post
I want to fetch a video as blob file and play it in my app, any idea how to do that ?
Hi Yogesh, converting a video into blob can be very problematic and can affect the application performance. Are you sure about it?
Hi
Thank you so much for this awesome tutorial
But can you please guide me in uploading multiple images in sqlite database and get back those images in app using react native
Hi Sravani, Sorry but I have no example like that and I haven’t really done something like this. But what I can suggest you is to make convert Image in base64 and store it in react native SQLite in the column with type blob.
Thank you Snehal for your valuable suggestion
Always welcome. 🙂
I have implemented sqlite in react native with pre-populated DB.
I have released the app but in my next release I need to alter the table without deleting existing data. I dont want my users to loose the data
How to manage such scenario as its very important in offline apps.
Have you implemented any database version management in the app so that you can track the database has been updated or not? If not what I usually do is to make a table in the database where I put the latest database version and after the change the database I update the database version so whenever the app starts I check the database version and if there is mismatch in the version I execute the alter query and update the database version in the table.
I would like to use a request with “LIKE” to query my database do you have any indications for that
Hey Hi, You can use SELECT FROM table_name WHERE column LIKE ‘%XXXX%’
Great example! I really appreciate your work.
thank … love love