To create a Contact automatically whenever a new Account is created, you can write an Apex Trigger in Salesforce. Here's how to implement this functionality:
trigger CreateContactOnAccountInsert on Account (after insert) {
List<Contact> contactsToInsert = new List<Contact>();
for (Account acc : Trigger.new) {
// Create a Contact record associated with the Account
contactsToInsert.add(new Contact(
FirstName = 'Default',
LastName = acc.Name, // Using Account Name as the Contact's Last Name
AccountId = acc.Id // Linking Contact to the Account
));
}
// Insert all new Contacts in bulk
if (!contactsToInsert.isEmpty()) {
insert contactsToInsert;
}
}
Explanation of the Code
- Trigger Event: - The trigger runs on the after insertevent because we need theAccountId(generated only after the Account record is saved) to link the Contact to the Account.
 
- The trigger runs on the 
- Logic: - For every Account in the Trigger.newlist, a newContactis created with:- A default FirstName(you can customize this).
- LastNameas the Account’s- Name.
- AccountIdto associate the Contact with the Account.
 
- A default 
 
- For every Account in the 
- Bulk Handling: 
- All new Contact records are stored in a List<Contact>and inserted in bulk to ensure efficient processing in case of bulk Account creation.


![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) 
 
 
