Voxel Theme LTD Spring Sale

Voxel Price Changes

Tracking Price History in Voxel Theme: A Comprehensive Guide

Keeping track of price changes can be essential for various use cases, whether you’re running a marketplace, showcasing products, or simply maintaining historical price records. In this guide, we will walk you through a practical solution to automatically track price changes on your WordPress site using the Voxel theme and a custom code snippet. By the end, you will be able to store and display price history with timestamps, allowing for a dynamic and insightful way to showcase changes over time.

Use Case: Tracking Price Changes

Imagine you run an online marketplace for real estate, events, or eCommerce products. For each listing (post type), you might want to track price history and changes over time, then display that information to users. This becomes especially important if prices fluctuate frequently, and you want to give users a visual insight into historical pricing.

Required Fields and Keys

To track price changes, we use a repeater field to store a history of price updates, including the price value and timestamp of each change. Below are the necessary fields and their corresponding keys:

Primary Fields

  1. Current Price (Visible to User)
    • Field Type: Number
    • Key: vg_price
    • Purpose: This is where users enter the latest price. (Not required for Products.)
  2. Previous Price (Hidden Field)
    • Field Type: Number
    • Key: vg_previous_price
    • Purpose: Stores the last recorded price to detect changes. This field is hidden from users.
  3. Price History (Hidden Repeater Field)
    • Field Type: Repeater
    • Key: vg_repeater_history
    • Purpose: Stores all past price entries. It contains:
      • Date Field (Key: history-date) – Captures the timestamp when the price was updated. (Timepicker enabled.)
      • Number Field (Key: history-number) – Stores the price value at that specific time.
Voxel Price Changes Fields 001
Voxel Price Changes Fields 002
Voxel Price Changes Fields 003

Unleash Dynamic Data with Voxel!

With Voxel’s design flexibility, the possibilities are endless. Get Voxel here!

Field Setup Overview

Tracking Any Number Field (1 Visible + 2 Hidden Fields)

  • Visible: vg_price (current price input by user)
  • Hidden: vg_previous_price (for detecting changes)
  • Hidden Repeater: vg_repeater_history (stores historical prices)

Tracking Voxel Product Prices (2 Hidden Fields)

  • Hidden: vg_previous_price (last recorded price)
  • Hidden Repeater: vg_repeater_history (contains history)

These fields will save price history, enabling us to display it on the front end when needed.

Note: Only one of these snippets can be active at a time.

Code Snippet for Tracking Price History from a ‘Number field’

The following code snippet should be added to your Child theme’s functions.php file or use a plugin like Fluent Snippets. It listens for changes to the number field vg_price, and stores a history of price changes along with the timestamp.

*** Important: You must add your post type keys in:

$allowed_post_types = ['places', 'events', 'your-other-key'];

*** Important: And change the post types used in the hooks at the end of the snippet:

