DF Process Automation an Logic P2 Flashcards

1
Q

Cosmic Support is building a complex record-triggered flow to automate its onboarding process. While saving the flow, issues seem to be encountered preventing the flow from being saved. Which feature can be used to help troubleshoot the flow?

A. Debug button
B. Custom Error element
C. Flow Trigger Explore
D. Errors and Warnings Pane

A

✅ D. Errors and Warnings Pane

The Errors and Warnings pane in Flow Builder provides a summarized list of issues that prevent a flow from being saved or activated. Clicking on the error or warning highlights or opens up the configuration window of the element that is causing the issue.

The Flow Trigger Explorer is used to view related record-triggered flows and their status, order, and trigger types (before-save, after-save, anonymous, and scheduled). The Debug button is used to run the flow in the debug mode. The Custom Error element in Flow Builder is used to deliberately terminate the flow transaction when a required condition, for example, is not met.

Troubleshoot Configuration Issues Systematically with the Errors and Warning Pane

Explanation:
The Errors and Warnings Pane in Flow Builder displays any errors or warnings that prevent the flow from being saved. It provides detailed information about what needs to be fixed, such as missing required fields, invalid configurations, or unsupported logic.

Why not the others?
A. Debug button

The Debug button is used to test and debug a flow after it has been saved. It does not help troubleshoot issues that prevent the flow from being saved.

B. Custom Error element

The Custom Error element is used to handle and display custom error messages during flow execution. It is not used for troubleshooting flow configuration issues.

C. Flow Trigger Explorer

Flow Trigger Explorer is a tool used to view and manage record-triggered flows in an org. It does not provide troubleshooting capabilities for saving flows.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
2
Q

Which Apex trigger context variable returns a map of IDs to the old versions of the sObject records?

A. oldMap
B. updateMap
C. insertMap
D. newMap

A

A. oldMap

The Trigger.oldMap context variable returns a map collection where the key is the record ID and the value is the old version of the sObject record. This trigger context variable is only available in update and delete triggers.

The Trigger.newMap context variable returns a map collection where the key is the record ID and the value is the new version of the sObject record. An ‘updateMap’ or ‘insertMap’ trigger context variable does not exist.

Trigger Context Variables

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
3
Q

Considering Apex best practices, which of the following example code snippets is acceptable to be included within a for loop?

A. insert accountRecord;
B. Database.update(accountRecords, false);
C. Opportunity opp = [SELECT Name FROM Opportunity WHERE AccountId = :accountRecord.Id LIMIT 1];
D. if (accountRecord.NumberOfEmployees > 1000) { accountRecord.Priority__c = ‘High’; }

A

D. if (accountRecord.NumberOfEmployees > 1000) { accountRecord.Priority__c = ‘High’; }

A common mistake is that queries or DML statements are placed inside a for loop. There are governor limits that restrict the allowed number of SOQL queries and DML statements (insert, update, delete, undelete) that can be performed in a single transaction. When these statements are placed inside a for loop, the operation will be invoked once per iteration, making it very easy to exceed the governor limits.

Improve Your Apex Code

The 15 Apex Commandments

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
4
Q

There are two existing workflow field updates, and their ‘Re-evaluate Workflow Rules after Field Change’ options have been enabled. The field update on workflow rule A triggers workflow rule B, and vice-versa. What will be the result of the field updates in this scenario?

A. Recursion does not happen as workflow field updates automatically prevent such occurrence.
B. A recursive loop may happen and exceed the org limit for workflow time triggers per hour.
C. Only the first triggered workflow will run and the second workflow will be prevented from running.
D. The workflow re-evaluation will be automatically prevented from running to avoid a recursion.

A

B. A recursive loop may happen and exceed the org limit for workflow time triggers per hour.

Workflow rules can create recursive loops. For example, if a field update for Rule1 triggers Rule2, and a field update for Rule2 triggers Rule1, it will cause recursion and may cause the organization to exceed its limit for workflow time triggers per hour.

Workflow field updates do not have a recursion prevention mechanism. Both workflows will be triggered as one causes the other to run. The workflow re-evaluation will be executed.

Field Updates That Reevaluate Workflow Rules

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
5
Q

A developer needs to store the IDs of all the related accounts from a list of contacts. Which collection data types can be used to prevent duplicate IDs?

A. List and Map
B. Set and Map
C. Group and List
D. Set and Enum

A

B. Set and Map

A set is an unordered collection of elements that do not allow duplicate values. To add an element to a set, the add() method of the Set class is used. This method will add an element only if the element doesn’t exist yet in the collection.

A map, which is an ordered collection of key-value pairs, can also be used since it does not allow duplicate keys. To add an element to a map, the put() method is used. In this case, the key will contain the ID of the record while the value can contain the record itself, for example, or any other value.

A list collection allows storing duplicate values. An ‘Enum’ is an abstract data type used for storing a predefined set of finite values and is not a valid collection data type. A ‘Group’ data type does not exist.

Sets

Maps

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
6
Q

A real estate company uses a custom checkbox field called ‘Is Primary Contact’ on the Contact object to allow users to easily mark a contact record as the primary contact of an account. When the primary contact is deleted, the value of a custom checkbox field called ‘Has Primary Contact’ on the related account should be set to false automatically. While creating an Apex trigger on the Contact object, which trigger event should be used to meet this requirement?

A. After Update
B. Before Delete
C. Before Update
D. After Delete

A

D. After Delete

Since the requirement is to update the related account after the primary contact has been deleted, the ‘After Delete’ trigger event on the Contact object should be used.

The ‘Before Delete’ trigger event is not recommended as it must be ensured that the contact has been successfully deleted first before updating the related account. The ‘Before Update’ and ‘After Update’ trigger events are fired when a record is updated.

To update another record (the related Account) when a child record (the Contact) is deleted, the recommended pattern is to use an After Delete trigger on the Contact. This is because in an after context, the record has already been removed from the database, and you can safely update a different object (the parent Account in this case).

Therefore, the correct answer is:

D. After Delete.

