Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Update a field after Linking / Unlinking Many-Many records in SilverStripe

Tags:

silverstripe

I have created a Customer DataObject by extending Member. Customer has a many_many data relation with a Package DataObject.

I would like increment/decrement a Credits field in the Customer DataObject when a Package is linked / unlinked through the CMS based on the Limit field in the Package table.

Customer

class Customer extends Member {

    private static $db = array(
        'Gender' => 'Varchar(2)',
        'DateOfBirth' => 'Date',
        'Featured' => 'Boolean',
        'Credits' => 'Int'
    );

    private static $many_many = array(
        'Packages' => 'Package'
    );

    public function getCMSFields() {

        $fields = new FieldList();

        $config = GridFieldConfig_RelationEditor::create();
        $config->removeComponentsByType('GridFieldAddNewButton');

        $packageField = new GridField(
            'Packages',
            'Package',
            $this->Packages(),
            $config
        );

        $fields->addFieldToTab('Root.Package', $packageField); 

        Session::set('SingleID', $this->ID);

        $this->extend('updateCMSFields', $fields);

        return $fields;
    }
}

Package

class Package extends DataObject {

    private static $db = array(
        'Title' => 'Varchar(255)',
        'Limit' => 'Int'
    );

    private static $belongs_many_many = array(
        'Customers' => 'Customer'
    );

}
like image 987
thomas paulson Avatar asked Sep 01 '15 06:09

thomas paulson


2 Answers

When you create or delete many to many relationship just one record is modified in your database - the one in table which joins elements of both sides of the relationship. Therefore neither object the relationship is based on is updated. This is why methods like: onBeforeWrite, onAfterWrite, onBeforeDelete and onAfterDelete will not be called at all and you cannot use them to detect such change.

However, Silverstripe provides class ManyManyList which is responsible for all operations connected to many to many relationships. There are two methods which are of your interest: add and remove. You can override them and put inside action to do what you need. These methods are obviously called on each link or unlink operation no matter object types are, so you should make some filtering on classes you are particularly interested in.

The proper way to override the ManyManyList class is to use Injector mechanism, so as not to modify anything inside the framework or cms folder. The example below uses relationship between Members and Groups in Silverstripe but you can easily adopt it to your need (Customer -> Member; Package -> Group).

app.yml

Injector:
    ManyManyList:
        class: ManyManyListExtended

ManyManyListExtended.php

/**
 * When adding or removing elements on a many to many relationship
 * neither side of the relationship is updated (written or deleted).
 * SilverStripe does not provide any built-in actions to get information
 * that such event occurs. This is why this class is created.
 *
 * When it is uses together with SilverStripe Injector mechanism it can provide
 * additional actions to run on many-to-many relations (see: class ManyManyList).
 */
class ManyManyListExtended extends ManyManyList {

    /**
     * Overwritten method for adding new element to many-to-many relationship.
     *
     * This is called for all many-to-many relationships combinations.
     * 'joinTable' field is used to make actions on specific relation only.
     *
     * @param mixed $item
     * @param null $extraFields
     * @throws Exception
     */
    public function add($item, $extraFields = null) {
        parent::add($item, $extraFields);

        if ($this->isGroupMembershipChange()) {
            $memberID = $this->getMembershipID($item, 'MemberID');
            $groupID = $this->getMembershipID($item, 'GroupID');
            SS_Log::log("Member ($memberID) added to Group ($groupID)", SS_Log::INFO);
            // ... put some additional actions here
        }
    }

    /**
     * Overwritten method for removing item from many-to-many relationship.
     *
     * This is called for all many-to-many relationships combinations.
     * 'joinTable' field is used to make actions on specific relation only.
     *
     * @param DataObject $item
     */
    public function remove($item) {
        parent::remove($item);

        if ($this->isGroupMembershipChange()) {
            $memberID = $this->getMembershipID($item, 'MemberID');
            $groupID = $this->getMembershipID($item, 'GroupID');
            SS_Log::log("Member ($memberID) removed from Group ($groupID)", SS_Log::INFO);
            // ... put some additional actions here            
        }
    }

    /**
     * Check if relationship is of Group-Member type.
     *
     * @return bool
     */
    private function isGroupMembershipChange() {
        return $this->getJoinTable() === 'Group_Members';
    }

