5.4.3 • Published 3 years ago

coolboy-sdk v5.4.3

Weekly downloads
3
License
MIT
Repository
github
Last release
3 years ago

Getting started

Contains Search Patents, Image, PDF...

How to Build

The generated SDK relies on Node Package Manager (NPM) being available to resolve dependencies. If you don't already have NPM installed, please go ahead and follow instructions to install NPM from here. The SDK also requires Node to be installed. If Node isn't already installed, please install it from here

NPM is installed by default when Node is installed

To check if node and npm have been successfully installed, write the following commands in command prompt:

  • node --version
  • npm -version

Version Check

Now use npm to resolve all dependencies by running the following command in the root directory (of the SDK folder):

npm install

Resolve Dependencies

Resolve Dependencies

This will install all dependencies in the node_modules folder.

Once dependencies are resolved, you will need to move the folder CoolboySdk in to your node_modules folder.

How to Use

The following section explains how to use the library in a new project.

1. Open Project Folder

Open an IDE/Text Editor for JavaScript like Sublime Text. The basic workflow presented here is also applicable if you prefer using a different editor or IDE.

Click on File and select Open Folder.

Open Folder

Select the folder of your SDK and click on Select Folder to open it up in Sublime Text. The folder will become visible in the bar on the left.

Open Project

2. Creating a Test File

Now right click on the folder name and select the New File option to create a new test file. Save it as index.js Now import the generated NodeJS library using the following lines of code:

var lib = require('lib');

Save changes.

Create new file

Save new file

3. Running The Test File

To run the index.js file, open up the command prompt and navigate to the Path where the SDK folder resides. Type the following command to run the file:

node index.js

Run file

How to Test

These tests use Mocha framework for testing, coupled with Chai for assertions. These dependencies need to be installed for tests to run. Tests can be run in a number of ways:

Method 1 (Run all tests)

  1. Navigate to the root directory of the SDK folder from command prompt.
  2. Type mocha --recursive to run all the tests.

Method 2 (Run all tests)

  1. Navigate to the ../test/Controllers/ directory from command prompt.
  2. Type mocha * to run all the tests.

