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 🙏

© 2026 – Pkg Stats / Ryan Hefner

@nmi-agro/rvo-connector

v2.2.3

Published

A client to connect to RVO webservices for agricultural information.

Readme

@nmi-agro/rvo-connector

GitHub License npm version CI GitHub top language Ask DeepWiki Quality Gate Status Security Rating Coverage Maintainability Rating Reliability Rating

A TypeScript client library for connecting to RVO (Rijksdienst voor Ondernemend Nederland) webservices to exchange agricultural data. This package simplifies the process of making API calls for services like OpvragenBedrijfspercelen using either ABA (username/password) or TVS (OAuth2/eHerkenning) authentication.

Disclaimer

This package is not officially supported by RVO. It is developed and maintained by the Nutriënten Management Instituut (NMI) to facilitate easier integration with RVO webservices for the agricultural sector.

Prerequisites

Before using this package, ensure you have completed the following steps with RVO:

  1. Account & Connection: Contact RVO to register your organization and request access to the webservices (e.g., EDI-Crop).
  2. PKIoverheid Certificate: You must possess a valid PKIoverheid (PKIO) certificate for authentication, especially when using the TVS (eHerkenning) flow or signing requests.
  3. Official Documentation: For detailed specifications, business rules, and connection procedures, refer to the official RVO documentation:
  4. IP Whitelisting: Connections to RVO webservices are typically restricted to whitelisted IP addresses. Ensure your public IP address (or the IP address of your server/hosting environment) is registered and whitelisted with RVO. This means that testing and production environments must use whitelisted IPs to establish a connection.

Features

  • Authentication Support:
    • ABA: Direct username/password authentication.
    • TVS (OAuth2): Full support for eHerkenning flows, including generating authorization URLs and exchanging codes for tokens.
  • Service Support:
    • OpvragenBedrijfspercelen: Retrieve registered Bedrijfspercelen.
    • OpvragenRegelingspercelenMest: Retrieve Regelingspercelen Mest.
    • OpvragenRegelingspercelenGLB: Retrieve Regelingspercelen nGLB (BISS/ECO).
  • Environment Handling: Built-in support for acceptance and production environments with automatic endpoint selection.
  • Type Safety: Written in TypeScript with full type definitions.
  • SOAP Integration: Automates XML request building and response parsing for RVO's SOAP services.
  • GeoJSON Output: Optionally convert responses to standardized GeoJSON format (WGS84) for easy mapping and spatial analysis.

Authentication Methods: ABA vs. TVS

This library supports two authentication methods for connecting to RVO webservices: ABA and TVS. Each method serves a different primary use case, and understanding these differences is key to choosing the right one for your application.

ABA

  • What it is: A legacy authentication method using a simple username and password.
  • Primary Use Case: ABA is best suited for automated, non-interactive (server-to-server) data exchange. This is ideal for background processes where your application needs to retrieve data on behalf of a farmer who has pre-authorized your service.
  • Authorization: To use ABA, the farmer must first grant your organization a specific authorization (machtiging) for the required services directly within the Mijn RVO portal. Without this manual, one-time setup by the farmer, your application cannot access their data.

TVS

  • What it is: The modern, secure authentication standard based on eHerkenning and the OAuth2.0 protocol, secured with PKIoverheid certificates.
  • Primary Use Case: TVS is more suitable for interactive applications where the farmer is present and logs in to initiate a data exchange.
  • Authorization: The key advantage of TVS is that it simplifies authorization. By logging in with their eHerkenning credentials, the farmer provides on-the-spot consent for your application to access their data for that session. This removes the need for them to pre-arrange a machtiging in a separate portal, making the user experience smoother.

Installation

npm install @nmi-agro/rvo-connector
# or
pnpm add @nmi-agro/rvo-connector
# or
yarn add @nmi-agro/rvo-connector

Usage

1. Initialization

First, instantiate the RvoClient. You must provide the environment. The clientName will be used for both the Issuer and Sender in SOAP requests. If using TVS mode (default), provide the clientId within the tvs configuration.

import { RvoClient } from "@nmi-agro/rvo-connector"

