Dynamic Interactions in Lightning Web Component?

0
1148

Introduction

With the Winter 22 release, we have received an update called DI which can be used to achieve the same i.e. enable components to communicate with each other which are on the same app page with the help of little development and little configuration. The developer can simply expose the event to the app builder using XML file and Admin can configure the target component and interactions for the event.

For instance, If the user clicks on the button on one component we can receive event detail on another component.

Components of Dynamic Interaction

There are 4 major building blocks for DI : 

  • Source: The component that triggers the event. 
  • Target : Component which will receive the event.
  • Event:   On what action do you want to trigger an event for example such as a mouse click, or a button press.
  • Interaction: An activity that happens between the source and the target.

Limitations

Before we look at an example of DI, let’s take a look at limitations : 

  • Dynamic Interactions is supported only on app pages.
  • Only LWC custom components can be source components, but any component present on the page (Aura or LWC) can be a target.
  • Dynamic Interactions isn’t supported on pages based on custom page templates.
  • You can use expressions only for properties of type String, Integer, and Boolean.
  • You can’t set a target property value as an array or list of values.
For more limitations please refer to salesforce documentation.

Develop Source LWC

sourceDI.html

Here we have simply created a lightning card and added a combo-box which will show a list of contacts.

sourceDI.js

Here we have written a wire function to fetch Contact data from the apex class and set combo-box options once data is made available.

handleChange” is an event handler where we are firing a custom event which will be exposed in the app builder for interaction, it is called when the user selects a value from the dropdown.

Take a note we are adding an object in event.detail which will contain two properties : 

  • recordId
  • name

Custom event is created with the name “testevent”.

sourceDI.xml

Here in the XML, we have exposed our event using the event tag. Make sure the name matches your custom event name.

The schema tag defines the structure of the event you are dispatching from your component. Take a note it needs to be done in JSON format.

 

Develop Target Component

targetDI.html


This is our target component that will be receiving interaction , here we have added a record form that will use record ID passed via event dispatched from source event.

targetDI.js


We need to create a public property which will actually hold the value.

targetDI.xml


We are exposing property in the XML file so that in App builder we can put its value using event fired from source component

targetDI2.html


We have simply added text here.

targetDI2.js


Similar to the targetDI component we are making the name public property here. 

targetDI2.xml

Configure App Builder

Once all components are added to the app page, If you click on the Source component you will see new tab called “Interactions”.

Once we click on Add Interaction button it will ask us which component we want to send interaction to and what data we want to share with them.

If you look at the image below we have added interaction with the “TargetDI” component and the public property which we exposed in XML is populated with {!Event.recordID}.

 Similarly, we can add multiple interactions interacting with multiple target events and populating data in their exposed properties.

Outcome

Apex Class

public with sharing class AccountController {
    @AuraEnabled
    public static List<Account> searchAccount(String skey){
        try {
            String key = '%'+skey+'%';
            System.debug('key ' + key);
            System.debug('query ' + [SELECT Id,Name from Account where Name like: key WITH SECURITY_ENFORCED]);
            return [SELECT Id,Name from Account where Name like: key WITH SECURITY_ENFORCED];
        } catch (Exception e) {
            throw new AuraHandledException(e.getMessage());
        }
    }
    @AuraEnabled(cacheable = true)
    public static List<Account> allAccount(){
        return [SELECT Id,Name from Account WITH SECURITY_ENFORCED LIMIT 10];
    }
    @AuraEnabled(cacheable=true)
    public static List<Contact> allContact() {
        return [
            SELECT Id, Name, Title, Phone, Email
            FROM Contact
            WITH SECURITY_ENFORCED
            LIMIT 10
        ];
    }
}

Complete Code

