Piwik PRO Library for Next.js

Dedicated Piwik PRO library that helps with implementing Piwik PRO Tag Manager and the Piwik PRO tracking client in Next.js applications.

Installation

To use this package in your project, run the following command.

npm

npm install @piwikpro/next-piwik-pro

Yarn

yarn add @piwikpro/next-piwik-pro

Basic setup

In your Next.js Project, include the default PiwikProProvider in the layout.tsx file. To set up the Piwik PRO Tag Manager container in the app.

In the arguments, pass your container id and your container url as parameters (marked container-id and container-url in the example below).

layout.tsx

'use client'

import PiwikProProvider from '@piwikpro/next-piwik-pro'

export default function RootLayout({ children }: {
  children: React.ReactNode
}) {
  return (
    <html lang="en">
      <body>
        <PiwikProProvider
          containerId="container-id"
          containerUrl="container-url"
        >
          {children}
        </PiwikProProvider>
      </body>
    </html>
  )
}

Setup with environmental variables

If you plan to use environmental variables to config your Piwik account you can do it with adding them to your .env file. Remember that variables to be visible in component need to be named with NEXT_PUBLIC_ prefix, in other cases they will be visible only in Node context but not in Next.

.env

NEXT_PUBLIC_CONTAINER_ID=0a0b8661-8c10-4d59-e8fg-1h926ijkl184
NEXT_PUBLIC_CONTAINER_URL=https://example.piwik.pro

layout.tsx

'use client'

import PiwikProProvider from '@piwikpro/next-piwik-pro'

export default function RootLayout({ children }: {
  children: React.ReactNode
}) {
  return (
    <html lang="en">
      <body>
        <PiwikProProvider
          containerUrl={process.env.NEXT_PUBLIC_CONTAINER_URL}
          containerId={process.env.NEXT_PUBLIC_CONTAINER_ID}
        >
          {children}
        </PiwikProProvider>
      </body>
    </html>
  )
}
> Previously, we used 'accountName' to configure PiwikProProvider. The parameter has now been replaced by 'container-url'. The 'accountName' parameter is deprecated and will be removed in the future.

Setup with nonce

The nonce attribute is useful to allow-list specific elements, such as a particular inline script or style elements. It can help you to avoid using the CSP unsafe-inline directive, which would allow-list all inline scripts or styles.

If you want your nonce to be passed to the script, pass it as the third argument when calling the script initialization method.

layout.tsx

'use client'

import PiwikProProvider from '@piwikpro/next-piwik-pro'

export default function RootLayout({ children }: {
  children: React.ReactNode
}) {
  return (
    <html lang="en">
      <body>
        <PiwikProProvider
          containerId="container-id"
          containerUrl="container-url"
          nonce="nonce-string"
        >
          {children}
        </PiwikProProvider>
      </body>
    </html>
  )
}

Supported methods list and usage

To use methods in your page you need to include usePiwikPro from the library.

import { usePiwikPro } from '@piwikpro/next-piwik-pro'

Then you need to define modules you want to use and initialize it from previously included usePiwikPro context. In example below you can see the initialization of the PageViews module.

const { PageViews } = usePiwikPro()

You can use those methods in all hooks and props for ex. useEffect or onClick.

useEffect

useEffect(() => {
  PageViews.trackPageView('optional title')
}, [])

onClick

<button
  onClick={() => {
    CustomEvent.trackEvent('Post', pageData.title)
  }}
>
  CustomEvent.trackEvent button
</button>

Below you can view the sample usage of the avialable methods from modules.

Analytics

Send page views and virtual page views

const { PageViews } = usePiwikPro()

PageViews.trackPageView('optional title')

User management

Collection of methods to handle users and visitors data through the Piwik PRO API.

