npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2024 – Pkg Stats / Ryan Hefner

@primno/dataverse-client

v0.10.0

Published

Dataverse / Dynamics 365 CE (on-premises) client for Node.JS. Use @primno/dataverse-auth to authenticate using a connection string or OAuth 2.0.

Downloads

75

Readme

Dataverse Client for Node.JS

npm npm build node-current

dataverse-client is library for Node.JS to make WebAPI requests to Dataverse and Dynamics 365 CE (on-premises).

dataverse-client provides a Query builder to build OData queries.

Works with a token provider. Use @primno/dataverse-auth to authenticate with a Connection String or OAuth2.

This package is part of the Primno framework.

Compatibility

dataverse-client works with Dataverse (Dynamics 365 Online) and Dynamics 365 CE (on-premises).

Quick start

Installation

  npm install @primno/dataverse-client @primno/dataverse-auth

Usage

With a connection string:

import { DataverseClient } from '@primno/dataverse-client';
import { ConnStringTokenProvider } from '@primno/dataverse-auth';

const tokenProvider = new ConnStringTokenProvider(
    "AuthType=OAuth;Url=https://<Environnement>.crm.dynamics.com;UserName=<UserName>;TokenCacheStorePath=./.cache/token.json",
    {
        oAuth: {
            // For device code flow
            deviceCodeCallback: (deviceCode) => {
                console.log(deviceCode.message);
            }
        }
     }
);

const client = new DataverseClient(tokenProvider);

const accounts = await client.retrieveMultipleRecords("accounts", { top: 10 });
console.log(accounts);

With OAuth:

import { DataverseClient } from '@primno/dataverse-client';
import { OAuthTokenProvider } from '@primno/dataverse-auth';

const tokenProvider = new OAuthTokenProvider({
    url: "https://<Environment>.crm.dynamics.com",
    credentials: {
        clientId: "51f81489-12ee-4a9e-aaae-a2591f45987d", // Sample client id
        redirectUri: "app://58145B91-0C36-4500-8554-080854F2AC97", // Sample redirect uri
        authorityUrl: "https://login.microsoftonline.com/common",
        scope: "https://<Environment>.crm.dynamics.com/.default",
        grantType: "device_code",
        userName: "<Username>"
    },
    persistence: {
        enabled: false
    },
    deviceCodeCallback: (deviceCode) => {
        console.log(deviceCode.message);
    }
});

const client = new DataverseClient(tokenProvider);

const accounts = await client.retrieveMultipleRecords("accounts", { top: 10 });
console.log(accounts);

Authentication

@primno/dataverse-client needs a token provider to authenticate with Dataverse. Use @primno/dataverse-auth to authenticate with a Connection String or OAuth2.

You can also use your own token provider by implementing the TokenProvider interface.

To learn more about available authentication methods, see the @primno/dataverse-auth documentation.

Queries

The following methods are available to query Dataverse:

  • retrieveMultipleRecords: Retrieves a set of records.
  • retrieveRecord: Retrieves a single record by its id.
  • createRecord: Creates a record.
  • updateRecord: Updates a record by its id.
  • deleteRecord: Deletes a record by its id.
  • executeAction: Executes an action.

Retrieve can be done by providing a RetrieveMultipleOptions object or a raw query string.

Note: The name of the entity must be the entity set name (plural).

Examples

  1. Retrieves first 10 accounts.

    interface Account {
        name: string;
        emailaddress1: string;
    }
    
    const accounts = await client.retrieveMultipleRecords<Account>(
        "accounts",
        {
            top: 10,
            select: ["name", "emailaddress1"],
            orders: [{ attribute: "name", order: "asc" }]
        }
    );
  2. Create a contact.

    const contact = await client.createRecord("contacts", {
        firstname: "Sophie", lastname: "Germain"
    });
  3. Delete a account.

    await client.deleteRecord("accounts", "00000000-0000-0000-0000-000000000000");
  4. Retrieves a contact by its id.

    const contact = await client.retrieveRecord("contacts", "00000000-0000-0000-0000-000000000000", { select: ["firstname"] });
  5. Retrieves actives opportunities using a custom query option string.

    const opportunities = await d365Client.retrieveMultipleRecords("opportunities", "?$select=name,$filter=state eq 0");
  6. Retrieves all contacts using OData pagination. The page size is set to 50. The nextLink attribute is used to get the next page.

    const contacts = []; // Will contain all contacts.
    
    let options: RetrieveMultipleOptions | undefined = {
        select: ["firstname", "lastname"]
    };
    
    let result: EntityCollection;
    
    do {
        result = await client.retrieveMultipleRecords("contacts", options, 50 /* Page Size = 50 */);
        contacts.push(...result.entities);
        options = result.nextLink;
    } while(result.nextLink);
    
    console.log(contacts);
  7. Retrieves contacts created this month.

    const contacts = await client.retrieveMultipleRecords("accounts", {
        select: ["name"],
        filters: [{ conditions: [{ attribute: "createdon", operator: "ThisMonth" }] }]
    });

Troubleshooting

Unable to verify the first certificate

On on-premises environments, you may have this error :

Error: unable to verify the first certificate

To fix this issue, you can add your enterprise CA certificate to the trusted root certificate authorities by setting the NODE_EXTRA_CA_CERTS environment variable. See Node.js documentation for more information.

Credits

Thanks to HSO for query options.