Method 3 (Run specific controller's tests)

  1. Navigate to the ../test/Controllers/ directory from command prompt.
  2. Type mocha Patentcloud Data API ServiceController to run all the tests in that controller file.

To increase mocha's default timeout, you can change the TEST_TIMEOUT parameter's value in TestBootstrap.js.

Run Tests

Initialization

Authentication

In order to setup authentication in the API client, you need the following information.

ParameterDescription
oAuthClientIdOAuth 2 Client ID
oAuthClientSecretOAuth 2 Client Secret
oAuthUsernameOAuth 2 Resource Owner Username
oAuthPasswordOAuth 2 Resource Owner Password

API client can be initialized as following:

const lib = require('lib');

// Configuration parameters and credentials
lib.Configuration.oAuthClientId = "oAuthClientId"; // OAuth 2 Client ID
lib.Configuration.oAuthClientSecret = "oAuthClientSecret"; // OAuth 2 Client Secret
lib.Configuration.oAuthUsername = "oAuthUsername"; // OAuth 2 Resource Owner Username
lib.Configuration.oAuthPassword = "oAuthPassword"; // OAuth 2 Resource Owner Password

You must now authorize the client.

Authorizing your client

Your application must obtain user authorization before it can execute an endpoint call. This SDK uses OAuth 2.0 authorization to authorize the client.

The authorize() method will exchange the user's credentials for an access token. The access token is an object containing information for authorizing client requests and refreshing the token itself.

You must pass the scopes for which you need permission to access.

const tokenPromise = oAuthManager.authorize([lib.OAuthScopeEnum.CLIENT]);

The Node.js SDK supports both callbacks and promises. So, the authorize call returns a promise and also returns response back in the callback (if one is provided)

The client can now make authorized endpoint calls.

Scopes

Scopes enable your application to only request access to the resources it needs while enabling users to control the amount of access they grant to your application. Available scopes are defined in the lib/Models/OAuthScopeEnum enumeration.

Scope NameDescription
CLIENTaccess data api

Refreshing token

Access tokens may expire after sometime. To extend its lifetime, you must refresh the token.

const refreshPromise = oAuthManager.refreshToken();
refreshPromise.then(() => {
    // token has been refreshed
} , (exception) => {
    // error occurred, exception will be of type lib/Exceptions/OAuthProviderException
});

If a token expires, the SDK will attempt to automatically refresh the token before the next endpoint call which requires authentication.

Storing an access token for reuse

It is recommended that you store the access token for reuse.

This code snippet stores the access token in a session for an express application. It uses the cookie-parser and cookie-session npm packages for storing the access token.

const express = require('express');
const cookieParser = require('cookie-parser');
const cookieSession = require('cookie-session');

const app = express();
app.use(cookieParser());
app.use(cookieSession({
  name: 'session',
  keys: ['key1']
}));

const lib = require('lib');
...
// store token in the session
req.session.token = lib.Configuration.oAuthToken;

However, since the the SDK will attempt to automatically refresh the token when it expires, it is recommended that you register a token update callback to detect any change to the access token.

lib.Configuration.oAuthTokenUpdateCallback = function(token) {
    // getting the updated token
    req.session.token = token;
}

The token update callback will be fired upon authorization as well as token refresh.

Creating a client from a stored token

To authorize a client from a stored access token, just set the access token in Configuration along with the other configuration parameters before making endpoint calls:

const express = require('express');
const cookieParser = require('cookie-parser');
const cookieSession = require('cookie-session');

const app = express();
app.use(cookieParser());
app.use(cookieSession({
  name: 'session',
  keys: ['key1']
}));

const lib = require('lib');

app.get('/', (req, res) => {
    lib.Configuration.oAuthToken = req.session.token; // the access token stored in the session
});

Complete example

In this example, app.js will check if the access token has been set in the SDK. If it has been, API calls can be made. Otherwise, client has to be authorized first before calling the API.
This example makes use of node-localstorage for handling data persistence.

app.js

const lib = require('lib');
const oAuthManager = lib.OAuthManager;
const LocalStorage = require('node-localstorage').LocalStorage;
const localStorage = new LocalStorage('./scratch');

lib.Configuration.oAuthClientId = 'oAuthClientId'; // OAuth 2 Client ID
lib.Configuration.oAuthClientSecret = 'oAuthClientSecret'; // OAuth 2 Client Secret
lib.Configuration.oAuthUsername = 'oAuthUsername'; // OAuth 2 Resource Owner Username
lib.Configuration.oAuthPassword = 'oAuthPassword'; // OAuth 2 Resource Owner Password

const storedToken = localStorage.getItem('token');
if (storedToken !== null && storedToken !== undefined) {
    lib.Configuration.oAuthToken = storedToken;
}
lib.Configuration.oAuthTokenUpdateCallback = function(token) {
    // token is the updated access_token
    localStorage.setItem('token', token);
};

if (oAuthManager.isTokenSet()) {
    // now make API calls as required
} else {
    const scopes = [lib.OAuthScopeEnum.CLIENT];
    const promise = oAuthManager.authorize(scopes);
    promise.then((success) => {
        // client authorized. API calls can be made
    }, (exception) => {
        // error occurred, exception will be of type lib/Exceptions/OAuthProviderException
    });
}

Class Reference

List of Controllers

Class: QueryController

Get singleton instance

The singleton instance of the QueryController class can be accessed from the API Client.

var controller = lib.QueryController;

Method: createCurrentAssigneeUsingPOST

currentAssignee

function createCurrentAssigneeUsingPOST(q, version, callback)

Parameters

ParameterTagsDescription
qRequired Collectionq
versionRequiredversion

Example Usage

    var q = ['q'];
    var version = 'version';

    controller.createCurrentAssigneeUsingPOST(q, version, function(error, response, context) {

    
    });

Errors

Error CodeError Description
401Unauthorized
403Forbidden
404Not Found

Back to List of Controllers

Class: ReportController

Get singleton instance

The singleton instance of the ReportController class can be accessed from the API Client.

var controller = lib.ReportController;

Method: createUsingPOST

create

function createUsingPOST(q, version, lang, reportTitle, type, callback)

Parameters

ParameterTagsDescription
qRequired Collectionq
versionRequiredversion
langOptional DefaultValuelang
reportTitleOptionalreportTitle
typeOptional DefaultValuetype

Example Usage

    var q = ['q'];
    var version = 'version';
    var lang = 'lang';
    var reportTitle = 'reportTitle';
    var type = 'type';

    controller.createUsingPOST(q, version, lang, reportTitle, type, function(error, response, context) {

    
    });

Errors

Error CodeError Description
401Unauthorized
403Forbidden
404Not Found

Method: createStatusUsingPOST

status

function createStatusUsingPOST(tid, version, callback)

Parameters

ParameterTagsDescription
tidRequiredtid
versionRequiredversion

Example Usage

    var tid = 'tid';
    var version = 'version';

    controller.createStatusUsingPOST(tid, version, function(error, response, context) {

    
    });

Errors

Error CodeError Description
401Unauthorized
403Forbidden
404Not Found

Back to List of Controllers

Class: WsChartController

Get singleton instance

The singleton instance of the WsChartController class can be accessed from the API Client.

var controller = lib.WsChartController;

Method: createCurrentAssigneeUsingPOST1

currentAssignee

function createCurrentAssigneeUsingPOST1(q, version, xfl, yfl, callback)

Parameters

ParameterTagsDescription
qRequired Collectionq
versionRequiredversion
xflRequiredxfl
yflOptionalyfl

Example Usage

    var q = ['q'];
    var version = 'version';
    var xfl = 'xfl';
    var yfl = 'yfl';

    controller.createCurrentAssigneeUsingPOST1(q, version, xfl, yfl, function(error, response, context) {

    
    });

Errors

Error CodeError Description
401Unauthorized
403Forbidden
404Not Found

Back to List of Controllers