Here's how you can write a trigger in Salesforce to update all related Contacts' HomePhone field whenever the Phone field on an Account is updated. The solution uses Parent-Child SOQL and adheres to best practices.
trigger UpdateContactsOnAccountPhoneChange on Account (after update) {
// Set to hold account IDs where the Phone has been updated
Set<Id> updatedAccountIds = new Set<Id>();
// Collect the IDs of Accounts where Phone has been updated
for (Account acc : Trigger.new) {
Account oldAcc = Trigger.oldMap.get(acc.Id);
if (acc.Phone != oldAcc.Phone) {
updatedAccountIds.add(acc.Id);
}
}
// If no relevant accounts, exit early
if (updatedAccountIds.isEmpty()) {
return;
}
// Query Contacts related to updated Accounts
List<Contact> contactsToUpdate = [
SELECT Id, HomePhone
FROM Contact
WHERE AccountId IN :updatedAccountIds
];
// Prepare the Contacts for update
List<Contact> contactsForUpdate = new List<Contact>();
for (Contact con : contactsToUpdate) {
Account updatedAcc = Trigger.newMap.get(con.AccountId);
con.HomePhone = updatedAcc.Phone; // Set HomePhone to Account Phone
contactsForUpdate.add(con);
}
// Perform the update on related Contacts
if (!contactsForUpdate.isEmpty()) {
update contactsForUpdate;
}
}
Key Points of the Implementation:
- Trigger Context: - The trigger runs on the Accountobject in theafter updatecontext.
- The aftercontext is used because we are updating child records (Contact) based on the changes in the parent record (Account).
 
- The trigger runs on the 
- Change Detection: - Compare Trigger.newandTrigger.oldto detect changes in thePhonefield ofAccount.
 
- Compare 
- Parent-Child SOQL: - Query Contactrecords where theAccountIdmatches the IDs of Accounts with updated Phone numbers.
 
- Query 
- Bulkified Code: - The code handles bulk updates efficiently by processing multiple Accounts and their related Contacts in batches.
 
- Avoid Recursive Triggers: 
- Ensure there is no logic in the Contacttrigger that could lead to recursion when these updates are performed.


![If the Account phone is updated then populate the phone number on alL related Contacts (Home Phone field). [Using Parent-Child SOQL] trigger in salesforce](https://blogger.googleusercontent.com/img/b/R29vZ2xl/AVvXsEjp7OoZ0uYR-zEPUDCajx2adeqNfNvtrA8ZW3wPUZqdxtc6Pe55g4peUCaGUVKq8g1iLBGlOctgG5lIQOQDegUh6ebV7NIN6nSdvuO1lxipvWZQQNreDXP_pUCIcoBr2WvxsXZr9jsrta9suIMTtD8wqwpQMKXcwJ2g9bFcziP7d087CyTG5T5hMIRq5Y7k/w680/Untitled-design-3.png) 
![If the Account billing address is updated then update related contacts mailing address. [Using Map] trigger in salesforce](https://blogger.googleusercontent.com/img/b/R29vZ2xl/AVvXsEhKUEcm1XaUVMP9ksrHphC74bPA7MjYca2rjoyHr4-A1a1RI0iJahHAKxXwgzG-BjKvZnDkUpQrn78B6z9nHgvSbGiLqt_PEAh6vLwF1B0yCtYESkcexSBclZyPdaaGSBPhMqB7FJ38BxEAm88Jn1eiTiF2XF2qjPBAaDoAKR7lGaw74QfHfdyv92RSEMBF/w680/maxresdefault.jpg) 
 
 