Why “After Delete” Is Best
Before Delete is primarily used for logic on the record being deleted itself (for example, to prevent deletion by throwing an error). While you could technically update a parent record in a before trigger, Salesforce best practices recommend using after triggers when modifying other objects, as the parent’s data can be cleanly updated after the child record’s final state is determined.
After Delete allows you to access the old record values in Trigger.old or Trigger.oldMap, making it straightforward to identify the parent and then update the parent record (e.g., setting Has_Primary_Contact__c = false).
Hence, to set the parent Account’s Has_Primary_Contact__c to false after its primary Contact has been deleted, choose an After Delete trigger.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
7
Q

Which of the following statements about triggers is true?

A. A developer can specify the version of Apex and API to be used with the trigger.
B. Apex triggers can be used to detect a ‘before undelete’ event.
C. Apex triggers are always active and cannot be turned off.
D. Attachment, ContentDocument, and Note standard object triggers cannot be created in the Salesforce UI.

A

A. A developer can specify the version of Apex and API to be used with the trigger.
D. Attachment, ContentDocument, and Note standard object triggers cannot be created in the Salesforce UI.

Apex triggers can be activated or deactivated. The ‘Active checkbox’, which is available while editing a trigger, can be used to turn the trigger on or off in a sandbox environment. The deactivated trigger can then be deployed to production to disable the same trigger in production.

In Object Manager, triggers of an object can be found in the Triggers section. The ‘Apex Triggers’ page in Setup can be used to view all triggers of any object. To create Apex triggers for the Attachment, ContentDocument, and Note standard object, the Developer Console, Visual Studio Code, or Code Builder tools can be used.

One may navigate to the version settings to specify the version of Apex and API. Triggers cannot be used to detect a ‘before undelete’ event. Supported trigger events are: before insert, before update, before delete, after insert, after update, after delete, and after undelete.

Defining Triggers

Get Started with Apex Triggers

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
8
Q

A custom object has a workflow rule that updates a field when a certain set of criteria is met. A ‘before update’ Apex trigger has also been defined on the object. What will happen when a user updates a record so that it meets the criteria of the workflow rule?

A. The Apex trigger will be fired twice
B. Both will be fired only once
C. An exception will be thrown due to a conflict between the tow
D. The Apex trigger will be fired first, voiding the Workflow Rule due to the order of excecution

A

A. The Apex trigger will be fired twice

According to the order of execution, ‘before’ triggers are run, ‘after’ triggers are run, and then workflow field updates are processed. If a field is updated due to a workflow rule, ‘before update’ and ‘after update’ triggers are run again one more time, and only one more time. In this case, since the record meets the criteria of the workflow rule, the ‘before update’ trigger will be run again after the workflow field update associated with the rule has been processed.

Triggers and Order of Execution

According to Salesforce’s Order of Execution:

The user’s change is saved to the database (after passing system validations).
All before triggers on the object run.
All after triggers on the object run.
Workflow rules are evaluated: if any are true, their field updates happen.
After a workflow field update, the record goes through the save process again, which includes running before and after triggers a second time.
Since you have a before update trigger and also a Workflow Field Update on the same object, here is what happens step by step when a user updates a record:

The before update trigger fires (1st time).
The record is saved (and the after update trigger would fire, if it exists).
The workflow rule is evaluated; the condition is met, so the field is updated.
Because the field was updated by workflow, the record goes back through “before” and “after” triggers again.
So, your before update trigger fires a 2nd time.
Hence, the Apex trigger (before update) will effectively run twice in this scenario.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
9
Q

Which of the following statements is true regarding future methods?

A. Methods annotated with @future cannot have a void return type.
B. Methods annotated with @future can call another future method.
C. Methods annotated with @future are executed synchronously.
D. Methods annotared with @future are executed asynchronously.

A

D. Methods annotared with @future are executed asynchronously.

The @future annotation is used to define methods that should be executed asynchronously. Future methods will then be executed only when the org has available resources.

A future method can only return void and does not support other return types. Also, a future method cannot invoke another future method.

Future Annotation

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
10
Q

A developer has imported 1,000 accounts into Salesforce and wants to verify the records using Apex to ensure that they were created properly. Before the import, there were already 50,000 accounts in the org. Which of the following is a valid consideration related to this use case?

A. Criteria should be added to the SOQL query to filter out unnecessary records.
B. DML statements should be used to process one record at a time only.
C. The ‘with sharing’ keyword should be used to ensure that the query finds the necessary records.
D. A SOQL query should be run inside a loop to retrieve fresh data in each iteration.

A

A. Criteria should be added to the SOQL query to filter out unnecessary records.

The total number of records that can be retrieved by a SOQL query in a single transaction is limited to 50,000. Criteria should be added to the SOQL query in the Apex code to make the query selective and prevent it from exceeding the limit.

If DML statements were used to process one record at a time, the governor limit for the maximum DML statements that can be issued in a transaction would be hit easily. Moreover, a DML statement would not be required for verifying the records.

Running a SOQL query inside a loop would easily hit the governor limit for the maximum queries that can be executed. Using the ‘with sharing’ keyword would limit access to the records by returning only those records that can be accessed by the current user.

Execution Governors and Limits

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
11
Q

What will happen when the following code is executed?

trigger CaseTrigger on Case (after insert) {
    List<Case> casesToInsert = new List<Case>();
    for (Case parent: Trigger.new) {
        Case child = new Case();
        child.ParentId = parent.Id;
        child.Subject = parent.Subject + ' Child';
        casesToInsert.add(child);
    }
    insert casesToInsert;
}

Select two ansers.

A. The trigger will be recursively called and result in an infinite loop.
B. The trigger will throw an exception because it is not bulkified.
C. Child cases will be inserted for each Parent case.
D. No parent or child cases will be created.

A

A. The trigger will be recursively called and result in an infinite loop.
D. What will happen when the following code is executed?

