Giter VIP home page Giter VIP logo

couchbase-lite-react-native-module's Introduction

Overview

A reference implementation of a React Native Module for couchbase lite on iOS and Android.

โš  NOTE: The plugin is not officially supported by Couchbase and there are no guarantees that the APIs exported by the module are up to date with the latest version of Couchbase Lite. The module implementation is available as an open source reference implementation for developers to use as a starting point and contribute as needed

React Native Modules allow mobile apps written in React Native to access native platform APIs. The sample module exports a relevant subset of native Couchbase Lite API functionality and makes it available to React native JS apps. You can extend this module to expose otherAPIs per module development guide.

LICENSE: The source code for the plugin is Apache-licensed, as specified in LICENSE. However, the usage of Couchbase Lite will be guided by the terms and conditions specified in Couchbase's Enterprise or Community License agreements respectively

Repo Folders

  • The "index.tsx" file in the "src" folder contains the functions exported to JS world. The "ios" and "android" folders contain the corresponding implementation for iOS and Android platforms respectively. Although the underlying implementation of the APIs is platform specific, note that the JS API definitions are common. So you can share the App UI logic across Android and iOS

  • The "ios" folder contains the React Native module implementation for iOS version of Couchbase Lite. Apps written in iOS must use this plugin.

  • The "android" folder contains the React Native module implementation for Android version of Couchbase Lite. Apps written in Android must use this plugin.

Sample App

An app that demonstrates core database, CRUD, query and sync functions of Couchbase Lite using the plugin is available here.

Exported APIs

The following is a list of APIs (and features) exported by the react-native plugin. See the description of Couchbase Lite Native API Specifications for an authoritative description of the API functionality.

NOTE: The plugin isn't a simple API passthrough. The plugin implements a Data Manager pattern and includes additional bookkeeping logic for managing and tracking open databases, replicators, listeners etc on behalf of the app. This avoids the need for the apps to implement all that bookkeeping logic. It is not required that you implement the plugin this way but it will simplify your app so you can focus on the apps UI and control logic. Also, by pushing these tasks into the plugin, app developers do not have to reimplement that logic for every app.

API methods Native Class
CreateOrOpenDatabase (with specified Configuration) Database
closeDatabase Database
deleteDatabase Database
copyDatabase Database
databaseExists Database
addDatabaseChangeListener Database
removeDatabaseChangeListener Database
setDocument (With JSON OBJECT) MutableDocument
getDocument MutableDocument
deleteDocument MutableDocument
setBlob Database
getBlob Database
createValueIndex Database
createFTSIndex Database
deleteIndex Database
query Query
queryWithChangeListener Query
removeQueryChangeListener Query
enableConsoleLogging Database
createReplicator Replicator
replicatorStart Replicator
replicatorStop Replicator
replicationAddChangeListener Replicator
replicationRemoveChangeListener Replicator

Getting Started

We will look at the steps to integrate and use the react native module within a sample React Native app. The instructions assume some familiarity with React Native app development. You will do something similar when integrating into your own app.

iOS:

  • Follow the instructions outlined in the README within the iOS folder on steps to integrate and use the Couchbase Lite RN module within a sample React Native iOS app.

Android:

  • Follow the instructions outlined in the README within the Android folder on steps to integrate and use the Couchbase Lite RN module within a sample React Native Android app.

Usage

Here are a few examples of using the native module within your app

To use the module, you must declare the plugin at the on top of your app.js file.

import * as CBL from 'react-native-cblite';

Create Database

let config = {
    encryptionKey: "{{ENCRYPTION_KEY}}",
    directory: "{{DIRECTORY}}"
};

let dbName = '{{DATABASE_NAME}}'
CBL.CreateOrOpenDatabase(dbName,config, function(rs) { 
  console.log("database "+ dbName + " creation: "+ rs.toString())
  }, function(error) { 
    console.log(error.toString())
    });

Params

  • dbName: Name of the Database as string.

  • config: Couchbase Database configuration JSONobject containing following.

    • directory: Path of the database directory as string.
    • encryptionKey: Encryption key as string.
  • Error Callback: Asynchronously triggers when the function fails execution. Contains Error string as param, If there is an exception while execution the param will have the string exception.

  • Success Callback:Asynchronously triggers when the function succeeds execution. Contains string Response as param, If there is no exception while execution the param can contain one of the following responses.