const client = new RvoClient({
  // 'acceptance' (default) or 'production'
  environment: "acceptance",

  // Name of your organization (used in SOAP Issuer/Sender)
  clientName: "YOUR_CLIENT_NAME",

  // Configure Authentication Modes
  authMode: "TVS", // 'TVS' (default) or 'ABA'

  // TVS Configuration (if using TVS)
  tvs: {
    clientId: "YOUR_CLIENT_ID", // e.g. OIN or KVK
    redirectUri: "https://your-app.com/callback",
    pkioPrivateKey: "YOUR_PKIO_PRIVATE_KEY_CONTENT",
  },

  // ABA Configuration (if using ABA)
  aba: {
    username: "YOUR_ABA_USERNAME",
    password: "YOUR_ABA_PASSWORD",
  },
})

2. Authentication (TVS Only)

For TVS (eHerkenning), you need to handle the OAuth2 flow.

Step A: Get the Authorization URL

Redirect the user to the URL generated by getAuthorizationUrl. This method automatically constructs the correct scope based on the environment and the requested service.

// Optional: Pass a 'state' for CSRF protection
const authUrl = client.getAuthorizationUrl({
  state: "unique-state-string",
  services: ["opvragenBedrijfspercelen"], // or multiple: ["opvragenBedrijfspercelen", "opvragenRegelingspercelenMest"]
})

console.log("Redirect user to:", authUrl)

Step B: Exchange Code for Token

After the user logs in with eHerkenning, they are redirected back to your application with a code. Exchange this for an access token.

const code = "code-from-redirect-query-param"

try {
  const tokenResponse = await client.exchangeAuthCode(code)
  console.log("Access Token:", tokenResponse.access_token)

  // The client automatically sets the access token internally,
  // but you can also manage it manually:
  // client.setAccessToken(tokenResponse.access_token);
} catch (error) {
  console.error("Authentication failed:", error)
}

3. Fetching Data

Fetch data from RVO services. The client handles the SOAP envelope, security headers, and XML parsing.

OpvragenBedrijfspercelen

Retrieve registered Bedrijfspercelen.

try {
  // Example 1: Get raw XML response (default)
  const result = await client.opvragenBedrijfspercelen({
    farmId: "KVK_NUMBER",
    periodBeginDate: "2024-01-01",
    periodEndDate: "2025-01-01",
  })
  console.log("Raw XML Data:", result)

  // Example 2: Get as GeoJSON (reprojected to WGS84)
  const geoJsonResult = await client.opvragenBedrijfspercelen({
    farmId: "KVK_NUMBER",
    outputFormat: "geojson",
    // Optional: when true, adds a descriptiveValues object with labels and booleans (only for GeoJSON)
    enrichResponse: true,
  })
  console.log("GeoJSON Data:", geoJsonResult)
} catch (error) {
  console.error("Error fetching Bedrijfspercelen:", error)
}

OpvragenRegelingspercelenMest

Retrieve Regelingspercelen Mest. This service supports filtering by mutation date and handling mandated representatives.

try {
  const mestResult = await client.opvragenRegelingspercelenMest({
    farmId: "KVK_NUMBER",
    outputFormat: "geojson",
    // Optional: when true, adds a descriptiveValues object with labels and booleans (only for GeoJSON)
    enrichResponse: true,
    // Optional: Only fetch fields mutated after a certain date
    mutationStartDate: "2024-01-01 00:00:00",
    // Optional: If calling on behalf of another party via PKIO
    mandatedRepresentative: "AUTHORIZED_KVK",
  })
  console.log("Regelingspercelen Mest GeoJSON Data:", mestResult)
} catch (error) {
  console.error("Error fetching Regelingspercelen Mest:", error)
}

OpvragenRegelingspercelenGLB

Retrieve Regelingspercelen nGLB (BISS/ECO). This service includes detailed information about GLB schemes, tasks, and treatment zones.

try {
  const glbResult = await client.opvragenRegelingspercelenGLB({
    farmId: "KVK_NUMBER",
    outputFormat: "geojson",
    enrichResponse: true,
    // Optional: fetch fields for a specific period
    periodBeginDate: "2024-01-01",
    periodEndDate: "2025-01-01",
  })
  console.log("Regelingspercelen GLB GeoJSON Data:", glbResult)
} catch (error) {
  console.error("Error fetching Regelingspercelen GLB:", error)
}

ABA Authentication

If using ABA, simply configure the aba options and set authMode: 'ABA'. The client will automatically include the UsernameToken in the SOAP header. No manual token exchange is required.