add_action(‘voxel/app-events/post-types/places/post:submitted’
add_action(‘voxel/app-events/post-types/places/post:updated’
add_action(‘voxel/app-events/post-types/events/post:submitted’
add_action(‘voxel/app-events/post-types/events/post:updated’
add_action(‘voxel/app-events/post-types/your-other-key/post:submitted’
add_action(‘voxel/app-events/post-types/your-other-key/post:updated’

*** Disclaimer – Use at your own risk. Always make a backup. ***

function update_vg_post_meta_history_repeater($post_id_or_event) {
    $is_voxel_event = is_object($post_id_or_event) && isset($post_id_or_event->post);

    if ($is_voxel_event) {
        // Handling Voxel event (frontend)
        $post = $post_id_or_event->post;
        $post_id = $post->get_id();
        $post_type = $post->post_type->get_key();
        $current_user_id = get_current_user_id();
    } else {
        // Handling WordPress backend save
        $post_id = intval($post_id_or_event);

        // Prevent running on auto-saves, revisions, or AJAX calls
        if (defined('DOING_AUTOSAVE') && DOING_AUTOSAVE) return;
        if (wp_is_post_revision($post_id)) return;
        if (wp_is_post_autosave($post_id)) return;

        // Verify the nonce (if saving from backend)
        if (!isset($_POST['vg_nonce']) || !wp_verify_nonce($_POST['vg_nonce'], 'vg_save_post_meta')) {
            return;
        }

        // Check if user has permission to edit this post
        if (!current_user_can('edit_post', $post_id)) {
            return;
        }

        // Get post type from WP
        $post_type = get_post_type($post_id);
    }

    // Allowed post types
    $allowed_post_types = ['places', 'events', 'your-other-key'];
    if (!in_array($post_type, $allowed_post_types)) {
        return;
    }

    // Get the new and previous price
    $new_price = sanitize_text_field(get_post_meta($post_id, 'vg_price', true));
    $old_price = sanitize_text_field(get_post_meta($post_id, 'vg_previous_price', true));

    // If the price hasn't changed or is empty, do nothing
    if (empty($new_price) || $new_price == $old_price) {
        return;
    }

    // Get existing history and decode JSON
    $repeater_history_data = get_post_meta($post_id, 'vg_repeater_history', true);
    $repeater_history_data = is_string($repeater_history_data) ? json_decode($repeater_history_data, true) : [];

    if (!is_array($repeater_history_data)) {
        $repeater_history_data = [];
    }

    // Add new price entry to history
    $new_entry = [
        'history-number' => $new_price,
        'history-date' => current_time('Y-m-d H:i:s')
    ];
    $repeater_history_data[] = $new_entry;

    // Use array_slice to keep only the last 30 entries
    $repeater_history_data = array_slice($repeater_history_data, -30);

    // Update the history meta
    update_post_meta($post_id, 'vg_repeater_history', json_encode($repeater_history_data));

    // Store the new price as the previous price
    update_post_meta($post_id, 'vg_previous_price', $new_price);
}

// Hook into Voxel's frontend submission and update events
add_action('voxel/app-events/post-types/places/post:submitted', 'update_vg_post_meta_history_repeater');
add_action('voxel/app-events/post-types/places/post:updated', 'update_vg_post_meta_history_repeater');
add_action('voxel/app-events/post-types/events/post:submitted', 'update_vg_post_meta_history_repeater');
add_action('voxel/app-events/post-types/events/post:updated', 'update_vg_post_meta_history_repeater');
add_action('voxel/app-events/post-types/your-other-key/post:submitted', 'update_vg_post_meta_history_repeater');
add_action('voxel/app-events/post-types/your-other-key/post:updated', 'update_vg_post_meta_history_repeater');

// Hook into WordPress backend post save event
add_action('save_post', 'update_vg_post_meta_history_repeater');

// Add a nonce field in the post edit screen (for backend saves)
function add_vg_nonce_field() {
    wp_nonce_field('vg_save_post_meta', 'vg_nonce');
}
add_action('edit_form_after_title', 'add_vg_nonce_field');

This snippet will save the price change history as a JSON-encoded array, which you can later output and display on the frontend.

Code Snippet for Tracking Price History from a ‘Product’

The following code snippet should be added to your Child theme’s functions.php file or use a plugin like Fluent Snippets. It listens for changes to the Voxel product field and checks the product meta value for ‘base_price‘ or ‘discount_amount‘, then stores a history of price changes along with the timestamp.

*** Not working with Variable Products

*** Important: You must add your post type keys in:

$allowed_post_types = ['places', 'events', 'your-other-key'];

*** Important: And change the post types used in the hooks at the end of the snippet:

add_action(‘voxel/app-events/post-types/places/post:submitted’
add_action(‘voxel/app-events/post-types/places/post:updated’
add_action(‘voxel/app-events/post-types/events/post:submitted’
add_action(‘voxel/app-events/post-types/events/post:updated’
add_action(‘voxel/app-events/post-types/your-other-key/post:submitted’
add_action(‘voxel/app-events/post-types/your-other-key/post:updated’

*** Disclaimer – Use at your own risk. Always make a backup. ***

function update_vg_post_meta_history_repeater($post_id_or_event) {
    $is_voxel_event = is_object($post_id_or_event) && isset($post_id_or_event->post);

    if ($is_voxel_event) {
        // Handling Voxel event (frontend)
        $post = $post_id_or_event->post;
        $post_id = $post->get_id();
        $post_type = $post->post_type->get_key();
    } else {
        // Handling WordPress backend save
        $post_id = intval($post_id_or_event);

        if (defined('DOING_AUTOSAVE') && DOING_AUTOSAVE) return;
        if (wp_is_post_revision($post_id)) return;
        if (wp_is_post_autosave($post_id)) return;

        // Get post type
        $post_type = get_post_type($post_id);
    }

    // Allowed post types
    $allowed_post_types = ['places', 'events', 'your-other-key'];
    if (!in_array($post_type, $allowed_post_types)) {
        return;
    }

    // Try getting updated meta directly from $_POST first (more reliable in backend)
    if (isset($_POST['product'])) {
        $product_data = json_decode(stripslashes($_POST['product']), true);
    } else {
        // Fallback to database value
        $product_meta = get_post_meta($post_id, 'product', true);
        $product_data = is_string($product_meta) ? json_decode($product_meta, true) : null;
    }

    // Ensure we have a valid product array
    if (!is_array($product_data) || !isset($product_data['base_price'])) {
        return;
    }

    // Check for discount amount, otherwise use base price
    $new_price = isset($product_data['base_price']['discount_amount']) 
        ? floatval($product_data['base_price']['discount_amount']) 
        : floatval($product_data['base_price']['amount']);

    // Retrieve previous price
    $old_price = floatval(get_post_meta($post_id, 'vg_previous_price', true));

    // If the price hasn't changed or is empty, do nothing
    if ($new_price <= 0 || $new_price == $old_price) {
        return;
    }

    // Retrieve existing history
    $repeater_history_data = get_post_meta($post_id, 'vg_repeater_history', true);
    $repeater_history_data = is_string($repeater_history_data) ? json_decode($repeater_history_data, true) : [];

    if (!is_array($repeater_history_data)) {
        $repeater_history_data = [];
    }

    // Keep the last 30 entries
    $new_entry = [
        'history-number' => $new_price,
        'history-date' => current_time('Y-m-d H:i:s')
    ];
    $repeater_history_data[] = $new_entry;
    $repeater_history_data = array_slice($repeater_history_data, -30); // Keep only last 30

    // Update history and previous price
    update_post_meta($post_id, 'vg_repeater_history', json_encode($repeater_history_data));
    update_post_meta($post_id, 'vg_previous_price', $new_price);
}

// Hook into Voxel frontend events
add_action('voxel/app-events/post-types/places/post:submitted', 'update_vg_post_meta_history_repeater');
add_action('voxel/app-events/post-types/places/post:updated', 'update_vg_post_meta_history_repeater');
add_action('voxel/app-events/post-types/events/post:submitted', 'update_vg_post_meta_history_repeater');
add_action('voxel/app-events/post-types/events/post:updated', 'update_vg_post_meta_history_repeater');
add_action('voxel/app-events/post-types/your-other-key/post:submitted', 'update_vg_post_meta_history_repeater');
add_action('voxel/app-events/post-types/your-other-key/post:updated', 'update_vg_post_meta_history_repeater');

// Hook into WordPress backend save_post
add_action('save_post', 'update_vg_post_meta_history_repeater', 20); // Lower priority so meta updates first

This snippet will save the price change history as a JSON-encoded array, which you can later output and display on the frontend.

Displaying Price History on the Frontend

Now that the price history is tracked, it’s time to display it on the frontend. You can use the Elementor HTML widget and Voxel tags to output the price history as a dynamic chart. Below is an example of how to integrate a Plotly.js chart for visualizing the price history.

Change the variable under ‘// *** Define variables here start’ as needed.

<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <meta name="viewport" content="width=device-width, initial-scale=1.0">
    <title>Price History Chart</title>
    <script src="https://cdn.plot.ly/plotly-2.32.0.min.js"></script>
    <style>
        body {
            font-family: Arial, sans-serif;
        }
        #vg-chart-container {
            width: 100%;
            margin: auto;
            padding: 10px;
            border-radius: 10px;
            box-shadow: 0px 4px 6px rgba(0, 0, 0, 0.1);
            background-color: white;
        }
        #vg-chart {
            width: 100%;
            height: 300px;
        }
    </style>
</head>
<body>

    <!-- Responsive container for the chart -->
    <div id="vg-chart-container">
        <div id="vg-chart"></div>
    </div>

    <script>
        window.addEventListener('load', () => {
            // Extract data from Voxel repeater
            const vg_date = '@post(vg_repeater_history.history-date.date).list()';
            const vg_price = [@post(vg_repeater_history.history-number).list()];
            
            // *** Define variables here start
            const vg_axis_format = '%-d %b %Y'; // Default format: 9 Mar 2025
            
            // Axis labels
            const xAxisTitle = 'Date';
            const yAxisTitle = 'Price ($)';

            // Line labels
            const priceHistoryLabel = 'Price History';
            const minPriceLabel = 'Min Price';
            const maxPriceLabel = 'Max Price';

            // Number of data entries to plot (max 30)
            const n = 12;
            // *** Define variables here end
            
            // Convert the comma-separated list to an array of dates
            const dates = vg_date.split(',');
            const prices = vg_price;
            
            // Get the last 'n' dates and prices
            const datesToShow = dates.slice(-n);
            const pricesToShow = prices.slice(-n);
            
            // Find the minimum and maximum prices for the dashed lines
            const minPrice = Math.min(...pricesToShow);
            const maxPrice = Math.max(...pricesToShow);
            
            // Calculate 5% margin for the Y-axis
            const yMargin = (maxPrice - minPrice) * 0.05;
            const yMin = minPrice - yMargin;
            const yMax = maxPrice + yMargin;
            
            // Define the traces for Plotly
            const trace = {
                x: datesToShow,
                y: pricesToShow,
                type: 'scatter',
                mode: 'lines+markers',
                name: priceHistoryLabel,
                line: {
                    shape: 'hv',
                    width: 3
                },
                text: pricesToShow.map(p => `$${p.toFixed(2)}`),
                textposition: 'top right',
                hoverinfo: 'x+y+text'
            };

            // Define min price line
            const minPriceLine = {
                x: datesToShow,
                y: new Array(n).fill(minPrice),
                type: 'scatter',
                mode: 'lines',
                name: minPriceLabel,
                line: {
                    dash: 'dash',
                    color: 'red',
                    width: 2
                }
            };

            // Define max price line
            const maxPriceLine = {
                x: datesToShow,
                y: new Array(n).fill(maxPrice),
                type: 'scatter',
                mode: 'lines',
                name: maxPriceLabel,
                line: {
                    dash: 'dash',
                    color: 'green',
                    width: 2
                }
            };

            // Define the layout for the chart
            const layout = {
                xaxis: {
                    title: xAxisTitle,
                    type: 'date',
                    tickmode: 'array',
                    tickvals: datesToShow,
                    tickformat: vg_axis_format
                },
                yaxis: {
                    title: yAxisTitle,
                    autorange: false,
                    range: [yMin, yMax],
                    tickformat: '$,.2f'
                },
                margin: {
                    t: 50,
                    b: 70,
                    l: 60,
                    r: 50
                },
                dragmode: false,
                displayModeBar: false,
                showlegend: false
            };

            // Plot the chart
            Plotly.newPlot('vg-chart', [trace, minPriceLine, maxPriceLine], layout);
        });
    </script>

</body>
</html>

Conclusion

With this solution, you can easily track price changes, store them securely in the backend, and display a dynamic, interactive price history chart to your site’s visitors. Whether you’re showcasing real estate listings, events, or products, this functionality adds a valuable layer of transparency to your offerings. By using Voxel tags and Plotly, you can create a seamless and informative user experience that highlights price fluctuations in an intuitive and visually appealing manner.

Discover the Voxel theme here!

Price History Chart

More Articles

A version of this Mod is now included natively in the Voxel WordPress Theme. It is functional but has no customisation options. Called: Abbreviate number. This Mod: Advanced Abbreviate Number offers more options for specifying the abbreviation letter and choosing the number of decimal places shown. Working with large numbers in their raw format can […]
Voxel WordPress Theme number Mods
This guide outlines how to implement Rank Math SEO schema markup within the Voxel WordPress Theme using the free version of Rank Math, enhancing search engine understanding and visibility of your content.   Step 1: Generate Schema MarkupUse an online schema generator to create your schema markup structure. Step 2: Adjust Rank Math SettingsDisable the […]
rank math seo schema markup guide for the voxel theme

Voxel Theme LTD Spring Sale

Support me

Coffee is my fuel

All guides are available for FREE.

If this saved you time, please support my work by checking out the recommended tools or buying me a coffee.