Methods
  • UserManagement.setUserId(userID) - Sets user ID, which will help identify a user of your application across many devices and browsers.
    • userID (string) – Required Non-empty, unique ID of a user in application
  • UserManagement.resetUserId() - Clears previously set userID, e.g. when visitor logs out.
  • UserManagement.getUserId() - Returns currently used userID value (set with setUserId()).
  • UserManagement.getVisitorId() - Returns 16-character hex ID of the visitor.
  • UserManagement.getVisitorInfo() - Returns visitor information. Return type string[]. String array with the following visitor info:
    • [0] - new visitor flag indicating new, (”1”) or returning (”0”) visitor
    • [1] - visitor ID (16-character hex number)
    • [2] - first visit timestamp (UNIX epoch time)
    • [3] - previous visit count (”0” for first visit)
    • [4] - current visit timestamp (UNIX epoch time)
    • [5] - last visit timestamp (UNIX epoch time or “” if N/A)
    • [6] - last e-commerce order timestamp (UNIX epoch time or “” if N/A)
Example usage
const { UserManagement } = usePiwikPro()

UserManagement.setUserId('UserId')

UserManagement.resetUserId()

Some of the methods are getting data from the API and they need to be called asynchronously. They provide data that can be shown on the page. This need to be done with defining async function in your hook body and setting the state of the variable. Like on example below.

const { UserManagement } = usePiwikPro()

const [userId, setUserId] = useState<string>('')
const [visitorId, setVisitorId] = useState<string>('')
const [visitorInfo, setVisitorInfo] = useState<any>('')

const callAsyncMethods = async () => {
  const uId = await UserManagement.getUserId()
  setUserId(uId)

  const vId = await UserManagement.getVisitorId()
  setVisitorId(vId)

  const vInfo = await UserManagement.getVisitorInfo()
  setVisitorInfo(vInfo)
}

callAsyncMethods()

You have access to those variables in you page body. Example access below.

<p><code>UserManamement.getUserId()</code> - {userId}</p>
<p><code>UserManamement.getVisitorId()</code> - {visitorId}</p>
<p>
  <code>UserManamement.getVisitorInfo()</code> -{' '}
  {JSON.stringify(visitorInfo)}
</p>

Custom Events

Collection of methods to handle custom events, not described in the other categories.

Methods
  • CustomEvent.trackEvent(category, action[, name[, value[, dimensions]]]) - Tracks custom event, e.g. when visitor interacts with the page.
    • category (string) – Required Event category
    • action (string) – Required Event action
    • name (string) – Optional Event name
    • value (number) – Optional Event value
Example usage
const { CustomEvent } = usePiwikPro()

CustomEvent.trackEvent('Post', pageData.title)

E-Commerce Service

Import

import { eCommerce } from '@piwikpro/react-piwik-pro'
// maximum length of the array is 5
type LimitedArrayFiveStrings<T extends string[] = []> = [string, ...T] | [string, string, string, string, string];

type Product = {
  sku: string;
  name?: string;
  category?: LimitedArrayFiveStrings<string[]>;
  price?: number;
  quantity?: number;
  brand?: string;
  variant?: string;
  customDimensions?: object;
};

Methods

  • ecommerceAddToCart(products: Product[]) - Tracks action of adding products to a cart.
  • ecommerceRemoveFromCart(products: Product[]) - Tracks action of removing a products from a cart.
  • ecommerceOrder(products: Product[], paymentInformation: PaymentInformation) - Tracks conversion (including products and payment details).
  • ecommerceCartUpdate(products: Product[], grandTotal: PaymentInformation['grandTotal']) - Tracks current state of a cart.
  • ecommerceProductDetailView(products: Product[]) - Tracks product or category view. Must be followed by a page view.
Example usage
const { eCommerce } = usePiwikPro()

const products = [{
  sku: 'sku-4',
  name: 'Product 4',
  category: ['product-category', 'product-category-4'],
  brand: 'Brand 4',
  variant: 'Variant 4',
  price: 39.96,
  customDimensions: {
    dimension1: 'value1',
    dimension2: 'value2'
  }
}]

const subTotal = products.reduce((acc, product) => {
  if (product.price) {
    return acc + product.price
  }
  return acc
}, 0)

const tax = 10
const shipping = 4
const discount = 5

const paymentInformation: PaymentInformation = {
  orderId: 'order-123',
  grandTotal: subTotal + tax + shipping - discount,
  subTotal,
  tax,
  shipping,
  discount
}

