Skip to main content
Penyaskito Blog

Main navigation

  • Home
Language switcher
  • English
  • Español
User account menu
  • Log in

Breadcrumb

  1. Home

A Drupal JavaScript behavior for marking edited line items in the cart

By penyaskito, 23 May, 2021

There are lots of ways to learn about something, and everyone learns in a different way, having best results with different options: some people get better results with articles, others with videos, or others with examples. My favorite way is with examples. And when trying to learn how to achieve something with Drupal, my favorite examples are Drupal core itself.

If you need to get something done and not sure where to start, try to think: where have I seen that before?

You might even have an example in your codebase already. This article covers a real use-case I faced with Drupal Commerce, just simplifying it a bit for the sake of keeping it short. The user story is something alike: As a customer, I need to refresh the cart page instead of continuing checkout after editing the units of any order line, so I can see any better discounts that apply because of volume.  

So in terms of our form, this will mean: when in the Cart form page, disable the Checkout button when the user edits any quantity field, and enable the Update cart one.

Screenshot of the Shopping cart before editing it
Drupal commerce shopping cart form after applying some ugly styling with the purpose of having better differentiation between disabled and enabled buttons.

But for a better user experience, we want the user to notice which line item they modified. Where have I seen that before? In the locale translations interface.

If you enable the locale module, and add a second language to your site, you have an interface translation page where you can fill the translations of the interface strings.

The locale translation interface already mark edited translations, and that's in Drupal core
The locale translation interface UI already marks edited translations, and that's a valid example in Drupal core.

So we will look at the code and inspect how that's achieved. For me, the easiest way if you are not familiar with this piece of code is searching the UI strings or the url path of that page in my IDE, and dig until I find how that's working.

In this case, if you search for "Changes made in this table" you end up in web/core/modules/locale/locale.admin.js. JavaScript files are included via libraries, so if you search for the filename you will hit the drupal.locale.admin library defined at core/modules/locale/locale.libraries.yml. 

If you search now for that library, you end up finding some forms that include the library with:

$form['#attached']['library'][] = 'locale/drupal.locale.admin';

So that's everything involved in make this for the locale translation UI, now you need to mimic that.

Let's create our module. Fastest way is using drush, so I executed

ddev drush generate module-standard

And picked commerce_cart_forcerefresh as the name. From the next options, I only generated the libraries file, which I edited to look like:

commerce_cart_forcerefresh:
  js:
    js/commerce-cart-forcerefresh.js: {}
  css:
    component:
      css/commerce-cart-forcerefresh.css: {}
  dependencies:
    - core/jquery
    - core/drupal
    - core/drupal.form
    - core/jquery.once

 Our css will only be

form#views-form-commerce-cart-form-default-1 tr.changed {
  background: #ffb;
}

And our JavaScript:

(function ($, Drupal, drupalSettings) {
  'use strict';

  Drupal.behaviors.cartForceRefresh = {
    attach: function (context) {
      var $form = $('form#views-form-commerce-cart-form-default-1').once('cartItemDirty');
      var $updateSubmit = $('form#views-form-commerce-cart-form-default-1 #edit-submit')
        .prop('disabled', true);

      if ($form.length) {
        $form.one('formUpdated.cartItemDirty', 'table', function () {
          var $marker = $(Drupal.theme('cartItemChangedWarning')).hide();
          $(this).addClass('changed').before($marker);
          $marker.fadeIn('slow');
        });

        $form.on('formUpdated.cartItemDirty', 'tr', function () {
          var $row = $(this);
          var marker = Drupal.theme('cartItemChangedMarker');

          $row.addClass('changed');

          var $updateSubmit = $('form#views-form-commerce-cart-form-default-1 #edit-submit')
            .prop('disabled', false);
          var $checkoutSubmit = $('form#views-form-commerce-cart-form-default-1 #edit-checkout')
            .prop('disabled', true);

          if ($row.length) {
            $row.find('td:first-child .js-form-item').append(marker);
          }
        });
      }
    },
    detach: function (context, settings, trigger) {
      if (trigger === 'unload') {
        var $form = $('form#views-form-commerce-cart-form-default-1').removeOnce('cartItemDirty');
        if ($form.length) {
          $form.off('formUpdated.cartItemDirty');
        }
      }
    }
  };
  $.extend(Drupal.theme, {
    cartItemChangedMarker: function cartItemChangedMarker() {
      return '<abbr class="warning ajax-changed" title="' + Drupal.t('Changed') + '">*</abbr>';
    },
    cartItemChangedWarning: function cartItemChangedWarning() {
      return '<div class="clearfix messages messages--warning">' + 
        Drupal.theme('cartItemChangedMarker') + ' ' + 
        Drupal.t('Update the cart for the changes to take effect.') + '</div>';
    }
  });
})(jQuery, Drupal, drupalSettings);

Note that the form id is being used in some parts of our css and javascript, and that depends on the view id. Take that into account if you are not using the default view, you have multiple order types, etc. In my real case, I was able to use a class that my theme was adding to that form.  

