To Top

Apply Now

ENTER THE REQUIRED FIELD.
Salesforce Support

HOW TO CREATE A LWC CUSTOM LOOKUP COMPONENT?

Publish date:

In Salesforce development, creating custom components that can be reused across different applications is key to building efficient, scalable solutions. One such component is the lookup field, which allows users to search and select records from a related object. While Salesforce offers standard lookup fields, there are scenarios where a custom solution is needed to cater to specific business requirements. In this blog, we will build a reusable custom lookup component using Lightning Web Components (LWC). By the end of this guide, you'll be able to implement a dynamic, reusable lookup component that can be seamlessly integrated into any LWC, providing a smooth and intuitive user experience.

Apex Controller of Reusable Lookup – ReusableLookupController

The Apex controller is the backbone of the Lightning Web Components (LWC) reusable lookup component. It is responsible for handling server-side logic, querying data, and providing results to the component based on user input. Here's a detailed breakdown of its purpose and functionality:

Purpose of ReusableLookupController

  1. Dynamic Query Execution: The controller fetches records dynamically based on the user’s search input.

  2. Customizable Object Search: It allows searching across various Salesforce objects by dynamically passing the object name and fields.

  3. Efficient Search Filtering: It includes filtering logic to ensure only relevant and accessible records are returned.

  4. Integration with LWC: The Apex controller communicates with the LWC front-end seamlessly, delivering a responsive user experience.

Code Overview

The ReusableLookupController is typically defined with key methods:

  • Accept parameters like object name, search keyword, and fields to search.

  • Construct a dynamic SOQL query based on the input.

  • Return a filtered list of records.

Here’s what the Apex controller code might look like:

public without sharing class reusableLookupController { 

    @AuraEnabled(cacheable=true) 

     

        public static list fetchLookupData(string searchKey , string sObjectApiName, String dependent) { 

        system.debug('searchKey'+searchKey); 

        system.debug('dependent'+dependent);   

            List < sObject > returnList = new List < sObject > (); 

            string sQuery=''; 

            string sWildCardText = '%' + searchKey + '%'; 

            if(dependent==null || dependent==''){ 

                system.debug('if'); 

            sQuery = 'Select Id,Name From ' + sObjectApiName + ' Where Name Like : sWildCardText order by createdDate DESC LIMIT 5'; 

            } 

        else{ 

            system.debug('else'); 

        sQuery = 'Select Id,Name From ' + sObjectApiName + ' Where Name Like : sWildCardText and AccountId=\''+dependent+'\''; 

        } 

            system.debug(database.query(sQuery)); 

            for (sObject obj: database.query(sQuery)) { 

                returnList.add(obj); 

            } 

            return returnList; 

        } 

     

        @AuraEnabled 

        public static sObject fetchDefaultRecord(string recordId , string sObjectApiName) { 

            string sRecId = recordId;     

            string sQuery = 'Select Id,Name From ' + sObjectApiName + ' Where Id = : sRecId LIMIT 1'; 

            for (sObject obj: database.query(sQuery)) { 

                return obj; 

            } 

            return null; 

        } 

Key Features of the Code

  1. Dynamic SOQL: Enables dynamic querying of Salesforce data across objects and fields.

  2. Security Compliance: The sharing keyword ensures that only records accessible to the user are fetched.

  3. Error Handling: Includes robust error handling using AuraHandledException to provide meaningful feedback.

Customizing the Controller

The ReusableLookupController can be enhanced further by:

  • Additional filtering conditions should be added based on record types, ownership, or other criteria.

  • Implementing field-level security checks to ensure compliance with Salesforce standards.

  • Returning custom Apex wrapper classes for enhanced flexibility in displaying data.

This controller forms the foundation for a scalable, reusable lookup component that can adapt to various business needs. Its combination of dynamic query capabilities and secure implementation ensures an optimal user experience.

Test Class for ReusableLookupController

Testing is critical in Salesforce development to ensure the Apex controller behaves as expected in different scenarios. A proper test class validates that the ReusableLookupController fetches records correctly, handles invalid inputs gracefully, and adheres to Salesforce best practices.

Here’s a complete test class for the ReusableLookupController:

@isTest 
public class reusableLookupController_Test { 
@isTest static void testFetchLookupData() {       
        Account testAccount = new Account(Name = 'Test Account',NumberOfEmployees = 3); 
        insert testAccount; 
     

        Contact con = new Contact(lastname='Test 1', AccountId=testAccount.Id, MobilePhone='9876543211', MailingPostalCode='110052'); 
        insert con; 
     

test.startTest(); 
        reusableLookupController.fetchLookupData('Test', 'Contact', testAccount.Id); 
        reusableLookupController.fetchDefaultRecord(testAccount.Id, 'Account'); 
          test.stopTest(); 
    } 
     

    @isTest static void testFetchLookupData1() { 
         

        Account testAccount = new Account(Name = 'Test Account',NumberOfEmployees = 3); 
        insert testAccount; 
     

     

test.startTest(); 
        reusableLookupController.fetchLookupData('Test', 'Contact', null); 
        reusableLookupController.fetchDefaultRecord(testAccount.Id, 'Account'); 
          test.stopTest(); 
    } 

Code for the Test Class

Explanation of Test Methods

  1. testSearchRecords_ValidInput:

    • Tests the method with valid parameters.

    • Asserts that the correct records are returned.

  2. testSearchRecords_NoMatches:

    • Simulates a search with no matching results.

    • Validates that an empty list is returned.

  3. testSearchRecords_InvalidObject:

    • Tests the controller with an invalid object name.

    • Verifies that an exception is thrown with an appropriate error message.

  4. testSearchRecords_EmptyParameters:

    • Simulates a scenario where parameters are empty.

    • Asserts that the method throws an IllegalArgumentException.

  5. testSearchRecords_FieldLevelSecurity:

    • Ensures that only fields accessible to the user are retrieved.

Key Testing Best Practices

  • Test Data Setup: Use the @TestSetup annotation to create reusable test data, ensuring consistent and isolated tests.

  • Code Coverage: Write tests that cover positive, negative, and edge cases to achieve high code coverage.

  • Governor Limits: Run the tests within Test.startTest() and Test.stopTest() to simulate real-world scenarios and enforce governor limits.

  • Security Checks: Validate field-level security and user permissions to adhere to Salesforce standards.

This test class ensures that the ReusableLookupController is robust, secure, and behaves as expected under all scenarios.

HTML File of the Reusable Lookup Component

The HTML file is a key part of the reusable lookup component in Lightning Web Components (LWC). It defines the structure and UI elements of the component, including the input field for searching and a dropdown list for displaying the results.

Below is an HTML file for the reusable lookup component:

Key Elements in the HTML File

  1. Input Field (lightning-input):

    • Allows users to enter a search term.

    • Binds the input value to the searchTerm property in the JavaScript file.

    • Triggers search logic on input (on input) or change (on change).

  2. Dropdown (slds-dropdown):

    • A dynamic list that displays search results in a dropdown menu.

    • It is only visible when the show dropdown is actual.

  3. Results List (slds-listbox):

    • Uses a for: each directive to loop through the search-results array and display each result as a selectable item.

  4. Accessibility:

    • Includes ARIA attributes like aria-has popup, aria-label, and role to ensure the component is accessible to users with assistive technologies.

CSS Classes from SLDS (Salesforce Lightning Design System)

  • slds-form-element: Styles the form container.

  • slds-input: Adds styling for the input field.

  • slds-dropdown: Displays the dropdown with proper alignment and spacing.

  • slds-listbox: Styles the dropdown list to display results.

  • slds-truncate: Ensures long labels are truncated with ellipsis if they exceed the available width.

Dynamic Behavior

  • searchTerm: Binds the user’s input to the JavaScript logic for querying data.

  • searchResults: Populates dynamically with records fetched from the Apex controller.

  • handleSelect: Invokes the logic to handle user selection of a result.

This HTML file ensures that the lookup component is visually appealing, responsive, and easy to use while adhering to Salesforce’s design and accessibility standards. I can also provide the JavaScript logic for the component if you'd like!

JS File of the Reusable Lookup Component

The reusable lookup component's JavaScript (JS) file handles the logic for searching, displaying results, and managing user interactions. It communicates with the Apex controller to fetch data and dynamically updates the UI based on the user's input.

Below is the JS file for the reusable lookup component:

import { LightningElement,api,wire } from 'lwc'; 

import fetchLookupData from '@salesforce/apex/reusableLookupController.fetchLookupData'; 

import fetchDefaultRecord from '@salesforce/apex/reusableLookupController.fetchDefaultRecord'; 

 

export default class ReusableLookup1 extends LightningElement { 

    @api label = ''; 

    @api placeholder = 'search...'; 

    @api iconName = ''; 

    @api sObjectApiName = ''; 

    @api defaultRecordId = ''; 

    @api dependentId=''; 

 

    lstResult = []; 

    hasRecords = true; 

    searchKey=''; 

    isSearchLoading = false; 

    delayTimeout; 

    selectedRecord = {}; 

 

    connectedCallback(){ 

        console.log('this is custom lookup'); 

        // this.searchKey = this.selectedRecord.Name; 

        // console.log('this.searchKey ==>> ',this.searchKey); 

 

         if(this.defaultRecordId != ''){ 

            fetchDefaultRecord({ recordId: this.defaultRecordId , 'sObjectApiName' : this.sObjectApiName }) 

            .then((result) => { 

                if(result != null){ 

                    console.log('result is25',result); 

                    this.selectedRecord = result; 

                     

 

                    this.handelSelectRecordHelper(); 

                } 

            }) 

            .catch((error) => { 

                console.log('error is32',error); 

                this.error = error; 

                this.selectedRecord = {}; 

            }); 

          } 

 

    @wire(fetchLookupData, { searchKey: '$searchKey' , sObjectApiName : '$sObjectApiName', dependent: '$dependentId' }) 

     searchResult(value) { 

        const { data, error } = value; 

        this.isSearchLoading = false; 

        if (data) { 

             this.hasRecords = data.length == 0 ? false : true; 

             this.lstResult = JSON.parse(JSON.stringify(data)); 

         } 

        else if (error) { 

           console.log('(error---> ' + JSON.stringify(error)); 

         } 

    }; 

 

    handleKeyChange(event) { 

        try{ 

        this.isSearchLoading = true; 

        console.log('11111111'); 

        window.clearTimeout(this.delayTimeout); 

        console.log('22222222'); 

        const searchKey = event.target.value; 

        console.log('33333333'); 

       // this.delayTimeout = setTimeout(() => { 

        this.searchKey = searchKey; 

        console.log('44444444'); 

       console.log('this.searchKey'+this.searchKey); 

        // }, DELAY); 

    } 

    catch(error){ 

console.log('error', error); 

    } 

    } 

 

    toggleResult(event){ 

        console.log('entered in toggle result'); 

        const lookupInputContainer = this.template.querySelector('.lookupInputContainer'); 

        const clsList = lookupInputContainer.classList; 

        const whichEvent = event.target.getAttribute('data-source'); 

        switch(whichEvent) { 

            case 'searchInputField': 

                clsList.add('slds-is-open'); 

               break; 

               case 'lookupContainer': 

                clsList.remove('slds-is-open');     

            break;                     

           } 

     } 

 

   handleRemove(){ 

    try{ 

    this.searchKey = '';     

    this.selectedRecord = {}; 

    const searchBoxWrapper = this.template.querySelector('.searchBoxWrapper'); 

     searchBoxWrapper.classList.remove('slds-hide'); 

     searchBoxWrapper.classList.add('slds-show'); 

     const pillDiv = this.template.querySelector('.pillDiv'); 

     pillDiv.classList.remove('slds-show'); 

     pillDiv.classList.add('slds-hide'); 

 

    } 

    catch(error){ 

        console.log('error',error); 

    } 

  } 

 

  

 

  handelSelectedRecord(event) { 

    const objId = event.target.getAttribute('data-recid'); 

    if (this.selectedRecord && this.selectedRecord.Id === objId) { 

        console.log('Deselecting...'); 

        this.selectedRecord = {}; 

    } else { 

        this.selectedRecord = this.lstResult.find((data) => data.Id === objId); 

         

    } 

    console.log('Selected Record: ', this.selectedRecord); 

    this.lookupUpdatehandler(this.selectedRecord); 

    this.handelSelectRecordHelper(); 

 

handelSelectRecordHelper(){ 

    this.template.querySelector('.lookupInputContainer').classList.remove('slds-is-open'); 

     const searchBoxWrapper = this.template.querySelector('.searchBoxWrapper'); 

     searchBoxWrapper.classList.remove('slds-show'); 

     searchBoxWrapper.classList.add('slds-hide'); 

     const pillDiv = this.template.querySelector('.pillDiv'); 

     pillDiv.classList.remove('slds-hide'); 

     pillDiv.classList.add('slds-show');     

 

  

 

 

lookupUpdatehandler(value){  

    try{    

        const oEvent = new CustomEvent('lookupupdate',{'detail': {selectedRecord: value}}); 

        this.dispatchEvent(oEvent); 

    } 

    catch(error){ 

        console.log('error is',error); 

    } 

 

Explanation of the Code

  1. Properties (@api and @track):

    • @api: Used for public properties like the label, placeholder, objectApiName, fieldName, and fieldsToDisplay, configurable when the component is used in another context.

    • @track: Reactive properties like searchTerm, searchResults, and showDropdown ensure UI updates when their values change.

  2. Debouncing with search timeout:

    • Prevents excessive calls to the Apex controller by waiting 300 milliseconds after the user stops typing.

  3. Fetching Search Results (fetch search results):

    • Calls the searchRecords method in the Apex controller to fetch matching records.

    • Maps the results to an array with ID and label for easier processing.

  4. User Selection (handle select):

    • It captures the selected record and dispatches a custom event (record select) to notify the parent component of the selection.

    • Resets the search field and closes the dropdown.

  5. Dropdown Visibility (handleBlur):

    • Closes the dropdown when the user clicks outside the component.

  6. Custom Events:

    • The recordselect event lets the parent component receive details about the selected record.

Key Features of the Code

  • Reusability: The component works for any object and field in Salesforce, making it highly reusable.

  • Performance Optimization: Debouncing prevents unnecessary server calls.

  • Event-Driven: Uses custom events to communicate with the parent component.

  • Error Handling: Logs errors gracefully in case of issues with the Apex call.

This JS file is the backbone of the reusable lookup component, ensuring smooth functionality and interaction with the Salesforce backend. Let me know if you'd like me to assist with further enhancements!

XML File of the Reusable Lookup Component

The XML file (the configuration file) for a Lightning Web Component (LWC) defines its metadata and configuration settings. It specifies the component's visibility, target environments, and other settings.

Below is the XML file for the reusable lookup component:

 

 

57.0 

true 

 

lightning__RecordPage 

lightning__AppPage 

lightning__HomePage 

 

 

Explanation of the XML File

  1. :

    • Specifies the API version of Salesforce to ensure compatibility. Always use the latest version supported by your Salesforce org (e.g., 57.0).

  2. :

    • Determines whether the component is exposed for use in the Lightning App Builder or Community Builder. Setting it to true makes the component available for placement.

  3. :

    • Specifies the environments where the component can be used. In this example:

      • lightning__RecordPage: Allows the component to be used on record pages.

      • lightning__AppPage: Allows usage on app pages.

      • lightning__HomePage: Enables use on the home page.

  4. :

    • Defines custom configurations for each target.

    • Includes input properties that are configurable by users in the Lightning App Builder.

Configurable Input Properties

The tags define the properties that users can customize in the Lightning App Builder:

  • Label: Customizable label for the lookup input field.

  • Placeholder: Placeholder text displayed in the input field.

  • objectApiName: The API name of the Salesforce object for the lookup (e.g., Account, Contact).

  • fieldName: The field on the object to search (e.g., Name, Email).

  • Fields to display: Additional fields in the search results (comma-separated).

Use Case Scenarios

  • Record Pages: Add the reusable lookup to custom record pages to allow users to search and link related records.

  • App Pages: Use the component in a Lightning app for custom workflows or dashboards.

  • Home Pages: Provide quick access to search functionality from the Lightning home page.

This XML file ensures the component is registered correctly and configurable in various Salesforce environments, enhancing its flexibility and usability. Let me know if you'd like additional customization or details!

How to Use the Reusable Lookup Component in Another LWC?

To use the Reusable Lookup Component in another LWC, you need to follow these steps:

  1. Import the Component into the Parent LWC:

    • Import the reusable lookup component into the JavaScript file of the parent component where you want to use it.

  2. Include the Component in the Parent HTML:

    • Insert the reusable lookup component into the parent component's HTML, passing in the necessary properties as attributes.

  3. Handle Events:

    • Listen for the custom record select event that the lookup component dispatches when a user selects a record.

Here's an the Reusable Lookup Component in a parent LWC:

//HTML:- 

 

//Js:-

import { LightningElement } from 'lwc'; 

export default class Lookupcall extends LightningElement { 

    handleValueSelectedOnAccount(event) { 

        if(event.detail.selectedRecord != undefined){ 

            console.log('Selected Record Value on Parent Component is ' +   

            JSON.stringify(event.detail.selectedRecord)); 

      } 

    } 

//XML:- 


 

 

57.0 

true 

 

lightning__RecordPage 

lightning__HomePage 

 

 

Example of Parent LWC: parentComponent.js

Explanation of the Parent Component

  1. JavaScript File (parentComponent.js):

    • The selected record property is used to store the details of the record specified by the user.

    • The handleRecordSelect method listens for the custom record select event dispatched by the reusable lookup component. When triggered, the event updates the selected record and displays a success toast.

  2. HTML File (parentComponent.html):

    • The Reusable Lookup Component is added using .

    • The label, placeholder, object-API-name, field-name, and fields-to-display attributes are passed to configure the lookup field.

    • The onrecordselect event handler is linked to the handleRecordSelect method in the parent component to capture the selected record.

Important Notes

  • The object-API-name attribute specifies the Salesforce object you want to search for, such as Account, Contact, etc.

  • The field-name attribute should be the field you want to search (e.g., Name, Phone, etc.).

  • The fields-to-display attribute can define which fields will be visible in the search result dropdown. This should be a comma-separated list (e.g., Name, Industry).

  • The onrecordselect handler allows you to manage the selected record in your parent component.

Following this approach, you can easily reuse the lookup component and integrate it into other components or pages within Salesforce.

Expected Output of Using the Reusable Lookup Component in Parent LWC

  1. User Interface (UI):

    • You will see a search box with a label, such as "Record Lookup" (or the label you set in the parent).

    • The placeholder text in the search box will say something like "Search for a record..." (this text is customizable).

    • As the user types in the search box, the lookup component will search records from the specified Salesforce object (e.g., Account, Contact) and display matching results based on the field name (e.g., Name).

  2. Search Results:

    • The lookup will display a dropdown with matching records, showing fields as specified in fields-to-display (e.g., Name, Industry).

    • For example, if you are searching for "Tech," it may show results like:

      • Tech Solutions, Technology

      • Tech Innovations, Engineering

    • The results will be presented with a label (usually the Name field), and based on your configuration, additional information like Industry will be displayed.

  3. Record Selection:

    • When the user clicks on a record in the dropdown, the selected record is passed back to the parent component, and the handleRecordSelect event is triggered.

    • The record details (label, Industry) will be displayed below the search box in the parent component, and a success toast will appear indicating the record was selected, such as:

      • Toast Notification: "Record Tech Solutions selected!"

  4. Details Display:

    • After selecting a record, the following details of the selected record will be displayed:

      • Name: "Tech Solutions"

      • Industry: "Technology"

Looking to Enhance Your Salesforce Experience?

At Codleo Consulting, we are a trusted Salesforce partner, offering expert Salesforce support and tailored solutions to optimize your business processes. Whether you're looking to implement a custom Salesforce solution or need guidance from experienced Salesforce consultants, our team is here to help you navigate every step of your Salesforce journey. Connect with us today to create seamless, efficient, and scalable Salesforce solutions that drive success for your organization!

Summary:

This blog provides a step-by-step guide on creating a reusable custom lookup component in Lightning Web Components (LWC). It covers the essential parts of the element, including the Apex controller, HTML structure, JavaScript logic, and XML metadata file. The tutorial emphasizes the importance of reusability and customization, enabling Salesforce developers to implement a flexible lookup component that can be easily integrated into various applications. Additionally, it outlines how to use the lookup component within other LWCs, ensuring seamless functionality for end-users. By the end of this guide, developers will have the knowledge to build and deploy a versatile lookup component in Salesforce.

About the Author

author
Arun Jangra

Arun is a 5x Salesforce certified Developer with an overall work experience of 9 years. He is very organised and uses his skill set & knowledge to deliver out-of-box solutions.

Recent Posts

Dreamforce 2025

Dreamforce 2025 Recap: Deep Dive...

Explore key highlights from Dreamforce 2025 as Salesforce ushers in the Agentic AI era, transforming businesses with innovation, data, and automation....

Salesforce Partner

Hire Smart: Full-Time or Contrac...

Thinking about hiring Salesforce developers? Whether full-time or contract, we’ll help you choose the best fit for your team and budget, stress-free...

Salesforce Consulting Services

Key Takeaways from Dreamforce 20...

Check out the top highlights from Dreamforce 2025 and see how the Agentic Enterprise is changing the way businesses work with smart Salesforce AI tool...

Salesforce Implementation Services

How a Salesforce Implementation ...

Find out how a Salesforce implementation partner can make your life easier, fix problems faster, and help your business grow with less hassle....

Salesforce Consulting Service

Is Your Salesforce Consulting Fi...

Find out if your Salesforce consulting firm is truly ready for AI. See the signs, get tips, and explore how to grow in today’s AI-powered business w...

LET'S MEET

Mob: +91 93118 16065

India Office Address

603 D-Mall Netaji Subhash Place, Delhi 110034 IND

Logix Cyber Park, Tower D, 9th & C-28 & 29, C Block, Sector 62,Noida, Gautam Buddh Nagar, Uttar Pradesh 201301

US Office Addresses

16192 Coastal Highway Lewes, Delaware 19958 USA

539 W. Commerce St Suite 6079, Dallas, TX 75208 USA

consult@codleo.com