Example Response

  • "Success"
  • "Database already exists"
  • "Missing Arguments: Database Name"
  • "Missing Arguments: Directory"
  • "Error while Creating Database: {exception}"

Close Database

let response = CBL.closeDatabase(dbName,function(rs) { 
  console.log("database "+ dbName + " closing : "+ rs.toString())
  }, function(error) {
     console.log(error.toString())
     });

Params

  • dbName: Name of the Database as string.
  • Error Callback: Asynchronously triggers when the function fails execution. Contains Error string as param, If there is an exception while execution the param will have the string exception.
  • Success Callback:Asynchronously triggers when the function succeeds execution. Contains string Response as param, If there is no exception while execution the param can contain one of the following responses.

Example Response

  • "Success"
  • "Database not found"
  • "Error while Closing Database : {exception}"

Delete Database

let response = CBL.deleteDatabase(dbName);
console.log("close" + dbName+ " database reponse is :" + response);

Params

  • dbName: Name of the Database as string.

Example Response

  • "Success"
  • "Database not found"
  • "Error while Deleting Database : {exception}"

Database Exists


 var dbexists = CouchbaseNativeModule.databaseExists(dbName, dbConfig);
        

Params

  • dbName: Name of the Database as string.

  • config: Couchbase Database configuration JSONobject containing following.

    • directory: Path of the database directory as string.
    • encryptionKey: Encryption key as string.

Example Response

  • "Database already exists"
  • "Database not exists"
  • "Error"
  • "Missing Arguments : Database Name"

Create/Update Document

let docid = "{{DOCUMENT_ID}}";
let data = "{{JSON_OBJECT}}"; e.g { foo : 'bar', adam : 'eve' }
let dbName = "{{DATABASE_NAME}}";

CBL.setDocument(dbName,docid, JSON.stringify(data), function(rs) {
   console.log("Added document with body"+JSON.stringify(data) +" to db " + dbName + " "+ rs.toString())
   }, function(error) {
     console.log(error.toString()) 
     });

Params

  • dbName: Name of the Database as string.
  • docid: Unique id of the document as string.
  • data: A JSON object containing data to be saved in document.
  • Error Callback: Asynchronously triggers when the function fails execution. Contains Error string as param, If there is an exception while execution the param will have the string exception.
  • Success Callback: Asynchronously triggers when the function succeeds execution. Contains string Response as param, If there is no exception while execution the param can contain one of the following responses.

Example Response

  • "Success"
  • "Document is Null"
  • "Document not found"
  • "Database not found"
  • "Missing Arguments: Database Name"
  • "Missing Arguments: Document ID"
  • "Missing Arguments: Document Data"
  • "Invalid Arguments: Document data is not in proper JSON format"
  • "Error while Creating Document: {exception}"

Get Document

let docid = "{{DOCUMENT_ID}}";
let dbName = "{{DATABASE_NAME}}";
CBL.getDocument(dbName,docid,function(rs) {
  console.log("Fetched document "+docid+ " from db " + dbName + " " + rs.toString()) 
  }, function(error) { 
    console.log(error.toString())
    });

Params

  • dbName: Name of the Database as string.
  • docid: Unique id of the document as string.
  • Error Callback: Asynchronously triggers when the function fails execution. Contains Error string as param, If there is an exception while execution the param will have the string exception.
  • Success Callback: Asynchronously triggers when the function succeeds execution. Contains string Response as param, If there is no exception while execution the param can contain one of the following responses.

Example Response

  • "{Document as JSON}"
  • "Database not found"
  • "Document not found"
  • "Missing Arguments : Database Name"
  • "Missing Arguments : Document ID"
  • "Error while Fetching Document : {exception}"

Save Blob

var blobMeta = CBL.setBlob(dbName,contentType,blob);

Params

  • dbName: Name of the Database as string.
  • contentType: MIME content type of the binary data
  • blob: Base64 encoded string corresponding to binary data to be stored