The code consists of an ‘after insert’ trigger which contains a DML statement that inserts records of the same object. The DML statement will recursively invoke the trigger, resulting in an infinite loop, and eventually throw an exception. As a result, no parent or child cases will be created. To prevent trigger recursion, a static boolean variable can be used in the trigger helper class to make the trigger only run once per transaction.

Triggers

How DML Works

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
12
Q

As per the order of execution, when will an email created from a workflow email alert be sent?

A. After all DML operations are committed to the database.
B. After workflow rule execution.
C. Before entitlement rules execution.
D. When all before triggers are executed.

A

A. After all DML operations are committed to the database.

Execution of post-commit logic, such as sending emails will happen after all DML operations are committed to the database.

Triggers and Order of Execution

Explanation:
In Salesforce, the order of execution determines when different automation processes run. Here’s how it applies to workflow email alerts:

Triggers, validation rules, assignment rules, and workflow rules execute during the transaction.
Workflow rules can trigger email alerts, field updates, task creation, or outbound messages.
Field updates from workflow rules can cause the trigger to re-execute.
Once the entire transaction is committed to the database, email alerts from workflows are sent asynchronously.
Since workflow emails are asynchronous, they are sent only after the transaction completes successfully, meaning after all DML operations are committed to the database.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
13
Q

A developer is creating an Apex trigger on an “Invoice” custom object. What is true about the trigger code below?

trigger LineItemPerInvoice on Invoice\_\_c (before update) {
    for (Invoice\_\_c invoice : trigger.new) {
        List<LineItem\_\_c> lineItems = [
            SELECT Id, Units_Sold\_\_c
            FROM LineItem\_\_c
            WHERE Invoice\_\_c = :invoice.Id
        ];
        // do logic here
    }
}

A. The SOQL statement retrieves all the related line items of a single Invoice record during each loop.
B. The trigger will perform only one SOQL query regardless of the number of invoices to process.
C. An exception will be thrown only if the for-loop performs a DML operation more than 150 times.
D. The trigger demonstrates an example solution that bypasses the governor limit on SOQL queries.

A

A. The SOQL statement retrieves all the related line items of a single Invoice record during each loop.

The SOQL statement retrieves all the line items related to the invoice that is extracted from the trigger.new context variable during each loop.

A common mistake that developers make is placing queries inside a for loop. The number of SOQL queries allowed in a (synchronous) transaction is up to 100 only. In the given trigger, the SOQL query will be performed once for every record in the trigger.new context variable. Hence, if the trigger processes more than 100 invoices, the governor limit on SOQL queries will be exceeded.

There is a governor limit of 150 DML operations only in a single transaction. However, the governor limit on SOQL queries will be exceeded far before the governor limit on DML operations is reached. Governor limits can never be bypassed. Hence, governor limits should always be in mind when developing in Apex.

Trigger and Bulk Request Best Practices

Bulk Apex Triggers

Execution Governors and Limits

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
14
Q

When performing an Apex callout after inserting a record in the same transaction, a Salesforce developer encounters the “You have uncommitted work pending” callout exception. If doCallout() represents a method that performs the callout, which of the following options illustrates code that allows the callout to be successfully executed?

A. Savepoint sp = Database.setSavepoint(); insert new Account(name='ACME'); Database.rollback(sp); doCallout();

B. Savepoint sp = Database.setSavepoint(); insert new Account(name='ACME'); Database.releaseSavepoint(sp); Database.rollback(sp); doCallout();

C. Savepoint sp = Database.setSavepoint(); insert new Account(name='ACME'); Database.rollback(sp); Database.releaseSavepoint(sp); doCallout();

D. Savepoint sp = Database.setSavepoint(); insert new Account(name='ACME'); Database.releaseSavepoint(sp); doCallout();

A

C. Savepoint sp = Database.setSavepoint(); insert new Account(name='ACME'); Database.rollback(sp); Database.releaseSavepoint(sp); doCallout();

Salesforce does not allow callouts to be made after DML operations in the same transaction. Doing so will throw the “You have uncommitted work pending” callout exception. To allow the callout to be made, DML operations first need to be rolled back using the Database.rollback() method, and second, the savepoint needs to be explicitly released using the Database.releaseSavepoint() method. Note, however, that performing these exact steps will allow the callout to be executed, but it will undo the DML operations made in the transaction due to the database rollback.

If the callout needs to be made after the DML operation and avoid losing work, the recommended solution is to perform the callout in a separate transaction using asynchronous methods such as a future method.

Make Callouts After Rolling Back DML and Releasing Savepoints

Salesforced WebService Error - ‘You have uncommitted work pending. Please commit or rollback before calling out’

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
15
Q

A developer needs to create a trigger that will throw an error whenever the user tries to delete a contact that is not associated with an account. What trigger event can the developer use?

A. Before Undelete
B. After Undelete
C. Before Delete
D. During Delete

A

C. Before Delete

By using a ‘Before Delete’ trigger, the request can be validated first by determining whether the record can be deleted or not. If the record should not be deleted, the trigger can call the ‘addError’ method to gracefully terminate the request. Note that calling the method in an ‘After Delete’ trigger will roll back the transaction, making this trigger type also a suitable option in this requirement.

The ‘After Undelete’ trigger is invoked when a record is recovered from the Recycle Bin. A ‘Before Undelete’ or ‘During Delete’ trigger type does not exist.

Triggers

Trigger Exceptions

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
16
Q

Which of the following options contain valid Apex data types that can be used to declare variables?

A. Number, Enum, String
B. Text, Number, Bolb
C. Currency, Integer, String
D. Blob, ID, Enum

A

D. Blob, ID, Enum

Blob is one of the primitive data types and can be used to store a collection of binary data stored as a single object. ID is another primitive data type used to store an 18-character record identifier that exists in the org. Enum is an abstract data type that is used to store a value from a set of predefined values.

A ‘Currency’ or ‘Number’ data type does not exist. To store numeric values with decimals, the Decimal or Double data type can be used. To store numeric values with no decimals, the Integer or Long data type can be used. A ‘Text’ data type does not exist. To store text values, the String data type can be used.

Primitive Data Types