eCommerce.ecommerceAddToCart(products)

eCommerce.ecommerceRemoveFromCart(products)

ecommerce.ecommerceOrder(products, paymentInformation)

eCommerce.ecommerceCartUpdate(products, paymentInformation.grandTotal)

eCommerce.ecommerceProductDetailView(products)

Content Tracking

Collection of methods to track impressions through the Piwik PRO API.

Methods
  • ContentTracking.trackContentImpression(contentName, contentPiece, contentTarget) - Tracks manual content impression event.
    • contentName (string) – Required Name of a content block
    • contentPiece (string) – Required Name of the content that was displayed (e.g. link to an image)
    • contentTarget (string) – Required Where the content leads to (e.g. URL of some external website)
  • ContentTracking.trackContentInteraction(contentInteraction, contentName, contentPiece, contentTarget) - Tracks manual content interaction event.
    • contentInteraction (string) – Required Type of interaction (e.g. “click”)
    • contentName (string) – Required Name of a content block
    • contentPiece (string) – Required Name of the content that was displayed (e.g. link to an image)
    • contentTarget (string) – Required Where the content leads to (e.g. URL of some external website)
Example usage
const { ContentTracking } = usePiwikPro()

ContentTracking.trackContentImpression(
  'contentName',
  'contentPiece',
  'contentTarget'
)

ContentTracking.trackContentInteraction(
  'contentInteracion',
  'contentName',
  'contentPiece',
  'contentTarget'
)

Goal Conversions

Collection of methods to manually tracks goal conversions through the Piwik PRO API.

Methods
  • GoalConversions.trackGoal(goalID[, conversionValue[, dimensions]]) - Tracks manual goal conversion. goalID (number|string) – Required Goal ID (integer or UUID), conversionValue (number) – Optional Conversion value (revenue), dimensions (object) – Optional Custom dimensions to pass along with the conversion
Example usage
const { GoalConversions } = usePiwikPro()

// function trackGoal(goalId: string | number, conversionValue: number, dimensions?: Object | undefined): void
GoalConversions.trackGoal(1, 30)

Custom Dimensions

Collection of methods to manage custom dimentsions through the Piwik PRO API.

Methods
  • CustomDimensions.setCustomDimensionValue(customDimensionID, customDimensionValue - Sets a custom dimension to be used later.
    • customDimensionID (number) – Required ID of a custom dimension, customDimensionValue (string) – Required Value of a custom dimension
  • CustomDimensions.deleteCustomDimension(customDimensionID) - Removes a custom dimension with the specified ID.
    • customDimensionID (number) – Required ID of a custom dimension
  • CustomDimensions.getCustomDimensionValue(customDimensionID)- Returns the value of a custom dimension with the specified ID. Returns: Value set with setCustomDimensionValue (e.g. loginStatus). Return type: string
    • customDimensionID (number)– Required ID of a custom dimension.
Example usage
const { CustomDimensions } = usePiwikPro()

CustomDimensions.setCustomDimensionValue('customDimensionId', 'value')

CustomDimensions.getCustomDimensionValue('customDimensionId')

CustomDimensions.deleteCustomDimension('customDimensionId')

Some of the methods are getting data from the API and they need to be called asynchronously. They provide data that can be shown on the page. This need to be done with defining async function in your hook body and setting the state of the variable. Like on example below.

const { UserManagement } = usePiwikPro()

const [customDimValue, setCustomDimValue] = useState<string>('')

const callAsyncMethods = async () => {
  const cDimValue = await CustomDimensions.getCustomDimensionValue(12)
  setCustomDimValue(cDimValue)
}

callAsyncMethods()

You have access to those variables in you page body. Example access below.

<p>
  <code>CustomDimensions.getCustomDimensionValue()</code> - {customDimValue}
</p>

Tag Manager

Data layer

A data layer is a data structure on your site or app where you can store data and access it with tools like Tag Manager. You can include any data you want in your data layer.

Methods
  • DataLayer.push(data) - Adds an event to a data layer.
    • data - Required data value without type.
Example usage
const { DataLayer } = usePiwikPro()

DataLayer.push('data')