Example Response

  • "{BLOB Meta Data}": Synchronously returns a String of JSON Object of blob Meta Data which can be used retrieve blob by passing object to getBlob function.
  • "Database not found"
  • "Missing Arguments : Content Type"
  • "Missing Arguments : Blob Data"
  • "Error while Creating Blob : {exception}"

Get Blob

CBL.getBlob(dbName,blobMeta,this.success_callback,this.error_callback);

Params

  • dbName: Name of the Database as string.
  • blobMeta: Meta Data JSON object of Blob which is returned from save blob function.
  • Error Callback: Asynchronously triggers when the function fails execution. Contains Error string as param, If there is an exception while execution the param will have the string exception.
  • Success Callback: Asynchronously triggers when the function succeeds execution. Contains string Response as param, If there is no exception while execution the param can contain one of the following responses.

Example Response

  • "{Base64 encoded Blob String}"
  • "Blob not found"
  • "Database not found"
  • "Missing Arguments : BlobObject"
  • "Invalid Arguments : Blob Object is not in proper JSON format"
  • "Error while Fetching Blob : {exception}"

Add Database Change Listener


var JSListenerEvent = 'OnDatabaseChanged'

var response = CBL.EventsListeners.addDatabaseChangeListener(dbName,JSListenerEvent);

if(response=='Success') {
    CBL.EventsListeners.addListener(JSListener, (eventResponse) => { console.log(eventResponse) });
    }
    else {
        console.log("ERROR: " + response);
    }


Params

  • dbName: Name of the Database as string.
  • JSListenerEvent: String name of the Javascript listener event.

Example Response for addChangeListener

  • "Success"
  • "Database not found"
  • "Missing Arguments : Database Name"
  • "Missing Arguments : JSListener"
  • "Database listener already registered with database. Please remove the database listener before registering new one."

Example Response in eventResponse

  • {"Modified": {"DocumentID": "DocumentJson"},"Deleted": {"DocumentID": "DocumentJson"}}
  • {"Deleted": {"DocumentID1": "Document1Json","DocumentID2": "Document2Json"...}}
  • {"Modified": {"DocumentID1": "Document2Json","DocumentID2": "Document2Json"...}}

Remove Database Change Listener


var JSListenerEvent = 'OnDatabaseChanged'
.....

var response = CBL.removeDatabaseChangeListener(dbName);

if(response=='Success') {
     CBL.EventsListeners.removeAllListeners(JSListenerEvent);
     }
     else {
        console.log("ERROR: " + response);
     }

Params

  • dbName: Name of the Database as string.
  • JSListenerEvent: String name of the Javascript listener event.

Example Response

  • "Success"
  • "Database not found"
  • "Database listener not registered with database."
  • "Missing Arguments : Database Name"

Create Value Index


let indexExpressions = ['name', 'location'];
let indexName = "nameLocationIndex";

 var response = CouchbaseNativeModule.createValueIndex(dbName, indexName, indexExpressions);
        

Params

  • dbName: Name of the Database as string.
  • indexName: String name of index to be created.
  • indexExpressions: Array of Expressions of index to be created.

Example Response

  • "Success"
  • "Database not found"
  • "Missing Arguments : Database Name"
  • "Missing Arguments : Index Name"
  • "Missing Arguments : Index Expressions"

Create FTS Index


let indexExpressions = ['name', 'location'];
let indexName = "nameLocationIndex";
boolean ignoreAccents = true;
let language = "English";

 var response = CouchbaseNativeModule.createValueIndex(dbName, indexName, ignoreAccents, language, indexExpressions);
        

Params

  • dbName: Name of the Database as string.
  • indexName: String name of index to be created.
  • ignoreAccents (nullable) : Boolean value for ignoreAccents of index to be created.
  • language (nullable) : String language for index to be created.
  • indexExpressions: Array of Expressions of index to be created.

Example Response

  • "Success"
  • "Database not found"
  • "Missing Arguments : Database Name"
  • "Missing Arguments : Index Name"
  • "Missing Arguments : Index Expressions"

Delete Index


 let indexName = "nameLocationIndex";

 var response = CouchbaseNativeModule.deleteIndex(dbName, indexName);
        

Params

  • dbName: Name of the Database as string.
  • indexName: String name of index to be deleted.

Example Response

  • "Success"
  • "Database not found"
  • "Missing Arguments : Database Name"
  • "Missing Arguments : Index Name"