Enums

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
17
Q

A developer is designing a SOQL relationship query. Which of the following statements is true?

A. A relationship between the objects is not required in order to create a join in SOQL.
B. Up to ten levels of child-to-parent relationships can be referenced in a SOQL query.
C. Up to ten levels of parent-to-child relationships can be referenced in a SOQL query.
D. A relationship between the objects is required in order to create a join in SOQL.

A

D. A relationship between the objects is required in order to create a join in SOQL.

A join in SOQL will return results from two or more standard/custom objects. To create a join, or in order to perform a relationship query, the queried objects should be related to each other via a parent-to-child or child-to-parent relationship.
Up to five (5) levels of relationships are allowed in a parent-to-child relationship query where the root object is considered the 1st level. As for child-to-parent relationship queries, also up to five (5) levels of relationships can be specified in the SOQL statement.

Using Relationship Queries

Understanding Relationship Query Limitations

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
18
Q

String is one of the primitive data types in Salesforce. Given the following options, what is a valid value that can be assigned to a String variable in Apex?

A. ‘Salesforce’
B. TRUE
C. “Salesforce”
D. 3.141519

A

C. “Salesforce”

String is any set of characters surrounded by single quotes.
Using double quotes to handle string values causes an error in Apex. String variable declarations or initializations in Apex require single quotes. TRUE represents a boolean value. 3.14159 represents a numeric value.

Primitive Data Types

Get Started with Apex

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
19
Q

Which of the following is a valid Apex best practice regarding SOQL queries?

A. Moving queries outside for-loops makes the code run faster and less likely to exceed governor limits.
B. The following use of LIMIT clause should be avoided: for (Account a: [SELECT Id, Name From Account LIMIT 1000]){…}
C. When retrieving related records, multiple queries should always be used instead of querying once to retrieve all the records.
D. Running a query inside a for-loop is acceptable as long as the LIMIT clause is added to the SOQL statement.

A

A. Moving queries outside for-loops makes the code run faster and less likely to exceed governor limits.

Executing a SOQL query inside a for-loop is not recommended as it will negatively affect performance and easily exceed the governor limit of 100 queries only per transaction. Hence, the number of SOQL queries to run should be minimized. It is a best practice to retrieve all the necessary records in a single query, such as including related records in the same query when necessary. Salesforce recommends using SOQL for-loops to help avoid exceeding governor limits. A SOQL for-loop can process one record at a time using the single sObject format or in batches of 200 records using the sObject list format.

The following shows a SOQL for-loop example that uses the single sObject format, which will retrieve a single record from the query result during each iteration. Note that the execution of the SOQL query defined in the loop will only be counted as a single query against the governor limit. Using a LIMIT clause in the query is acceptable in SOQL for-loops.

for (Account a : [SELECT Id, Name From Account LIMIT 1000]) { … }

Write SOQL Queries

SOQL For Loops

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
20
Q

What trigger context variable returns true if the current context for the Apex code is a trigger, and not a Visualforce page, a Web service, or an executeanonymous() API call?

A. isUpdate
B. oldMap
C. isUndelete
D. isExecuting

A

D. isExecuting

The isExecuting context variable returns true if any code inside the trigger context is executing. This means that a particular trigger can be tested whether it is executing or not with the help of this variable.

oldMap is a variable available only in update and delete triggers that contain a map of IDs to the old versions of the records processed by the trigger. The isUndelete and isUpdate trigger context variables return true after undelete and update operations respectively.

Trigger Context Variables

Get Started with Apex Triggers

21
Q

What is the correct syntax for writing an Apex trigger?

A. trigger ObjectName on trigger_events (TriggerName) { code_block; }
B. trigger ObjectName on TriggerName (trigger_events) { code_block; }
C. trigger TriggerName on TriggerEvents (ObjectName) { code_block; }
D. trigger TriggerName on ObjectName (trigger_events) { code_block; }

A

D. trigger TriggerName on ObjectName (trigger_events) { code_block; }

Trigger_events can be a comma-separated list that includes one or more of the following events: before insert, after insert, before update, after update, before delete, after delete, and after undelete.

Trigger Syntax

Apex Triggers

22
Q

A developer has created the trigger below to update the description of existing Contract records. How many Contract records will be updated when the developer loads 2,000 Opportunity records?

List<Contract> getContracts = new List<Contract>();

for (Opportunity opp: (List<Opportunity>) Trigger.New)  {
     Contract con = [SELECT Id FROM Contract WHERE Id = :opp.ContractId];
     con.Description = 'This is the contract for Opportunity' + opp.Name;
     getContracts.add(con);
}

update getContracts;

A. 100
B. 1
C. 2000
D. 0

A

D. 0
Salesforce limits the total number of synchronous SOQL queries that can be performed in a single transaction to 100 only. As there are 2,000 opportunities to loop through, a LimitException will be thrown on the 101st loop, such as ‘System.LimitException: Too many SOQL queries: 101’. In this case, the entire transaction will be rolled back such that no records will be updated. It is best practice to avoid SOQL queries as well as DML statements inside FOR Loops to prevent transactions from reaching the governor limits.

Execution Governors and Limits

Transaction Control

23
Q

A Salesforce developer is trying to create a trigger that will set the record type of an Invoice record, prior to insertion, based on the value of the Industry picklist that is selected. What trigger event should the developer use?

A. After Insert
B. After Update
C. Before Insert
D. Before Delete

A

C. Before Insert

Before triggers are used to update or validate record values before they are saved to the database. In this case, the record type can be set depending on the invoice Industry picklist value prior to insertion.

Using an ‘After Insert’ trigger will make the record read-only, so the record type cannot be set. An ‘After Update’ trigger is used to perform custom logic after an existing record has been updated. A ‘Before Delete’ trigger is used to perform custom logic before a record is deleted.

Triggers

Get Started with Apex Triggers

24
Q

A Salesforce developer has created a method inside a custom controller that contains the code below to return an error message on a Visualforce page. However, during testing, it was found that the Visualforce page does not display the error on the page. What could be the possible reason?

