This article from compare.edu.vn explains how to compare old and new field values within a Salesforce trigger. Implementing effective data validation and auditing requires understanding how to access and compare these values. We’ll explore different approaches in Apex, providing solutions for handling changes in field values and ensuring data integrity, alongside related trigger best practices and optimization techniques for efficient Salesforce development.
1. Understanding the Trigger Context in Salesforce
In Salesforce, triggers are Apex code that execute before or after specific data manipulation language (DML) events occur, such as inserts, updates, or deletes, on Salesforce records. These triggers operate within a specific context, providing access to both the new and old versions of the records being processed. Understanding this context is crucial for accurately comparing old and new values.
1.1. Trigger.new: The New State of Records
Trigger.new
is a list of the new versions of the sObject records. This variable is only available in insert, update, and undelete triggers. It represents the records as they will be saved to the database (or as they are being undeleted).
- For insert triggers,
Trigger.new
contains the records that are about to be inserted. - For update triggers,
Trigger.new
contains the records that are about to be updated. - For undelete triggers,
Trigger.new
contains the records that are being restored from the recycle bin.
1.2. Trigger.old: The Original State of Records
Trigger.old
is a list of the original versions of the sObject records. This variable is only available in update and delete triggers. It provides access to the field values of the records before the DML operation occurred.
- For update triggers,
Trigger.old
contains the records as they existed before the update. - For delete triggers,
Trigger.old
contains the records before they were deleted.
1.3. Trigger.newMap and Trigger.oldMap: Efficient Access to Records
Trigger.newMap
and Trigger.oldMap
are maps that provide efficient access to records by their IDs. These maps are particularly useful when you need to quickly retrieve the old or new values of a specific record within the trigger context.
Trigger.newMap
is a map of ID to the new version of the sObject records.Trigger.oldMap
is a map of ID to the old version of the sObject records.
1.4. Trigger Events and Their Availability
The availability of Trigger.new
, Trigger.old
, Trigger.newMap
, and Trigger.oldMap
depends on the trigger event. The following table summarizes the availability of these context variables for each trigger event:
Trigger Event | Trigger.new | Trigger.old | Trigger.newMap | Trigger.oldMap |
---|---|---|---|---|
before insert | Yes | No | No | No |
after insert | Yes | No | Yes | No |
before update | Yes | Yes | Yes | Yes |
after update | Yes | Yes | Yes | Yes |
before delete | No | Yes | No | Yes |
after delete | No | Yes | No | Yes |
before undelete | Yes | No | No | No |
after undelete | Yes | No | Yes | No |
Understanding which context variables are available for each trigger event is essential for writing accurate and efficient triggers. By leveraging these variables appropriately, you can effectively compare old and new values to implement complex business logic within your Salesforce environment.
2. Techniques for Comparing Old and New Values
Comparing old and new values in Salesforce triggers is a common requirement for implementing various business logic scenarios. Here are several techniques to achieve this, along with code examples and explanations.
2.1. Direct Comparison of Field Values
The simplest way to compare old and new values is to directly compare the field values of the records in Trigger.new
and Trigger.old
. This approach is suitable when you need to compare a small number of fields and the trigger logic is relatively simple.
trigger AccountTrigger on Account (after update) {
for (Account newAccount : Trigger.new) {
Account oldAccount = Trigger.oldMap.get(newAccount.Id);
if (newAccount.Name != oldAccount.Name) {
// The Account Name has been updated
System.debug('Account Name changed from: ' + oldAccount.Name + ' to: ' + newAccount.Name);
}
if (newAccount.Industry != oldAccount.Industry) {
// The Account Industry has been updated
System.debug('Account Industry changed from: ' + oldAccount.Industry + ' to: ' + newAccount.Industry);
}
}
}
In this example, we iterate through the Trigger.new
list and retrieve the corresponding old account record from Trigger.oldMap
using the account ID. We then compare the Name
and Industry
fields of the old and new account records. If the values are different, we log a debug message indicating the change.
2.2. Using the .hasChanged() Method (for Specific Field Types)
For certain field types, such as checkbox fields, Salesforce provides the .hasChanged()
method, which simplifies the comparison of old and new values. This method returns true
if the field value has changed and false
otherwise.
trigger ContactTrigger on Contact (after update) {
for (Contact newContact : Trigger.new) {
Contact oldContact = Trigger.oldMap.get(newContact.Id);
if (newContact.DoNotCall.hasChanged()) {
// The DoNotCall field has been updated
if (newContact.DoNotCall == true) {
System.debug('Contact opted out of calls.');
} else {
System.debug('Contact opted back in to calls.');
}
}
}
}
In this example, we use the .hasChanged()
method to check if the DoNotCall
checkbox field has been updated. If it has, we check the new value of the field and log a debug message indicating whether the contact has opted in or out of calls.
2.3. Comparing Collections of Values
Sometimes, you may need to compare collections of values, such as a list of related records or a multi-select picklist. In these cases, you can use Apex code to iterate through the collections and compare the individual values.
trigger OpportunityTrigger on Opportunity (after update) {
for (Opportunity newOpportunity : Trigger.new) {
Opportunity oldOpportunity = Trigger.oldMap.get(newOpportunity.Id);
// Compare the list of Opportunity Line Items
List<OpportunityLineItem> newLineItems = [SELECT Id, Product2Id FROM OpportunityLineItem WHERE OpportunityId = :newOpportunity.Id];
List<OpportunityLineItem> oldLineItems = [SELECT Id, Product2Id FROM OpportunityLineItem WHERE OpportunityId = :oldOpportunity.Id];
if (newLineItems.size() != oldLineItems.size()) {
// The number of Opportunity Line Items has changed
System.debug('Number of Opportunity Line Items changed from: ' + oldLineItems.size() + ' to: ' + newLineItems.size());
} else {
// Compare the Product2Id of each Opportunity Line Item
for (Integer i = 0; i < newLineItems.size(); i++) {
if (newLineItems[i].Product2Id != oldLineItems[i].Product2Id) {
System.debug('Opportunity Line Item Product2Id changed from: ' + oldLineItems[i].Product2Id + ' to: ' + newLineItems[i].Product2Id);
}
}
}
}
}
In this example, we compare the list of Opportunity Line Items associated with the old and new opportunity records. We first check if the number of line items has changed. If it has, we log a debug message. Otherwise, we iterate through the line items and compare the Product2Id
of each line item. If the Product2Id
has changed, we log a debug message.
2.4. Considerations for Null Values
When comparing old and new values, it’s important to consider the possibility of null values. If a field is null in either the old or new record, you need to handle this case appropriately to avoid null pointer exceptions.
trigger CaseTrigger on Case (after update) {
for (Case newCase : Trigger.new) {
Case oldCase = Trigger.oldMap.get(newCase.Id);
// Check if the OwnerId has changed, handling null values
if ((newCase.OwnerId == null && oldCase.OwnerId != null) ||
(newCase.OwnerId != null && oldCase.OwnerId == null) ||
(newCase.OwnerId != null && oldCase.OwnerId != null && newCase.OwnerId != oldCase.OwnerId)) {
// The Case Owner has been updated
System.debug('Case Owner changed from: ' + oldCase.OwnerId + ' to: ' + newCase.OwnerId);
}
}
}
In this example, we check if the OwnerId
of the case has changed, handling the case where either the old or new OwnerId
is null. We use a combination of null checks and value comparisons to ensure that we correctly identify when the case owner has been updated.
By using these techniques, you can effectively compare old and new values in Salesforce triggers and implement complex business logic based on changes to field values. Remember to consider the specific requirements of your use case and choose the most appropriate technique for comparing the values.
3. Best Practices for Trigger Implementation
Implementing Salesforce triggers effectively requires adherence to best practices to ensure code maintainability, scalability, and performance. Here are some essential best practices to follow when working with Salesforce triggers.
3.1. One Trigger Per Object
Implementing a single trigger per object is a fundamental best practice that helps maintain code organization and prevents conflicts between multiple triggers. This approach simplifies debugging and ensures a clear execution order.
-
Benefits:
- Code Organization: Centralizes trigger logic for each object in one place.
- Conflict Prevention: Avoids conflicts between multiple triggers trying to modify the same data.
- Debugging: Simplifies debugging by tracing the execution path within a single trigger.
- Maintainability: Makes it easier to maintain and update trigger logic over time.
-
Implementation:
- Create a single trigger for each object (e.g.,
AccountTrigger
,ContactTrigger
). - Use a handler class to manage the trigger logic (see the next section).
- Create a single trigger for each object (e.g.,
3.2. Use a Handler Class
A handler class is a separate Apex class that contains the actual logic executed by the trigger. This separates the trigger logic from the trigger declaration, making the code more modular and testable.
-
Benefits:
- Modularity: Separates trigger logic into reusable methods.
- Testability: Makes it easier to write unit tests for the trigger logic.
- Readability: Improves code readability by keeping the trigger declaration concise.
- Maintainability: Simplifies maintenance by isolating the trigger logic in a separate class.
-
Implementation:
- Create a handler class for each trigger (e.g.,
AccountTriggerHandler
). - Move the trigger logic into methods within the handler class.
- Call the handler class methods from the trigger.
- Create a handler class for each trigger (e.g.,
// Trigger: AccountTrigger
trigger AccountTrigger on Account (after insert, after update) {
if (Trigger.isAfter && Trigger.isUpdate) {
AccountTriggerHandler.handleAfterUpdate(Trigger.new, Trigger.oldMap);
}
if (Trigger.isAfter && Trigger.isInsert) {
AccountTriggerHandler.handleAfterInsert(Trigger.new);
}
}
// Handler Class: AccountTriggerHandler
public class AccountTriggerHandler {
public static void handleAfterUpdate(List<Account> newAccounts, Map<Id, Account> oldMap) {
// Implement logic for after update event
for (Account newAccount : newAccounts) {
Account oldAccount = oldMap.get(newAccount.Id);
if (newAccount.Name != oldAccount.Name) {
// Account Name has been updated
System.debug('Account Name changed from: ' + oldAccount.Name + ' to: ' + newAccount.Name);
}
}
}
public static void handleAfterInsert(List<Account> newAccounts) {
// Implement logic for after insert event
for (Account newAccount : newAccounts) {
System.debug('New Account inserted: ' + newAccount.Name);
}
}
}
3.3. Avoid SOQL Queries and DML Operations Inside Loops
Performing SOQL queries and DML operations inside loops can lead to governor limits being exceeded, causing the trigger to fail. To avoid this, collect the necessary data outside the loop and perform the queries and DML operations in bulk.
-
Benefits:
- Governor Limits: Prevents exceeding governor limits for SOQL queries and DML operations.
- Performance: Improves trigger performance by reducing the number of database operations.
- Scalability: Ensures the trigger can handle large volumes of data without failing.
-
Implementation:
- Collect the IDs of the records that need to be queried or updated.
- Perform the SOQL query or DML operation outside the loop using the collected IDs.
// Trigger: AccountTrigger
trigger AccountTrigger on Account (after update) {
if (Trigger.isAfter && Trigger.isUpdate) {
AccountTriggerHandler.handleAfterUpdate(Trigger.new, Trigger.oldMap);
}
}
// Handler Class: AccountTriggerHandler
public class AccountTriggerHandler {
public static void handleAfterUpdate(List<Account> newAccounts, Map<Id, Account> oldMap) {
// Collect the IDs of the Accounts that need to be updated
List<Id> accountIdsToUpdate = new List<Id>();
for (Account newAccount : newAccounts) {
Account oldAccount = oldMap.get(newAccount.Id);
if (newAccount.Name != oldAccount.Name) {
accountIdsToUpdate.add(newAccount.Id);
}
}
// Perform the SOQL query outside the loop
List<Account> accountsToUpdate = [SELECT Id, Description FROM Account WHERE Id IN :accountIdsToUpdate];
// Update the Accounts in bulk
for (Account account : accountsToUpdate) {
account.Description = 'Account Name has been updated.';
}
update accountsToUpdate;
}
}
3.4. Bulkify Your Code
Bulkifying your code means designing it to handle multiple records at once, rather than processing them individually. This is essential for triggers, as they can be invoked with a batch of records.
-
Benefits:
- Governor Limits: Prevents exceeding governor limits for CPU time and heap size.
- Performance: Improves trigger performance by processing records in bulk.
- Scalability: Ensures the trigger can handle large volumes of data efficiently.
-
Implementation:
- Use collections (e.g., Lists, Sets, Maps) to store records.
- Iterate through the collections to process the records in bulk.
- Perform SOQL queries and DML operations in bulk.
3.5. Avoid Hardcoding IDs
Hardcoding IDs in your code can lead to issues when deploying the code to different environments, as the IDs may not be the same. Instead, use dynamic SOQL queries or custom settings to retrieve the IDs.
-
Benefits:
- Deployment: Ensures the code works correctly in different environments.
- Maintainability: Makes it easier to update the code when IDs change.
- Flexibility: Provides more flexibility in managing IDs.
-
Implementation:
- Use dynamic SOQL queries to retrieve IDs based on record attributes.
- Use custom settings to store IDs that can be configured in different environments.
3.6. Use Future Methods Sparingly
Future methods are used to execute code asynchronously, which can be useful for performing long-running operations. However, overuse of future methods can lead to performance issues and governor limit exceptions.
-
Benefits:
- Asynchronous Processing: Allows you to perform long-running operations without blocking the user interface.
- Governor Limits: Can help avoid governor limit exceptions by executing code asynchronously.
-
Implementation:
- Use future methods only when necessary for long-running operations.
- Limit the number of future method calls to avoid performance issues.
- Consider using queueable Apex for more robust asynchronous processing.
3.7. Write Test Classes
Writing test classes is essential for ensuring the quality and reliability of your triggers. Test classes should cover all possible scenarios and ensure that the trigger behaves as expected.
-
Benefits:
- Code Quality: Ensures the code meets quality standards and behaves as expected.
- Reliability: Reduces the risk of errors and unexpected behavior.
- Deployment: Required for deploying code to production environments.
-
Implementation:
- Write test classes for each trigger and handler class.
- Cover all possible scenarios, including positive and negative test cases.
- Ensure that the test classes achieve at least 75% code coverage.
3.8. Use Governor Limit-Conscious Code
Governor limits are runtime limits enforced by the Lightning platform to ensure that no single process monopolizes shared resources. Be aware of these limits, and write your code in a way that avoids exceeding them.
-
Benefits:
- Prevent Errors: Avoids exceeding governor limits and causing the trigger to fail.
- Optimize Performance: Improves trigger performance by using resources efficiently.
- Ensure Scalability: Ensures the trigger can handle large volumes of data without failing.
-
Implementation:
- Avoid SOQL queries and DML operations inside loops.
- Bulkify your code to process records in bulk.
- Use collections to store records efficiently.
- Use future methods sparingly.
By following these best practices, you can write Salesforce triggers that are maintainable, scalable, and performant. This will help ensure the success of your Salesforce implementation and provide a solid foundation for future development.
4. Advanced Trigger Techniques
Beyond the basic principles of trigger implementation, several advanced techniques can enhance your ability to manage and optimize Salesforce triggers. These techniques include using recursion control, implementing asynchronous processing, and leveraging platform events.
4.1. Recursion Control
Recursion occurs when a trigger causes another trigger to fire, potentially leading to an infinite loop. Implementing recursion control is crucial to prevent such scenarios and ensure the stability of your Salesforce environment.
-
Benefits:
-
Prevents Infinite Loops: Stops triggers from recursively firing and consuming excessive resources.
-
Ensures Stability: Maintains the stability of your Salesforce environment by preventing runaway processes.
-
Optimizes Performance: Improves performance by avoiding unnecessary trigger executions.
-
Implementation:
- Use a static variable to track whether the trigger has already executed.
- Check the static variable at the beginning of the trigger to determine whether to proceed.
- Set the static variable to
true
before executing the trigger logic. - Reset the static variable to
false
after executing the trigger logic.
// Trigger: AccountTrigger
trigger AccountTrigger on Account (after update) {
if (Trigger.isAfter && Trigger.isUpdate) {
AccountTriggerHandler.handleAfterUpdate(Trigger.new, Trigger.oldMap);
}
}
// Handler Class: AccountTriggerHandler
public class AccountTriggerHandler {
private static Boolean isExecuting = false;
public static void handleAfterUpdate(List<Account> newAccounts, Map<Id, Account> oldMap) {
if (isExecuting) {
return; // Prevent recursion
}
isExecuting = true;
try {
// Implement trigger logic here
for (Account newAccount : newAccounts) {
Account oldAccount = oldMap.get(newAccount.Id);
if (newAccount.Name != oldAccount.Name) {
// Account Name has been updated
System.debug('Account Name changed from: ' + oldAccount.Name + ' to: ' + newAccount.Name);
}
}
} finally {
isExecuting = false; // Reset the flag
}
}
}
4.2. Asynchronous Processing
Asynchronous processing allows you to execute code in a separate thread, which can be useful for performing long-running operations or integrating with external systems. Salesforce provides several mechanisms for asynchronous processing, including future methods, queueable Apex, and scheduled Apex.
-
Benefits:
-
Improves Performance: Allows you to perform long-running operations without blocking the user interface.
-
Avoids Governor Limits: Can help avoid governor limit exceptions by executing code asynchronously.
-
Integrates with External Systems: Enables you to integrate with external systems without impacting Salesforce performance.
-
Implementation:
- Future Methods: Use the
@future
annotation to execute a method asynchronously. - Queueable Apex: Implement the
Queueable
interface to execute a class asynchronously. - Scheduled Apex: Use the
System.schedule
method to schedule a class to execute at a specific time.
- Future Methods: Use the
// Future Method
public class AccountTriggerHandler {
@future
public static void updateAccountDescription(Set<Id> accountIds) {
List<Account> accountsToUpdate = [SELECT Id, Description FROM Account WHERE Id IN :accountIds];
for (Account account : accountsToUpdate) {
account.Description = 'Updated by future method.';
}
update accountsToUpdate;
}
}
// Queueable Apex
public class AccountQueueable implements Queueable {
private Set<Id> accountIds;
public AccountQueueable(Set<Id> accountIds) {
this.accountIds = accountIds;
}
public void execute(QueueableContext context) {
List<Account> accountsToUpdate = [SELECT Id, Description FROM Account WHERE Id IN :accountIds];
for (Account account : accountsToUpdate) {
account.Description = 'Updated by queueable Apex.';
}
update accountsToUpdate;
}
}
// Scheduled Apex
global class AccountScheduled implements Schedulable {
global void execute(SchedulableContext context) {
List<Account> accountsToUpdate = [SELECT Id, Description FROM Account LIMIT 100];
for (Account account : accountsToUpdate) {
account.Description = 'Updated by scheduled Apex.';
}
update accountsToUpdate;
}
}
4.3. Platform Events
Platform Events enable you to build event-driven applications by publishing and subscribing to custom events. Triggers can subscribe to platform events and execute logic in response to those events.
-
Benefits:
-
Event-Driven Architecture: Enables you to build loosely coupled, event-driven applications.
-
Scalability: Provides a scalable mechanism for handling events in Salesforce.
-
Integration: Simplifies integration with external systems by publishing and subscribing to events.
-
Implementation:
- Define a custom platform event.
- Publish the platform event from your trigger or Apex code.
- Create a trigger that subscribes to the platform event.
- Implement the logic to be executed when the platform event is received.
// Platform Event Definition
public class AccountUpdateEvent__e extends PlatformEvent {
public String AccountId { get; set; }
public String OldName { get; set; }
public String NewName { get; set; }
}
// Trigger to Publish Platform Event
trigger AccountTrigger on Account (after update) {
List<AccountUpdateEvent__e> events = new List<AccountUpdateEvent__e>();
for (Account newAccount : Trigger.new) {
Account oldAccount = Trigger.oldMap.get(newAccount.Id);
if (newAccount.Name != oldAccount.Name) {
AccountUpdateEvent__e event = new AccountUpdateEvent__e();
event.AccountId = newAccount.Id;
event.OldName = oldAccount.Name;
event.NewName = newAccount.Name;
events.add(event);
}
}
if (!events.isEmpty()) {
EventBus.publish(events);
}
}
// Trigger to Subscribe to Platform Event
trigger AccountUpdateEventTrigger on AccountUpdateEvent__e (after insert) {
for (AccountUpdateEvent__e event : Trigger.new) {
System.debug('Account updated: ' + event.AccountId + ' from ' + event.OldName + ' to ' + event.NewName);
}
}
4.4. Trigger Frameworks
Trigger frameworks provide a structured approach to managing triggers and handler classes. These frameworks typically include features such as recursion control, asynchronous processing, and platform event integration.
-
Benefits:
-
Structured Approach: Provides a structured approach to managing triggers and handler classes.
-
Code Reusability: Promotes code reusability by providing common functionality in a framework.
-
Maintainability: Improves maintainability by enforcing consistent coding standards.
-
Implementation:
- Choose a trigger framework that meets your needs.
- Implement your triggers and handler classes using the framework’s guidelines.
- Leverage the framework’s features for recursion control, asynchronous processing, and platform event integration.
By leveraging these advanced trigger techniques, you can build more robust, scalable, and maintainable Salesforce applications. These techniques enable you to handle complex business requirements and optimize the performance of your Salesforce environment.
5. Practical Use Cases for Comparing Values
Comparing old and new values in Salesforce triggers is essential for various practical use cases. These use cases range from auditing changes to implementing complex business rules and ensuring data quality.
5.1. Auditing Field Changes
Auditing field changes involves tracking modifications made to specific fields on a record. This is crucial for compliance, data governance, and historical analysis.
-
Scenario: Track changes to the
Status
field on aCase
object. -
Implementation:
trigger CaseTrigger on Case (after update) {
for (Case newCase : Trigger.new) {
Case oldCase = Trigger.oldMap.get(newCase.Id);
if (newCase.Status != oldCase.Status) {
// Create an Audit Log record
AuditLog__c auditLog = new AuditLog__c();
auditLog.Object_Name__c = 'Case';
auditLog.Record_Id__c = newCase.Id;
auditLog.Field_Name__c = 'Status';
auditLog.Old_Value__c = oldCase.Status;
auditLog.New_Value__c = newCase.Status;
auditLog.Changed_By__c = UserInfo.getUserId();
auditLog.Changed_Date__c = Datetime.now();
insert auditLog;
}
}
}
-
Explanation:
- The trigger runs after an update on the
Case
object. - It compares the
Status
field of the new and oldCase
records. - If the
Status
field has changed, it creates anAuditLog__c
record to track the change. - The
AuditLog__c
record stores the object name, record ID, field name, old value, new value, user who made the change, and the date of the change.
- The trigger runs after an update on the
5.2. Implementing Business Rules
Comparing old and new values is essential for implementing complex business rules. This ensures that the system behaves according to the organization’s requirements.
-
Scenario: Prevent the
CloseDate
of anOpportunity
from being moved back in time. -
Implementation:
trigger OpportunityTrigger on Opportunity (before update) {
for (Opportunity newOpportunity : Trigger.new) {
Opportunity oldOpportunity = Trigger.oldMap.get(newOpportunity.Id);
if (newOpportunity.CloseDate < oldOpportunity.CloseDate) {
// Add an error to the Opportunity record
newOpportunity.addError('Close Date cannot be moved back in time.');
}
}
}
-
Explanation:
- The trigger runs before an update on the
Opportunity
object. - It compares the
CloseDate
field of the new and oldOpportunity
records. - If the
CloseDate
is being moved back in time, it adds an error to theOpportunity
record, preventing the update.
- The trigger runs before an update on the
5.3. Ensuring Data Quality
Comparing old and new values helps ensure data quality by validating changes and preventing invalid data from being saved.
-
Scenario: Validate that the
Email
field on aContact
record is not changed to an invalid format. -
Implementation:
trigger ContactTrigger on Contact (before update) {
for (Contact newContact : Trigger.new) {
Contact oldContact = Trigger.oldMap.get(newContact.Id);
if (newContact.Email != oldContact.Email) {
// Validate the Email format
if (!Pattern.matches('[a-zA-Z0-9._%+-]+@[a-zA-Z0-9.-]+\.[a-zA-Z]{2,}', newContact.Email)) {
// Add an error to the Contact record
newContact.addError('Invalid Email format.');
}
}
}
}
-
Explanation:
- The trigger runs before an update on the
Contact
object. - It compares the
Email
field of the new and oldContact
records. - If the
Email
field has changed, it validates the newEmail
format using a regular expression. - If the
Email
format is invalid, it adds an error to theContact
record, preventing the update.
- The trigger runs before an update on the
5.4. Triggering Actions Based on Field Changes
Comparing old and new values can trigger actions based on specific field changes. This allows you to automate business processes and respond to changes in real-time.
-
Scenario: Send an email notification when the
Priority
field on aCase
is changed toHigh
. -
Implementation:
trigger CaseTrigger on Case (after update) {
for (Case newCase : Trigger.new) {
Case oldCase = Trigger.oldMap.get(newCase.Id);
if (newCase.Priority == 'High' && oldCase.Priority != 'High') {
// Send an email notification
Messaging.SingleEmailMessage mail = new Messaging.SingleEmailMessage();
mail.setToAddresses(new String[] { newCase.Contact.Email });
mail.setSubject('Case Priority Changed to High');
mail.setPlainTextBody('The priority of Case ' + newCase.CaseNumber + ' has been changed to High.');
Messaging.sendEmail(new Messaging.SingleEmailMessage[] { mail });
}
}
}
-
Explanation:
- The trigger runs after an update on the
Case
object. - It compares the
Priority
field of the new and oldCase
records. - If the
Priority
field has been changed toHigh
, it sends an email notification to the contact associated with the case.
- The trigger runs after an update on the
5.5. Calculating Field Values
Comparing old and new values can be used to calculate field values based on changes to other fields. This allows you to automate calculations and maintain data consistency.
-
Scenario: Update the
TotalAmount
field on anOpportunity
when theAmount
field is changed. -
Implementation:
trigger OpportunityTrigger on Opportunity (after update) {
for (Opportunity newOpportunity : Trigger.new) {
Opportunity oldOpportunity = Trigger.oldMap.get(newOpportunity.Id);
if (newOpportunity.Amount != oldOpportunity.Amount) {
// Calculate the TotalAmount
newOpportunity.TotalAmount__c = newOpportunity.Amount + (newOpportunity.Amount * 0.1);
update newOpportunity;
}
}
}
-
Explanation:
- The trigger runs after an update on the
Opportunity
object. - It compares the
Amount
field of the new and oldOpportunity
records. - If the
Amount
field has changed, it calculates theTotalAmount__c
field based on the newAmount
value and updates theOpportunity
record.
- The trigger runs after an update on the
By leveraging these practical use cases, you can effectively use Salesforce triggers to automate business processes, ensure data quality, and implement complex business rules. Understanding how to compare old and new values is essential for building robust and scalable Salesforce applications.
6. Common Pitfalls and How to Avoid Them
While Salesforce triggers are powerful tools, they can also introduce challenges if not implemented carefully. Understanding common pitfalls and how to avoid them is crucial for ensuring the stability, performance, and maintainability of your Salesforce environment.
6.1. Exceeding Governor Limits
Governor limits are runtime limits enforced by the Lightning platform to ensure that no single process monopolizes shared resources. Exceeding these limits can cause triggers to fail, leading to data inconsistencies and application errors.
-
Pitfall:
-
Performing SOQL queries and DML operations inside loops.
-
Using excessive CPU time or heap size.
-
Exceeding the maximum number of SOQL queries or DML operations per transaction.
-
How to Avoid:
- Bulkify Your Code: Process records in bulk to reduce the number of SOQL queries and DML operations.
- Avoid SOQL Queries and DML Operations Inside Loops: Collect the necessary data outside the loop and perform the queries and DML operations in bulk.
- Use Collections: Store records in collections to process them efficiently.
- Limit CPU Time and Heap Size: Optimize your code to reduce CPU time and heap size usage.
- Use Future Methods and Queueable Apex: Execute long-running operations asynchronously to avoid exceeding governor limits.
6.2. Trigger Recursion
Trigger recursion occurs when a trigger causes another trigger to fire, potentially leading to an infinite loop. This can consume excessive resources and cause the Salesforce environment to become unstable.
-
Pitfall:
-
Updating a record in a trigger that causes the same trigger to fire again.
-
Creating a chain of triggers that recursively call each other.
-
How to Avoid:
- Implement Recursion Control: Use a static variable to track whether the trigger has already executed and prevent it from firing again.
- Design Triggers Carefully: Avoid creating complex trigger chains that can lead to recursion.
- Use Platform Events: Publish and subscribe to platform events to decouple triggers and avoid recursion.
6.3. Hardcoding IDs
Hardcoding IDs in your code can lead to issues when deploying the code to different environments, as the IDs may not be the same. This can cause triggers to fail or behave unexpectedly.
-
Pitfall:
-
Using hardcoded IDs in SOQL queries, DML operations, or code logic.
-
How to Avoid:
- **Use Dynamic SOQL Queries