    /**
     * Get the actual ID for many-to-many relationship part - local or foreign key value.
     *
     * This works both ways: make action on a Member being element of a Group OR
     * make action on a Group being part of a Member.
     *
     * @param DataObject|int $item
     * @param string $keyName
     * @return bool|null
     */
    private function getMembershipID($item, $keyName) {
        if ($this->getLocalKey() === $keyName)
            return is_object($item) ? $item->ID : $item;
        if ($this->getForeignKey() === $keyName)
            return $this->getForeignID();
        return false;
    }
}

The solution provided by 3dgoo should also work fine but IMO that code does much more "hacking" and that's why it is much less maintainable. It demands more modifications (in both classes) and needs to be multiplied if you would like to do any additional link/unlink managing, like adding custom admin module or some forms.

like image 186
Marcin Ćwięk Avatar answered Oct 09 '22 19:10

Marcin Ćwięk


The problem is when adding or removing items on a many to many relationship neither side of the relationship is written. Therefore onAfterWrite and onBeforeWrite is not called on either object.

I've come across this problem before. The solution I used isn't great but it was the only thing that worked for me.

What we can do is set an ID list of Packages to a session variable when getCMSFields is called. Then when an item is added or removed on the grid field we refresh the CMS panel to call getCMSFields again. We then retrieve the previous list and compare it to the current list. If the lists are different we can do something.

Customer

class Customer extends Member {

    // ...

    public function getCMSFields() {

        // Some JavaScript to reload the panel each time a package is added or removed
        Requirements::javascript('/mysite/javascript/cms-customer.js');

        // This is the code block that saves the package id list and checks if any changes have been made
        if ($this->ID) {
            if (Session::get($this->ID . 'CustomerPackages')) {
                $initialCustomerPackages = json_decode(Session::get($this->ID . 'CustomerPackages'), true);

                $currentCustomerPackages = $this->Packages()->getIDList();

                // Check if the package list has changed
                if($initialCustomerPackages != $currentCustomerPackages) {
                    // In here is where you put your code to do what you need
                }
            }

            Session::set($this->ID . 'CustomerPackages', json_encode($this->Packages()->getIDList()));
        }

        $fields = parent::getCMSFields();

        $config = GridFieldConfig_RelationEditor::create();
        $config->removeComponentsByType('GridFieldAddNewButton');

        $packageField = GridField::create(
            'Packages',
            'Package',
            $this->Packages(),
            $config
        );
        // This class needs to be added so our javascript gets called
        $packageField->addExtraClass('refresh-on-reload');

        $fields->addFieldToTab('Root.Package', $packageField); 

        Session::set('SingleID', $this->ID);

        $this->extend('updateCMSFields', $fields);

        return $fields;
    }
}

The if ($this->ID) { ... } code block is where all our session code happens. Also note we add a class to our grid field so our JavaScript refresh works $packageField->addExtraClass('refresh-on-reload');

As mentioned before, we need to add some JavaScript to reload the panel each time a package is added or removed from the list.

cms-customer.js

(function($) {
    $.entwine('ss', function($){
        $('.ss-gridfield.refresh-on-reload').entwine({
            reload: function(e) {
                this._super(e);
                $('.cms-content').addClass('loading');
                $('.cms-container').loadPanel(location.href, null, null, true);
            }
        });
    });
})(jQuery);

Inside the if($initialCustomerPackages != $currentCustomerPackages) { ... } code block there are a number of things you can do.

You could use $this->Packages() to fetch all the current packages associated to this customer.

You could call array_diff and array_merge to get just the packages that have been added and removed:

$changedPackageIDs = array_merge(array_diff($initialCustomerPackages, $currentCustomerPackages), array_diff($currentCustomerPackages, $initialCustomerPackages));
$changedPackages = Package::get()->byIDs($changedPackageIDs);

The above code will add this functionality to the Customer side of the relationship. If you also want to manage the many to many relationship on the Package side of the relationship you will need to add similar code to the Package getCMSFields function.

Hopefully someone can come up with a nicer solution. If not, I hope this works for you.

like image 32
3dgoo Avatar answered Oct 09 '22 18:10

3dgoo