# custom controller method logic:
ApexPages.Message myMsg = new ApexPages.Message(ApexPages.Severity.ERROR, 'Unable to Sort Last Name');
ApexPages.addMessage(myMsg);

Visualforce page:
&lt;apex:page controller="ContactsListController"&gt;
&lt;apex:form&gt;
    &lt;apex:pageBlock title="Contacts List" id="contacts_list"&gt;
        &lt;!-- Contacts List --&gt;
        &lt;apex:pageBlockTable value="{!contacts}" var="ct"&gt;
            &lt;apex:column value="{!ct.LastName}"&gt;
                &lt;apex:facet name="header"&gt;
                    &lt;apex:commandLink action="{!sortByLastName}" reRender="contacts_list"&gt; Last Name&lt;/apex:commandLink&gt;
                &lt;/apex:facet&gt;
            &lt;/apex:column&gt;
        &lt;/apex:pageBlockTable&gt;
    &lt;/apex:pageBlock&gt;
&lt;/apex:form&gt;
&lt;/apex:page&gt;

A. The reRender attribute on <apex:commandLink> prevents the error message from being displayed</apex:commandLink>

B. The <apex:pageMessages> message component has not been added to the Visualforce page</apex:pageMessages>

C. The Visualforce page refreshes and is unable to receive and display the error message

D. The custom controller method is lacking additional parameters in ApexPage.addMessage()

A

B. The <apex:pageMessages> message component has not been added to the Visualforce page</apex:pageMessages>

The <apex:pageMessages> component is used to display all messages that are generated for all components on the current page including error messages.</apex:pageMessages>

The Apex method for generating a message is ApexPages.addMessage(ApexPages.Message message). The page will only clear the added message on the next page load. The reRender attribute is used for specifying the id of the page component to update when implementing partial page updates.

addMessage(message)

apex:messages

25
Q

What does the trigger.new context variable contain?

A. A list of new records and is available only in insert triggers
B. A list of new versions of records and is available in insert, update, and undelete triggers
C. A set of new versions of records available in insert and update triggers
D. A map of sObject ids and records that are new or modified and available in insert and update triggers

A

B. A list of new versions of records and is available in insert, update, and undelete triggers

Trigger.new contains a list of the new versions of sObject records that is available in insert, update, and undelete triggers.

Trigger Context Variables
Get Started with Apex Triggers

26
Q

A Salesforce developer needs to iterate over a collection of contacts in a way that is not directly supported by standard Apex iteration mechanisms. Which of the following represents the basic code structure for defining a custom iterator called ‘ContactsCustomIterator’ in Apex?

A

public class ContactsCustomIterator implements Iterator&lt;Contact&gt;{
    public ContactsCustomIterator(List&lt;Contact&gt; contacts){
        // constructor code
    }
    public Boolean hasMore(){
        // check if there is a next item to traverse<br>
    }   
    public Contact getMore(){
        // get the next item
    }
}

B.
~~~
public class ContactsCustomIterator implements CustomIterator<Contact>{
public ContactsCustomIterator(List<Contact> contacts){
// constructor code
}<br></br>
public Boolean hasNext(){
// check if there is a next item to traverse
}
public Contact next(){
// get the next item
}
}
~~~

C.
~~~
public class ContactsCustomIterator implements Iterator<Contact>{
public ContactsCustomIterator(List<Contact> contacts){
// constructor code
}<br></br>
public Boolean hasNext(){
// check if there is a next item to traverse
}
public Contact next(){
// get the next item
}
}
~~~

D.
~~~
public class ContactsCustomIterator implements CustomIterator<Contact>{<br></br>
public ContactsCustomIterator(List<Contact> contacts){
// constructor code
}<br></br>
public Boolean hasMore(){
// check if there is a next item to traverse<br></br>
}
public Contact nextItem(){
// get the next item
}<br></br>
}
~~~

A

C.
public class ContactsCustomIterator implements Iterator<Contact> {
public ContactsCustomIterator(List<Contact> contacts){
// constructor code
}</Contact></Contact>

public Boolean hasNext(){
    // check if there is a next item to traverse
}   

public Contact next(){
    // get the next item
} }

A custom iterator can be used to implement internal custom logic in how Apex traverses a collection of items. To use a custom iterator, an Apex class must implement the ‘Iterator’ interface, which contains two methods ‘hasNext’ and ‘next’. The ‘hasNext’ method, which returns a Boolean value, is used for determining whether there is a next item to traverse in the collection. The ‘next’ method is used to return the next item in the collection provided that there is a next item to retrieve.

A ‘CustomIterator’ interface does not exist. The ‘hasMore’ and ‘getMore’ methods are not valid methods of the ‘Iterator’ interface.

Custom Iterators

27
Q

Apex is capable of performing successful inserts and capturing errors for unsuccessful inserts without rolling back the transaction. This method is known as partial processing and does not throw exceptions when records fail. As a result, what is the recommended approach for handling errors?

A. Use Database.SaveResult Class
B. Use Database.EachResult Class
C. Use Database.ErrorResult Class
D. Use Database.SuccessResult Class

A

A. Use Database.SaveResult Class
Partial processing returns the results of an insert or update operation in an array of Database.SaveResult objects. One can loop through the array and determine which records failed or succeeded by using the isSuccess method of the SaveResult object. The getErrors method is then used to get error information on the records that failed.

The Database.ErrorResult, Database.SuccessResult, and Database.EachResult classes do not exist.

Returned Database Errors

SaveResult Class

28
Q

A developer at Cosmic Solutions is working on a trigger that creates a calling card record whenever a contact record is created. Given the code below, what event should the trigger fire on?

Trigger createCallingCard on Contact (EVENT) {
    List<CallingCard\_\_c> cardList = new List<CallingCard\_\_c>();
    for (Contact con : Trigger.new) {
        CallingCard\_\_c card = new CallingCard\_\_c();
        card.Name = con.Name;
        card.Phone\_\_c = con.Phone;
        card.Address\_\_c = con.MailingAddress;
        card.relatedContact\_\_c = con.Id;
        cardList.add(card);
    }
    insert cardList;
}