// html file
<template>
<!-- sfdcboy -->
<lightning-card variant="Narrow" title="Source Component" icon-name="standard:account">
<lightning-combobox
name="Contact"
label="Contact Records"
value={value}
placeholder="Select Contacts"
options={options}
onchange={handleChange} ></lightning-combobox>
</lightning-card>
</template>
// html end
// js start
import { LightningElement,wire,track } from 'lwc';
import allContact from '@salesforce/apex/AccountController.allContact';
export default class SourceDI extends LightningElement {
@wire(allContact)
allContact ({error, data}) {
if (error) {
// TODO add error logic
} else if (data) {
this.options = data.map((e) => ({ label: e.Name, value: e.Id })); // #3 this approach works
}
}
handleChange(event){
let data = event.target.value;
let label = event.target.options.find(opt=> opt.value === event.detail.value).label;
const selectedEvent = new CustomEvent('testevent', { detail: { recordId : data , name : label}, });
// Dispatches the event.
this.dispatchEvent(selectedEvent);
}
}
// js end
// xml file start
<?xml version="1.0" encoding="UTF-8"?>
<LightningComponentBundle xmlns="http://soap.sforce.com/2006/04/metadata">
<apiVersion>54.0</apiVersion>
<isExposed>true</isExposed>
<targets>
<target>lightning__AppPage</target>
</targets>
<targetConfigs>
<targetConfig targets="lightning__AppPage">
<event name ="testevent" label ="test event" description="this is my test event">
<schema>
{
"type" : "object",
"properties" :{
"recordId" : {
"type" : "string",
"title" : "Record Id",
"description" : "Holds record id of contact"
},
"name": {
"type" : "string",
"title" : "Contact Name",
"description" : "Holds Contact Name"
}
}
}
</schema>
</event>
</targetConfig>
</targetConfigs>
</LightningComponentBundle>
view raw sourceDI.js hosted with ❤ by GitHub
// html file
<template>
<lightning-card variant="Narrow" title="Target Component" icon-name="standard:account">
<!-- sfdcboy -->
<div if:false = {recordId}>
Nothing Selected
</div>
<div if:true={recordId}>
<lightning-record-form
record-id={recordId}
object-api-name="Contact"
layout-type="Compact"
mode="view">
</lightning-record-form>
</div>
</lightning-card>
</template>
// html end
// js start
import { LightningElement,api } from 'lwc';
export default class TargetDI extends LightningElement {
@api recordId;
}
// js end
// xml start
<?xml version="1.0" encoding="UTF-8"?>
<LightningComponentBundle xmlns="http://soap.sforce.com/2006/04/metadata">
<apiVersion>54.0</apiVersion>
<isExposed>true</isExposed>
<targets>
<target>lightning__AppPage</target>
</targets>
<targetConfigs>
<targetConfig targets="lightning__AppPage">
<property name = "recordId" type="String" label ="Contact Id"></property>
</targetConfig>
</targetConfigs>
</LightningComponentBundle>
// xml end
view raw TargetDI.js hosted with ❤ by GitHub
// html start
<template>
<lightning-card variant="Narrow" title="Target second" icon-name="standard:account">
<div if:false = {name}>
No Contact Selected
</div>
<div if:true = {name}>
Contact selected name is {name}. We only passed label here
</div>
</lightning-card>
</template>
// html end
// js start
import { LightningElement,api } from 'lwc';
export default class TargetDI2 extends LightningElement {
@api name ;
}
// js end
//xml start
<?xml version="1.0" encoding="UTF-8"?>
<LightningComponentBundle xmlns="http://soap.sforce.com/2006/04/metadata">
<apiVersion>54.0</apiVersion>
<isExposed>true</isExposed>
<targets>
<target>lightning__AppPage</target>
</targets>
<targetConfigs>
<targetConfig targets="lightning__AppPage">
<property name="name" type="String" label = "Contact Name "/>
</targetConfig>
</targetConfigs>
</LightningComponentBundle>
// xml end
view raw TargetDI2.js hosted with ❤ by GitHub

LEAVE A REPLY

Please enter your comment!
Please enter your name here