Enable Logging

let domain = "REPLICATOR"; // e.g for ALL_DOMAINS enter null }
let logLevel = "verbose";
 
var response = await CouchbaseNativeModule.enableLogging(domain,logLevel);

Params

  • domain: String value of log domain.
  • logLevel: String value of logLevel.

Example Response

  • "Success"
  • "Error"

Query


  let query = "{{QUERY_STRING}}"; //e.g "select * from users"

  CouchbaseNativeModule.query(dbName, query,function(rs) {
     console.log("Query result "+ rs.toString())
     }, function(error) { 
       console.log(error.toString())
       }););
        

Params

  • dbName: Name of the Database as string.
  • query: String query to be executed.
  • Error Callback: Asynchronously triggers when the function fails execution. Contains Error string as param, If there is an exception while execution the param will have the string exception.
  • Success Callback:Asynchronously triggers when the function succeeds execution. Contains string Response as param, If there is no exception while execution the param can contain one of the following responses.

Example Response

  • "[Query response]"
  • "Database not found"
  • "Missing Arguments : Database Name"
  • "Missing Arguments : Query"

Live Query


  let query = "{{QUERY_STRING}}"; //e.g "select * from users"
  let JSListenerEvent = "OnQueryChanged"

  let listenerAddResponse = await CouchbaseNativeModule.queryWithChangeListener(dbName, query, JSListenerEvent);

  if (listenerAddResponse == "Success") {
      CBL.EventsListeners.addListener(JsListener, function(response){
        conosole.log("Query Response : ", response);
      });  
  }


        

Params

  • dbName: Name of the Database as string.
  • query: String query to be executed.
  • JSListenerEvent: String name of the Javascript listener event.

Example Response

  • "Success"
  • "Database not found"
  • "Missing Arguments : Database Name"
  • "Missing Arguments : Query"