A. Before Delete
B. After Update
C. Before Insert
D. After Insert

A

D. After Insert
The trigger should use the ‘After Insert’ event. The code snippet above shows that the Contact ID needs to be assigned to the relatedContact__c field of the CallingCard custom object. In the save order of execution, record changes are saved to the database (but not committed yet) prior to the execution of After triggers. Hence, the Contact ID would be available for use in the ‘After Insert’ trigger. Using this trigger event would ensure that a Contact record has been created prior to the creation of a related CallingCard record.

The ‘After Update’ and ‘Before Delete’ are invalid options since the trigger needs to fire on contact inserts.

Trigger Context Variables

Get Started with Apex Triggers

29
Q

Which of the following actions can be performed in a ‘before update’ trigger?

Choose 2 answers.

A. Delete the ‘trigger.new’ context variable to avoid changes.
B. Perform validation before accepting field changes.
C. Modify field values in the ‘trigger.old’ context variable.
D. Change field values of a record using ‘trigger.new’.

A

B. Perform validation before accepting field changes.
D. Change field values of a record using ‘trigger.new’.

In a ‘before update’ trigger, before the DML operation is committed, field values can be changed using the ‘trigger.new’ context variable. The trigger can also be used to validate field values before accepting changes by evaluating the field and throwing an error using the addError() method if it fails the validation.

Trigger.old is always read-only. Trigger.new cannot be deleted.

Context Variable Considerations

Get Started with Apex Triggers

30
Q

What is true about custom exceptions in Apex?

A. Caught exceptions cannot be rethrown or delegated to another exception handler.
B. Like custom exceptions, all built-in exceptions can be explicitly thrown.
C. Custom exceptions can be top-level classes and support variables and methods.
D. Custom exceptions extend the Exception class and have names that start with ‘Exception’.

A

Custom exceptions can be top-level classes, as well as inner classes, and supports member variables, methods, and constructors.
A custom exception extends the built-in Exception class and its name should end with ‘Exception’. Custom exceptions and built-in exceptions, except the generic Exception, can be explicitly thrown. When catching an exception, it can be rethrown by passing the exception as a parameter, for example, of a thrown custom exception. This is useful if the method is called by another method and the exception handling needs to be delegated to the caller method. Note that not all exceptions can be caught. Exceptions that cannot be caught are the LimitException and AssertException exception types.

Create Custom Exceptions

Exception Statements

31
Q

The code snippet below throws an error during bulk data load. What is the root cause?

<pre>for (Contact con : Trigger.new) {
        if (con.PostalCode\_\_c != null) {
            List&lt;State\_\_c&gt; states = [SELECT StateId\_\_c, PostalCode\_\_c From State\_\_c WHERE PostalCode\_\_c = :con.PostalCode\_\_c];
            if (states.size() &gt; 0) {
                con.StateId\_\_c = states[0].StateId\_\_c;
            }
        }
}
</pre>

A. Condition is invalid and will always be null
B. Variable ‘con’ is not declared
C. No update DML over list of Contacts
D. SOQL query is located inside the for loop code

A

D. SOQL query is located inside the for loop code D.
There is a governor limit that enforces a maximum number of SOQL queries allowed in a single transaction. To help avoid hitting the limit, queries inside for loops should be avoided. If a query is needed, query once, retrieve all the necessary data in a single query, and then iterate over the results. A SOQL for loop can also be used to automatically retrieve and return results in batches of 200 records.

The variable ‘con’ is declared in the for-loop definition. The null check on the PostalCode field is a valid condition. Absence of a DML operation does not throw an error. However, note that for before triggers, a DML statement on the object that invoked the trigger will throw an SObjectException. Also, a DML statement inside the for loop would potentially cause a DML limit exception.

32
Q

While updating Contact records using a Visualforce page, a governor limit was hit when the controller invoked a method from another class. Which of the following is a valid result?

A. Any database changes made up to the error will be rolled back.
B. Database changes will only be saved if an exception handler was used.
C. Any database changes made right before the error will be saved.
D. Only database changes made directly by the Visualforce controller will be saved.

A

A. Any database changes made up to the error will be rolled back.

One transaction may contain different operations and processes including but not limited to DML calls made by different classes, controllers, triggers, flows and workflow rules. If, at any point in the transaction the governor limit is exceeded, all changes are rolled back up to the error, and a Limit Exception is thrown, exiting the entire execution process.
So, whichever component or operation in the process that caused to reach the governor limit is not significant. No changes will be committed to the database. In addition, governor limits throw exceptions which cannot be handled (try catch blocks).

Transaction Control

33
Q

Considering Apex trigger best practices, what should a developer keep in mind?

A. An Apex trigger should be created for each event type for efficiency.
B. An Apex trigger should be logicless and delegate logic to a handler class.
C. An Apex trigger should avoid invoking another trigger at all costs.
D. An Apex trigger should use a future method to perform DML operations.

A

B. An Apex trigger should be logicless and delegate logic to a handler class.

Salesforce recommends using one Apex trigger only for each sObject to capture all the event types and a trigger handler, which is an Apex class, to perform the logic required by the trigger. This Apex trigger is then what is called a logicless trigger. On the other hand, if multiple triggers are used to handle the different event types for the same sObject, there is no control over the order in which the triggers are fired when a single transaction invokes different event types.
An Apex trigger is allowed to invoke another trigger, and there are methods to prevent unwanted recursions. An Apex trigger may or may not use a future method to perform DML statements. Note that future methods are asynchronous, and they do not necessarily execute in the same order they are called.

34
Q

Which of the following statements is true when the Apex code below is executed?

1.     try {
2.         String hello;
3.         if (hello.contains('world')) {
4.             System.debug('Hello World');
5.         }
6.     }
7.     catch(DmlException e) {
8.         System.debug('DmlException: ' + e.getMessage()); 
9.     } 
10.  catch(SObjectException e) {
11.        System.debug('SObjectException: ' + e.getMessage());
12.   } 
13.   catch(ListException e) {
14.       System.debug('ListException: ' + e.getMessage()); 
15.   }
16.   catch(Exception e) {
17.        System.debug('Exception: ' + e.getMessage()); 
18.   }