The last thing is ensuring this behavior is added to our form. The easiest for this demo is using hook_form_FORMID_alter(), which again depends on the id of the view. Our commerce_cart_forcerefresh.module looks like:

<?php

use Drupal\Core\Form\FormStateInterface;

/**
 * @file
 * Primary module hooks for commerce_cart_forcerefresh module.
 */
function commerce_cart_forcerefresh_form_views_form_commerce_cart_form_default_1_alter(&$form, FormStateInterface $form_state, $form_id) {
  $form['#attached']['library'][] = 'commerce_cart_forcerefresh/commerce_cart_forcerefresh';
}

And that produces the desired result:

Final result with order line items cues when they were edited.
The Checkout button is disabled, the Update cart button is enabled, a cue is added on the line item, and a warning on the top of the page.

Hope this helps! Full source code at https://github.com/penyaskito/drupal_commerce_cart_forcerefresh

You can read more about JavaScript behaviors in this guide: How to integrate JavaScript in Drupal 8/9, by davidjguru. 

Tags

  • Drupal Commerce
  • JavaScript
  • Drupal behaviors
  • Drupal planet

Comments2

Kim (not verified)

4 years 5 months ago

Thanks for sharing this…

Thanks for sharing this snippet!

I've been running a D7 commerce site which I'm upgrading to D9 commerce, and I one of the requirements was a changed-quantity-flag on the cart form.

I had created the following behavior, but I will certainly update some parts by using theme-functions as you did... My version also takes into account the actual quantities so when "reverting" a change, the notification also disappears.

Since my table gets pretty long sometimes, I've added a second notification at the bottom of the table as well.

(($, Drupal) => {
  Drupal.behaviors.commerceCartForm = {
    attach: function attach(context) {
      let $cartForm;
      if (context === document) {
        $cartForm = $(context).find('.view-commerce-cart-form form');
      }
      else {
        $cartForm = $(context);
      }
      // Abort if there's no cart form.
      if ($cartForm.length === 0) {
        return;
      }
      const $cartTable = $cartForm.find('.views-table');
      const $productRows = $cartTable.find('tbody tr');
      // Abort if there are no product rows.
      if ($productRows.length === 0) {
        return;
      }

      const $message = $('<div class="alert fade alert-xs alert-warning alert-quantity-updated collapse">'
                       + Drupal.t('You have unsaved changes to quantities. Do not forget to update your shoppingcart before continuing!')
                       + '</div>');
      // Prepend before table.
      $cartTable.before($message);
      // Append another one after table if we have more than 3 rows.
      if ($productRows.length >= 3) {
        $cartTable.after($message);
      }

      // Collect original quantities so we can detect changes.
      const quantities = {};
      $productRows.each((index, element) => {
        const $row = $(element);
        // const $quantity = $row.find('.input-group--quantity input');
        const $quantity = $row.find('.views-field-edit-quantity [data-drupal-selector="edit-edit-quantity-' + index + '"]');
        quantities[index] = $quantity.val();
        $quantity.on('paste input change focusout blur', (event) => {
          const $changedQuantity = $(event.target);
          const parentRowIndex = $changedQuantity.closest('tr').index();

          if ($changedQuantity.val() !== quantities[parentRowIndex]) {
            $row.addClass('quantity-updated');
            if ($cartTable.find('.quantity-updated').length > 0) {
              $cartForm.find('.alert-quantity-updated').addClass('show');
            }
          }
          else {
            $row.removeClass('quantity-updated');
            if ($cartTable.find('.quantity-updated').length === 0) {
              $cartForm.find('.alert-quantity-updated').removeClass('show');
            }
          }
        });
      });
    }
  };
})(jQuery, Drupal);

 

Profile picture for user penyaskito

penyaskito

4 years 5 months ago

In reply to Thanks for sharing this… by Kim (not verified)

Thanks for the comment

Thanks for sharing this!

Monthly archive

  • June 2012 (6)

Pagination

  • Previous page
  • 2

Recent content

Catching Up on the Dashboard Initiative
1 month 3 weeks ago
Optimizing PhpStorm when it's slow or hangs
6 months 1 week ago
Introducing The Dashboard Initiative
2 years 3 months ago

Recent comments

I would recommend taking a…
2 years 2 months ago
This looks interesting
2 years 2 months ago
Thanks for the comment
4 years 4 months ago

Blogs I follow

  • Mateu Aguiló "e0ipso"
  • Gábor Hojtsy
  • Pedro Cambra
  • The Russian Lullaby, davidjguru
  • Can It Be All So Simple
  • Maria Arias de Reyna "Délawen"
  • Matt Glaman
  • Daniel Wehner
  • Jacob Rockowitz
  • Wim Leers
  • Dries Buytaert
Syndicate

Footer

  • Drupal.org
  • LinkedIn
  • GitHub
  • Mastodon
  • Twitter
Powered by Drupal

Free 🇵🇸