Example Response in eventResponse

  • {{"DATABASE_NAME}": {{DocumentJson}}}

Stop Live Query

  let query = "{{QUERY_STRING}}"; //e.g "select * from users"
  let JSListenerEvent = "OnQueryChanged"

  var stopQueryListener = await CouchbaseNativeModule.removeQueryChangeListener(dbname, query);

  if (stopQueryListener == "Success") {
      CBL.EventsListeners.removeAllListeners(stopQueryListener);
  }
        

Params

  • dbName: Name of the Database as string.
  • query: String query to be executed.

Example Response

  • "Success"
  • "Database not found"
  • "Query not found"
  • "Missing Arguments : Database Name"
  • "Missing Arguments : Query"

Create Replicator

    var config = {
            databaseName: "{{DATABASE_NAME}}",
            target: "{{STRING_URI}}", // e.g "ws://10.0.2.2:4984/",
            authenticator: {
                authType: "{{AUTH_TYPE}}", // e.g. "Basic"
                username: "{{AUTH_USERNAME}}", // e.g. "[email protected]"
                password: "{{AUTH_PASSWORD}}" // e.g. "examplePassword"
            }, //optional
            continuous: {{BOOLEAN}}, //optional
            headers: [{HEADER_ARRAY}], //optional
            channels: [{CHANNELS_LIST}], //optional
            documentIds: [{DOCUMENT_ID_LIST}], //optional
            acceptOnlySelfSignedServerCertificate: {{BOOLEAN}}, //optional
            pinnedServerCertificateUri: {{STRING_URI}}, //optional
            heartbeat:{{HEARTBEAT_INT}}, //optional
          
        }

  let ReplicatorID = await CouchbaseNativeModule.createReplicator(dbname, config);
  
  console.log("ReplicatorID", ReplicatorID);

        

Params

  • dbName: Name of the Database as string.
  • config: Configuration object for replicator.

Example Response

  • "{{REPLICATOR_ID}}"
  • "Database not found"
  • "Missing Arguments : Database Name"
  • "Missing Arguments : Config"

Start Replicator

  let startReplicatorResponse = await CouchbaseNativeModule.replicatorStart(dbname, ReplicatorID);
     
  console.log("Replicator Started", startReplicatorResponse)
        

Params

  • dbName: Name of the Database as string.
  • ReplicatorID: String ID of replicator, obtained from CreateReplicator function.

Example Response

  • "Success"
  • "Failed"
  • "Database not found"
  • "Replicator not found"
  • "Missing Arguments : Database Name"
  • "Missing Arguments : ReplicatorID"

Stop Replicator

  let stopReplicatorResponse = await CouchbaseNativeModule.replicatorStop(dbname, ReplicatorID);
     
  console.log("Replicator Stopped", stopReplicatorResponse)
    

Params

  • dbName: Name of the Database as string.
  • ReplicatorID: String ID of replicator, obtained from CreateReplicator function.

Example Response

  • "Success"
  • "Failed"
  • "Database not found"
  • "Replicator not found"
  • "Missing Arguments : Database Name"
  • "Missing Arguments : ReplicatorID"

Create Replicator Listener

  let JSListenerEvent = "OnReplicatorChanged"

  let ReplicatorListenerResponse = await CouchbaseNativeModule.replicationAddChangeListener(dbname, ReplicatorID, JSListenerEvent);
     
   if (ReplicatorListenerResponse == "Success") {
      CBL.EventsListeners.addListener(JSListenerEvent, function(response){
        conosole.log("Replicator Status Response : ", response);
      });  
  }
        

Params

  • dbName: Name of the Database as string.
  • ReplicatorID: String ID of replicator, obtained from CreateReplicator function.
  • JSListenerEvent: String name of the Javascript listener event.

Example Response

  • "Success"
  • "Database not found"
  • "Replicator not found"
  • "Missing Arguments : Database Name"
  • "Missing Arguments : ReplicatorID"
  • "Missing Arguments : JSListener"

Example Response in eventResponse

  • {"status": "{STATUS}", "completed":{COMPLETED_TASKS}, "total":{TOTAL_TASKS}}
  • {"status": "{STATUS}", "error":"{ERROR_MESSAGE}", "errorCode":"{ERROR_CODE}", "completed":{COMPLETED_TASKS}, "total":{TOTAL_TASKS}}

Remove Replicator Listener

  let JSListenerEvent = "OnReplicatorChanged"

  var stopReplicatorListener = await CouchbaseNativeModule.replicationRemoveChangeListener(dbname, ReplicatorID);

  if (stopReplicatorListener == "Success") {
      CBL.EventsListeners.removeAllListeners(JSListenerEvent);
  }
        

Params

  • dbName: Name of the Database as string.
  • ReplicatorID: String ID of replicator, obtained from CreateReplicator function.

Example Response

  • "Success"
  • "Database not found"
  • "Replicator not found"
  • "Missing Arguments : Database Name"
  • "Missing Arguments : ReplicatorID"

couchbase-lite-react-native-module's People

Contributors

linkitsoft avatar rajagp avatar biozal avatar

Recommend Projects

  • React photo React

    A declarative, efficient, and flexible JavaScript library for building user interfaces.

  • Vue.js photo Vue.js

    ๐Ÿ–– Vue.js is a progressive, incrementally-adoptable JavaScript framework for building UI on the web.

  • Typescript photo Typescript

    TypeScript is a superset of JavaScript that compiles to clean JavaScript output.

  • TensorFlow photo TensorFlow

    An Open Source Machine Learning Framework for Everyone

  • Django photo Django

    The Web framework for perfectionists with deadlines.

  • D3 photo D3

    Bring data to life with SVG, Canvas and HTML. ๐Ÿ“Š๐Ÿ“ˆ๐ŸŽ‰

Recommend Topics

  • javascript

    JavaScript (JS) is a lightweight interpreted programming language with first-class functions.

  • web

    Some thing interesting about web. New door for the world.

  • server

    A server is a program made to process requests and deliver data to clients.

  • Machine learning

    Machine learning is a way of modeling and interpreting data that allows a piece of software to respond intelligently.

  • Game

    Some thing interesting about game, make everyone happy.

Recommend Org

  • Facebook photo Facebook

    We are working to build community through open source technology. NB: members must have two-factor auth.

  • Microsoft photo Microsoft

    Open source projects and samples from Microsoft.

  • Google photo Google

    Google โค๏ธ Open Source for everyone.

  • D3 photo D3

    Data-Driven Documents codes.