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

@fairfleet/geotab

v2.3.0

Published

An unofficial Geotab API client written in TypeScript

Downloads

84

Readme

@fairfleet/geotab

Codecov npm npm bundle size

An unofficial Geotab API client written in TypeScript.

Installation

npm i @fairfleet/geotab

yarn i @fairfleet/geotab

pnpm i @fairfleet/geotab

Quick Start

Obtaining an instance of the Geotab client the function createGeotab should be called. Options can be supplied to determine the API url, credentials, call buffer options, and etc.

import { geotab } from "@fairfleet/geotab";

// Create un-authenticated Geotab client.
const geotab = createGeotab();

Authentication

In the pursuit of small bundle sizes and reduced complexity the Geotab client does not allow mutation of the internal state to track the users' session Credentials.

You must supply the Credentials when constructing the Geotab via GeotabOptions parameter in createGeotab. The Credentials can be extracted from the LoginResult returned by Geotab.authenticate as shown below.

import { createGeotab } from "@fairfleet/geotab";

// Construct a {@link Geotab} client with the default options.
const unAuthenticatedClient = createGeotab();

// Calls the Geotab `Authenticate` JSON-RPC method.
const { credentials } = await unAuthenticatedClient.authenticate(
  process.env.USERNAME,
  process.env.PASSWORD
);

// Construct a {@link Geotab} client with the credentials returned from the `Authenticate` JSON-RPC
// call.
const authenticatedClient = createGeotab({ credentials });

Get

The functions Geotab.get and Geotab.getFeed can be used to get data from the Geotab API.

The first parameter of these functions typeName is a string that determine which type of data will be returned. The second parameter search is used to define the search criteria when fetching data. Typescript magic is used to derive which search type should be used for which type with the given typeName.

import { Geotab, DriverChange } from "@fairfleet/geotab";

/**
 * Gets the latest {@link DriverChange} for the given driver.  If a driver change doesn't exist the
 * value `null` is returned.
 */
export function getLatestDriverChangeForDriver(
  geotab: Geotab,
  driverId: string
): Promise<DriverChange | null> {
  return geotab
    .get("DriverChange", {
      driverSearch: { id: driverId },
      includeOverlappedChanges: true,
    })
    .then((changes) => changes[0] ?? null);
}

GetFeed

Geotab provides a method for getting data updates in a more resource efficient manner accessible via the Geotab.getFeed function. While the behavior might change depending on the type the basic concept is the same.

The Geotab.getFeed function takes a nullable fromVersion parameter and the returned object contains an array of results and a toVersion value. Each getFeed call supplied with the last toVersion will return only the new and or update records. The first call to getFeed should apply the search criteria for the duration of the feed, although this doesn't always mean that existing records matching the given criteria will be returned on the first call.

Details on the differences in behavior between types are described in detail on the Data Feed page in the official Geotab SDK documentation.

import { Geotab, DriverChange } from "@fairfleet/geotab";

type OnDriverChange = (driverChange: DriverChange) => void;

/**
 * Polls the `DriverChange` data feed every 10 seconds calling the `onDriverChange` function each
 * time a new {@link DriverChange} record is found for the user.
 *
 * @param geotab - The {@link Geotab} client.
 * @param userId - The id of the user to check driver changes for.
 * @param onDriverChange - The function called when a new {@link DriverChange} is found.
 */
function watchDriverChanges(geotab: Geotab, userId: string, onDriverChange: OnDriverChange) {
  let fromVersion: string | undefined;

  return setInterval(async () => {
    const search = { driverSearch: { id: userId } };
    const result = await geotab.getFeed("DriverChange", search, fromVersion);

    for (const change of result.data) {
      onDriverChange(change);
    }

    fromVersion = result.toVersion;
  }, 10_000);
}

Mutations

Data mutation functions are similar to the Geotab.get and Geotab.getFeed functions in which they require a typeName parameter to be supplied. The key differences are the second parameter which is typically a entity rather than search criteria.

Functions provided by Geotab are as follows:

  • Geotab.set Updates an existing entity using the id field provided by the entity parameter.
  • Geotab.add Adds a new entity with the details provided by the entity parameter and returns the id of the newly added entity.
  • [Geotab.remove] Removes the entity matching the id provided by the entity parameter.

It should be noted call buffering by default does not apply to methods that mutate data.

Buffering

The Geotab API provides a method called ExecuteMultiCall which provides the ability to execute many JSON-RPC calls with one HTTP request. To reduce traffic the Geotab client will buffer certain calls with a configurable maximum limit of calls and for a configurable duration.

The call buffer is configurable during initialization of the Geotab client using the following fields.

  • queueBufferTime The time in milliseconds to wait for requests before flushing the queue.
    • Defaults to 1500.
  • queueMaxSize The maximum number of entries that can be queued before a flush is triggered.
    • Defaults to 100.
    • Setting this value to 0 effectively disables call buffering as the queue will be flushed for every call.
  • queueMethods The JSON-RPC methods names that should be queued.
    • Defaults to ["Get", "GetAddresses", "GetCountOf", "GetFeed", "GetVersion", "GetVersionInformation"].
    • The default containing only side-effect free calls is intentional and recommended by Geotab.

An example of how the queue can be utilized can be seen below:

import { Geotab } from "@fairfleet/geotab";

function getTwoUsersInParallel(geotab: Geotab, user1Id: string, user2Id: string) {
  // The call to `get` will push the JSON-RPC `Get` call to the call buffer and start a count down.
  // While this count down is running more requests can be added to the buffer.
  const user1Promise = geotab.get("User", { id: user1Id });
  // Now we add another request to the call buffer.
  const user2Promise = geotab.get("User", { id: user2Id });

  // With two calls in the buffer if we await the returned promises the count down will complete and
  // the call queue will be flushed sending both requests as a single `ExecuteMultiCall`.
  //
  // A single `POST /apiv1 HTTP/1.1` request will be sent to the Geotab API.
  return await Promise.all([user1Promise, user2Promise]);
}

Tidbits

KnownIds

Geotab uses quite a few constant strings defined here as KnownId and KnownUnitOfMeasure. Using these values in your frontend bundle should be done with care as it can increase your bundle size for little reason.

Where do the Geotab types come from?

Geotab provides a Nuget package Geotab.Checkmate.ObjectModel. A tool written in C# called CaroKann uses Reinforced.Typings to extract the types defined in the Geotab C# SDK and convert them to Typescript type definitions.