A. The try-block statement will be successfully executed with no errors and “Hello World” is printed.
B. All catch blocks (Line 7, 10, 13) will be executed even if only one block matches the exception criteria.
C. No catch blocks (Line 7, 10, 13) match the exception criteria such that the error will be unhandled.
D. Line 3 will cause a NullPointerException and the last catch block (Line 16) will handle the error.

A

D. Line 3 will cause a NullPointerException and the last catch block (Line 16) will handle the error.

The variable “hello” is initialized as a String data type with no value assignment such that it defaults to null. Line 3 of the Apex code references/checks the null value, and this causes a NullPointerException error. Since neither DMLException, SObjectException, nor ListException is designed to handle this type of error, the generic Exception handler found on the last block in the series of catch statements catches and handles the error.

Catching Different Exception Types

35
Q

A developer needs to write a trigger on the Survey custom object. This trigger will use the email address on the Survey record as a unique key to look for a matching email address on existing contact records in the org. If a matching email address is found, then the ‘Contact Name’ field on the Survey record should be populated with the name of the contact found. What is the best collection data type to use when storing contact records in this scenario?

A. List
B. Set
C. Map
D. Group

A

C. Map
A Map is a collection of key-value pairs where each unique key maps to a single value. The developer can query the contact records and place them on a map with ‘Contact.Email’ as a key and ‘Contact.Name’ as a value. Then, on Survey record iteration, the developer uses the get method of the map to look for the corresponding Contact.Name for a given email address.

Although a List data type helps to store a collection of email addresses, it will need to perform nested FOR loops to avoid unnecessary SOQL queries. Similar to a List, a Set can also only hold one data type per instance. A Group is an invalid collection data type.

Maps

Lists

Sets

37
Q

An Apex trigger created by a junior developer is frequently causing governor limit exceptions. Which of the following is a best practice that a senior developer could advise?

A. Use lists to perform DML operations on multiple records.
B. Use a separate Apex trigger for each trigger event type.
C. Use SOQL queries within FOR loops to improve performance.
D. Use a map only for storing results from a SOQL query.

A

A. Use lists to perform DML operations on multuple records

Utilizing collection variables such as lists, maps, or sets to store data obtained from queries is a fundamental technique that is used to make Apex code more efficient. A SOQL query can make use of the WHERE clause to query all the data required in Apex code. Instead of using DML statements inside FOR loops to perform operations such as insert, update, or delete on individual records, they should be executed using collections outside FOR loops. Also, a SOQL query should never be placed within a FOR loop since there is a governor limit that enforces the maximum number of SOQL queries in an Apex transaction. There is another limit that enforces the maximum number of DML statements allowed in a transaction. It is recommended to only have a single Apex trigger for each object and, in addition to that, implement a helper class to handle the logic that occurs in the trigger.

38
Q

A developer would like to use the following SOSL query in an Apex class to search for a keyword. Which data type should be used to store the result returned by the query?

FIND 'New York' IN ALL FIELDS RETURNING Account, Contact

A. List<List<sObject>>
B. List<sObject>
C. Map<Id, Contact>
D. Map<Account, Contact></sObject></sObject>

A

A. List <List<object>>
SOSL statements evaluate to a list of lists of sObjects. Therefore, to store the search results of a SOSL query, <List<List<sObject>>> can be used in Apex. Each list contains the search results for a particular sObject type. If no records are returned for a specified sObject type, the search results include an empty list for that sObject.</sObject></object>

SOQL and SOSL Queries

39
Q

What Apex method can be used to display a custom error message on a particular record and prevent any DML operations?

A. insertError(errMsg)
B. throwError(errMsg)
C. addError(errMsg)
D. putError(errMsg)

A

C. addError(errMsg)

The addError(errMsg) method can be invoked at the record or field level within the trigger context to flag a record as invalid. It marks a record with a custom error message and prevents any DML operations from occurring.

A ‘throwError’, ‘insertError’, or ‘putError’ Apex method does not exist.

addError(errorMsg)

40
Q

As Apex triggers can process multiple records at a time, Salesforce recommends writing triggers that perform bulk transactions. Which of the following bulk transactions do triggers support?

A. Perform data import operations
B. Handle ‘before undelete’ operations
C. Throw unhandled exceptions
D. Execute synchronous callouts

A

A. Perform data import operations

Bulk triggers are Apex triggers that support bulk transactions. Some examples of bulk transactions are data imports, Bulk API calls, bulk DML operations, and mass actions such as changing record owners or deleting records in bulk.

Apex triggers do not support synchronous callouts. To perform a callout in a trigger, it should be executed asynchronously using a future method. Apex triggers do not support a ‘before undelete’ event type. Throwing unhandled exceptions “in bulk” is not possible. The first unhandled exception will terminate the transaction.

Bulk Triggers

Trigger and Bulk Request Best Practices

41
Q

When the value of the “Type” custom field is updated on an existing record, the Owner field should be changed to either a certain user or queue depending on the selected type. Which trigger event should be used for this requirement?

A. Before Delete
B. After Merge
C. After Update
D. Before Update

A

D. Before Update

The Before Update trigger can be used to update field values before a record is saved to the database.

Using an After Update trigger is not suitable because, at this point, the record that invoked the trigger has already been saved to the database (but not yet committed) and becomes read-only such that setting a value on a field will throw an exception. Before Delete triggers are used when deleting records. A trigger event based on the merge operation such as ‘After Merge’ does not exist.

Triggers

Triggers and Order of Execution

42
Q

Which of the following statement is true about built-in exceptions in Apex?

A. The generic Exception can be used to handle almost all types of exceptions.
B. The NullPointerException occurs when an Apex variable is defined with a null value.
C. The QueryException occurs when a user queries against restricted records.
D. The LimitException can be caught by combining one or more Exception types.