const abaClient = new RvoClient({
  authMode: "ABA",
  environment: "production",
  clientName: "YOUR_CLIENT_NAME",
  aba: {
    username: "user",
    password: "password"
  }
});

// Ready to call immediately
await abaClient.opvragenBedrijfspercelen({ ... });

Examples

This project includes example scripts to demonstrate how to connect to RVO services using both ABA and TVS authentication.

Running Examples

  1. Ensure you have configured your .env file as described in the "Development & Testing" section.

  2. Run the example scripts using tsx:

    ABA Authentication (Username/Password):

    npx tsx examples/request-bedrijfspercelen-aba.ts

    TVS Authentication (eHerkenning/OAuth2):

    npx tsx examples/request-bedrijfspercelen-tvs.ts

    TVS Authentication (Regelingspercelen Mest):

    npx tsx examples/request-regelingspercelen-mest-tvs.ts

    TVS Authentication (Regelingspercelen GLB):

    npx tsx examples/request-regelingspercelen-glb-tvs.ts

    Note: These scripts save the service response (JSON or raw XML) to the gitignored temp/ directory.

Configuration Options

| Option | Type | Description | | ------------ | ------------------ | ------------------------------------------------------------------------------------------------------------------------------------ | | authMode | 'TVS' \| 'ABA' | Authentication method. Defaults to 'TVS'. | | clientId | string | Deprecated (use tvs.clientId instead). Your organization's Client ID (e.g., OIN or KvK). Only kept for backward compatibility. | | clientName | string | Required. Your organization's name, used for Issuer and Sender in SOAP. | | tvs | RvoAuthTvsConfig | Required if authMode is 'TVS'. | | aba | RvoAuthAbaConfig | Required if authMode is 'ABA'. |

Method Options: opvragenBedrijfspercelen

| Option | Type | Description | | ----------------- | -------------------- | ----------------------------------------------------------------------------------------------------------------------------------- | | farmId | string | Optional. KvK/BSN to query. | | periodBeginDate | string | Start date (YYYY-MM-DD). | | periodEndDate | string | End date (YYYY-MM-DD). | | outputFormat | 'xml' \| 'geojson' | Defaults to 'xml'. Set to 'geojson' for FeatureCollection output (always WGS84 / EPSG:4326). | | enrichResponse | boolean | Optional. Adds descriptiveValues with boolean mappings and human-readable labels. Only available for geojson output format. |

Method Options: opvragenRegelingspercelenGLB

Same options as opvragenRegelingspercelenMest.

Method Options: opvragenRegelingspercelenMest

| Option | Type | Description | | ------------------------ | -------------------- | ----------------------------------------------------------------------------------------------------------------------------------- | | farmId | string | Optional. KvK/BSN to query. | | periodBeginDate | string | Start date (YYYY-MM-DD). | | periodEndDate | string | End date (YYYY-MM-DD). | | mutationStartDate | string | Optional. Only fetch fields mutated after this date (YYYY-MM-DD HH:mm:ss). | | mandatedRepresentative | string | Optional. KVK of the mandated party (used with PKIO). | | outputFormat | 'xml' \| 'geojson' | Defaults to 'xml'. Set to 'geojson' for FeatureCollection output (always WGS84 / EPSG:4326). | | enrichResponse | boolean | Optional. Adds descriptiveValues with boolean mappings and human-readable labels. Only available for geojson output format. |

Development & Testing

To run the tests locally, you need to configure your environment variables.

  1. Copy the example environment file:

    cp .env.example .env
  2. Fill in the .env file with your credentials:

    # Authentication Settings (Required for running tests)
    ABA_USERNAME=your_aba_username
    ABA_PASSWORD=your_aba_password
    CLIENT_ID=your_client_id
    CLIENT_NAME=your_client_name
    REDIRECT_URI=https://your-app.com/callback
    PKIO_PRIVATE_KEY=your_pkio_private_key_content
    • ABA_USERNAME: Username for ABA authentication.
    • ABA_PASSWORD: Password for ABA authentication.
    • CLIENT_ID: Your Client ID / OIN.
    • CLIENT_NAME: Your Client Name (for SOAP Issuer/Sender).
    • REDIRECT_URI: The redirect URI registered for your eHerkenning service.
    • PKIO_PRIVATE_KEY: The private key from your PKIoverheid certificate (PKIo-certificaat). Must be the raw key string (PEM format).
  3. Run the tests:

    pnpm test

License

MIT