A

A. The generic Exception can be used to handle almost all types of exceptions.

The generic Exception can be used to handle almost all Exception types. There are exceptions in the org that cannot be caught. One of these Exception types is the LimitException, which is the exception thrown when governor limits are exceeded. Another Exception type is the AssertException, which is the exception thrown in Apex unit tests when an assertion statement fails.

An Apex variable can be defined with a null value. However, a NullPointerException will be thrown when a null variable is being dereferenced. A QueryException will be thrown due to issues directly related to SOQL. For example, a QueryException is thrown when a SOQL query is unable to return exactly one result to an sObject variable. A NoAccessException will be thrown when an unauthorized user attempts to access a secured record, for example, via a Visualforce page.

Exception Class and Built-In Exceptions

Catching Different Exception Types

43
Q

Which of the following is the correct syntax for a try-catch-finally block?

A. catch (Exception e) { code here } try { code here } finally { code here }
B. try { code here } catch (Exception e) { code here } finally { code here }
C. try { code here } finally { code here } catch (Exception e) { code here }
D. finally { code here } catch { code here } try { code here }

A

B. try { code here } catch (Exception e) { code here } finally { code here }

In a try-catch-finally statement, the main business logic is executed in the try block. If an error occurs within the try block, it will be caught and handled by the catch block. Then, whether or not an exception was caught, code in the finally block will always be executed as the last phase in the control flow. Finally statements can be used to perform cleanup code such as for freeing up resources.

Exceptions in Apex

Exception Handling Example

44
Q

Given the following options, what data type should the developer use to store queried records via SOQL?
A. List
B. Container
C. Group
D. Enum

A

A. List

A list is an ordered collection of elements that are distinguished by their indices. List<sObject> should be used for storing queried records via SOQL. A map can also be used.</sObject>

Primitive Data Types

Maps of sObjects

45
Q

What is the order of execution when a record is saved?

A. System Validation Rules, Before Triggers, All Validation Rules, Duplicate Rules, After Triggers, Assignment Rules, Workflow Rules, Commit
B. System Validation Rules, Workflow Rules, All Validation Rules, Before Triggers, After Triggers, Assignment Rules, Commit
C. System Validation Rules, Before Triggers, All Validation Rules, Workflow Rules, After Triggers, Assignment Rules, Commit
D. System Validation Rules, User Defined Validation Rules, Before Triggers, Workflow Rules, After Triggers, Assignment Rules, Commit

A

A. System Validation Rules, Before Triggers, All Validation Rules, Duplicate Rules, After Triggers, Assignment Rules, Workflow Rules, Commit

When a record is saved, Salesforce performs a number of events in a certain order. System Validation Rules, Before Triggers, System and User Defined Validation Rules, Duplicate Rules, After Triggers, Assignment Rules and Workflow Rules are performed. There are additional events in addition to the ones listed.

Triggers and Order of Execution

46
Q

What will be the result of running the following code?

for (Integer x = 0; x < 200; x++) {
    Account newAccount = new Account ( Name= 'MyAccount-' + x);
    try {
        insert newAccount; 
        System.debug(Limits.getDMLStatements());
    }
    catch(exception ex) {
        System.Debug('Caught Exception');
        System.Debug(ex);
    }
}
insert new Account(Name='MyAccount-last');

A. A limit exception will be caught and one account will be inserted.
B. 150 accounts will be inserted.
C. 201 accounts will be inserted.
D. No accounts will be inserted.

A

D. No accounts will be inserted.

The system enforces a DML limit of 150 statements per Apex transaction. If there are more than 150 items, the 151st update call returns an exception that cannot be caught for exceeding the DML statement limit of 150. All previous insertions will be rolled back.

How DML Works

Manipulate Records with DML

47
Q

When a thrown exception is caught in Apex, the catch block is responsible for relaying messages related to the error. Which of the following represents a recommended option to notify the end user, for example, of an error that was encountered when saving a record that invokes a trigger?

A. Using the ApexPages.Message class to display a custom error message on a Lightning web component
B. Calling the addError() method to display the error message of an exception thrown from an Apex trigger
C. Adding a future method that creates a custom object record to store details related to the exception
D. Sending an email containing exception information in the catch-block of a try-catch construct

A

B. Calling the addError() method to display the error message of an exception thrown from an Apex trigger

When an exception is caught in an Apex trigger, the addError() method can be used to display a custom message on the user interface for the end user.

The ApexPages.Message class can be used to display error messages on a Visualforce page. To handle errors in custom Lightning components such as Aura components or Lightning web components, the AuraException can be thrown and displayed to the end user using JavaScript. Relaying error messages via email or storing them in a custom object is intended for backend users such as administrators or developers that require troubleshooting, debugging, or in-depth analysis of the issue.

Exceptions in Apex

Message Class

48
Q

Which Exception method should a developer use to determine the error message that will be displayed to the user?
A. getCause()
B. getMessage()
C. getStackTraceString()
D.getTypeName()

A

B. getMessage()

The getMessage() method returns the error message that is displayed to the user.

The getCause() method is used to return the cause of the exception as an Exception object. The getStackTraceString() method is used to return the stack trace as a string. The getTypeName() method returns the exception type, such as DmlException, ListException, MathException, and so on.

Built-In Exceptions and Common Methods

49
Q

Which of the following options can be used to throw a custom exception called MyException?

A. throw new MyException().setMessage(‘error message’);
B. throw new MyException().addError(‘error message’);
C. throw new MyException().addMessage(‘error message’);
D. throw new MyException(‘error message’);

A

D. throw new MyException(‘error message’);

Custom exceptions in Apex can be instantiated using any of the following options:
1. With no arguments: new MyException();
2. With a single String argument that specifies the error message: new MyException(‘Error Message’);
3. With a single Exception argument that specifies the cause and that displays in any stack trace: new MyException(e);
4. With both a String error message and a chained exception cause that displays in any stack trace: new MyException(‘Error Message’, e);

Create Custom Exceptions