KEMBAR78
Salesforce Notes | PDF | Web Service | Representational State Transfer
0% found this document useful (0 votes)
311 views67 pages

Salesforce Notes

The document provides examples of SOQL queries in Salesforce and describes various clauses and operators that can be used in SOQL queries. Some key examples include fetching parent and child records, ordering and filtering results, aggregating data using GROUP BY and HAVING clauses, and selecting specific fields. The document also discusses governor limits for SOQL queries and provides examples of using the FOR UPDATE clause.

Uploaded by

linas37691
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
311 views67 pages

Salesforce Notes

The document provides examples of SOQL queries in Salesforce and describes various clauses and operators that can be used in SOQL queries. Some key examples include fetching parent and child records, ordering and filtering results, aggregating data using GROUP BY and HAVING clauses, and selecting specific fields. The document also discusses governor limits for SOQL queries and provides examples of using the FOR UPDATE clause.

Uploaded by

linas37691
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
You are on page 1/ 67

Nripesh Kumar Joshi (Salesforce Developer)

Some SOQL Query Examples in Salesforce (Part 1)

1. Fetch the child record from parent record (Contact is child and Account is Parent) –
Standard Objects

SELECT Id, Name, (SELECT Id, LastName FROM Contacts) FROM Account.

Note- Contacts is a Child Relationship Name which is lookup field in child object

2. Fetch the child record from parent record (Student__c is child and Teacher__c is
Parent) – Custom Objects

SELECT Id, Name, (SELECT Id, Name FROM Students__r) FROM Teacher__c

Note - Students is a Child Relationship Name(appended ‘ __r’ in Students) which is lookup field in
child object

3. Fetch the Parent record from Child Record (Contact is child and Account is Parent) –
Standard Object

SELECT Id, Account.Name FROM Contact

4. Fetch the Parent record from Child Record (Student__c is child and Teacher__c is Parent) –
Custom Object

SELECT Id, Teacher__r.Name FROM Student__c

Note- Here we don’t need to add s in Relationship

5. Fetch the Account that has no contact record

SELECT Id, Name FROM Account WHERE Id NOT IN (SELECT AccountId FROM Contact)
Nripesh Kumar Joshi (Salesforce Developer)

Note- AccountId(Id of Account that is associated with contact) is lookup field


6. Fetch the Latest Account Record

SELECT Id, Name,CreatedDate FROM Account ORDER BY CreatedDate DESC

7. Fetch theAccount record which is group by Name

SELECT Count(Id), Name FROM Account GROUP BY Name

Note- We can not use count with the field that is used in Group By.
For example we can not count name because we are using Name field in Group By

8. Determine how many leads are associated with each LeadSource value

SELECT LeadSource, COUNT(Name) FROM Lead GROUP BY LeadSource

9. Fetch the Lead Record that are associate with each LeadSource that generated more
than 10 times

SELECT LeadSource, COUNT(Name) FROM Lead GROUP BY LeadSource Having Count(Name)>10

10. Fetch the Lead record where name end with ‘abc’

SELECT LeadSource, Name FROM Lead WHERE Name LIKE '%abc’

Some Clauses in SOQL Query

In the above Queries we have used many clauses.

*** NOT - NOT keyword is used for negation.


Nripesh Kumar Joshi (Salesforce Developer)

*** Group By - GROUP BY is used with Aggregate functions to group the result set by single or
multiple columns.

*** Order By - ORDER BY is used to sort the records in ascending(ASC) or descending(DESC)


order. It is used after the WHERE clause.

*** Like - LIKE keyword allows selective queries using wildcards.

*** Having - HAVING is an optional clause that can be used in a SOQL query to filter results that
aggregate functions return.

*** WHERE - We can add the condition with the help of WHERE Clause

Governor Limit for SOQL

Description Synchronous Limit Asynchronous Limit

Total number of SOQL queries issued 1 100 200

Total number of records retrieved by SOQL 50,000 50,000


queries
Nripesh Kumar Joshi (Salesforce Developer)

Some SOQL Query Examples in Salesforce (Part 2)

1. How to fetch all fields in SOQL Query?

Ans : Suppose you want to fetch all fields of contact object then you can use
FIELDS(ALL).

FIELDS(ALL) – This fetches all the fields of an object. This is similar like Select * from
SQL.

SELECT FIELDS(ALL) FROM Contact Limit 10 (For Standard Object)

FIELDS(STANDARD) – This fetches all standard fields of an object.

SELECT FIELDS(STANDARD) FROM Contact Limit 10

FIELDS(CUSTOM) – This fetches all custom fields of an object.

SELECT FIELDS(CUSTOM) FROM Contact Limit 10

2. Fetch the records from the recycle bin using soql ?

If you try that in the developer console, though, you’ll get an “Unknown error parsing

query” message.

So, to execute the query, you need to open the anonymous code window from the

developer console.
Nripesh Kumar Joshi (Salesforce Developer)

Some SOQL Query Examples in Salesforce (Part 2)

List<Account> acc = [SELECT Id, isDeleted FROM Account WHERE isDeleted =

TRUE ALL ROWS];

system.debug('Deleted Account>>>>'+acc);

3. For Update Clause in soql ?

FOR UPDATE to lock sObject records while they’re being updated in order to prevent race

conditions and other thread safety problems.

While an sObject record is locked, no other client or user is allowed to make updates either

through code or the Salesforce user interface. The client locking the records can perform

logic on the records and make updates with the guarantee that the locked records won’t be

changed by another client during the lock period.

SELECT Id, Name FROM Account FOR UPDATE

4. Different Operators in SOQL ?

AND - Use AND to return records that meet two conditions.

This query returns all records that have the first name Nripesh and the last name kum.

SELECT Name FROM Contact WHERE FirstName = ‘Nripesh’ AND LastName= ‘Kum’
Nripesh Kumar Joshi (Salesforce Developer)

Some SOQL Query Examples in Salesforce (Part 2)

OR - Use OR to return records that meet one of two conditions. This query returns records

with the last name Nripesh or the last name Kumar.

SELECT Name, Email FROM Contact WHERE FirstName = ‘Nripesh’ OR LastName =

‘Kumar’

IN- Use IN to return records that meet at least one of three or more conditions. The IN

clause is commonly used to return the values of a picklist, or values from a LIST or SET.

This query returns all records that have the last name James, Barr, Nedaerk, or Forbes.

SELECT Name, Email FROM Contact WHERE LastName IN (‘James’, ‘Barr’,

‘Nedaerk’, ‘Forbes’)

ASC - Returns results in ascending order

SELECT Name, Email FROM Contact ORDER BY Name ASC LIMIT 5

DESC- Returns results in descending order

SELECT Name FROM Contact ORDER BY Name DESC LIMIT 5


Nripesh Kumar Joshi (Salesforce Developer)

Some SOQL Query Examples in Salesforce (Part 2)

NULLS FIRST | LAST - Returns null records at the beginning (NULLS FIRST) or end

(NULLS LAST)

SELECT Name, Email FROM Contact ORDER BY Email NULLS LAST

SELECT Name, Email FROM Contact ORDER BY Email NULLS First

5. We want only accounts that have a related contact with the last name

Forbes ?

SELECT Name, (SELECT Name FROM Contacts) FROM Account WHERE Id IN

(SELECT AccountId FROM Contact WHERE LastName = 'Kumar')


Apex Trigger

Nripesh Kumar Joshi


Salesforce Developer
Nripesh
Apex Trigger

Apex triggers enable you to perform custom actions before or
after events to records in Salesforce, such as insertions,
updates, or deletions.


Use Apex triggers if performance and scale is important, if your
logic is too complex for the point-and-click tools.


Salesforce automatically fires active triggers when the specified
database events occur.
Nripesh
Trigger Syntax

A trigger definition starts with the trigger
keyword. It is then followed by the name of the
trigger, the Salesforce object that the trigger is
associated with, and the conditions under which
it fires.
Nripesh
Trigger Events

To execute a trigger before or after insert, update, delete, and
undelete operations, specify multiple trigger events in a comma-
separated list.The events you can specify are:

before insert

before update

before delete

after insert

after update

after delete

after undelete
Nripesh
Types of Apex Trigger

There are two types of trigger.

Before Trigger After Trigger

Before trigger is used to update or After trigger is used to access the field
validate the record values before values that are set by the system such
save to the database as record id and to affect changes in
other record
Nripesh
Context Variables

To access the records that caused the trigger to fire.
isExecuting

Returns true if the current context for the Apex code is a trigger, not a Visualforce page, a Web service, or an
executeanonymous() API call.
isBefore

Returns true if this trigger was fired before any record was saved.
isAfter

Returns true if this trigger was fired after all records were saved.
isInsert

Returns true if this trigger was fired due to an insert operation, from the Salesforce user interface, Apex, or
the API.
isUpdate

Returns true if this trigger was fired due to an update operation, from the Salesforce user interface, Apex, or
the API.
isDelete

Returns true if this trigger was fired due to a delete operation, from the Salesforce user interface, Apex, or
the API.
Nripesh
Context Variables
isUndelete

Returns true if this trigger was fired after a record is recovered from the Recycle Bin (that is, after an
undelete operation from the Salesforce user interface, Apex, or the API.)
new

Returns a list of the new versions of the sObject records. Note that this sObject list is only available in
insert and update triggers, and the records can only be modified in before triggers.
newMap

A map of IDs to the new versions of the sObject records. Note that this map is only available in before
update, after insert, and after update triggers.
old

Returns a list of the old versions of the sObject records. Note that this sObject list is only available in
update and delete triggers.
oldMap

A map of IDs to the old versions of the sObject records. Note that this map is only available in update and
delete triggers.
size

The total number of records in a trigger invocation, both old and new.
Nripesh
How we can write apex Trigger ?
trigger ContextExampleTrigger on Account (before insert, after insert, after delete) {
if (Trigger.isInsert) {
if (Trigger.isBefore) {
// Process before insert
} else if (Trigger.isAfter) {
// Process after insert
}
}
else if (Trigger.isDelete) {
// Process after delete
}
}
Nripesh

Best Practices of Apex Trigger



One trigger per object

Logic Less Trigger

Context-specific handler methods

Avoid SOQL Query inside for loop

Avoid hardcoding IDs

Avoid nested for loop

Avoid DML inside for loop

Bulkify Your Code

Enforced Sharing in Salesforce

Use @future Appropriately
Nripesh
One Trigger Per Object

Can control the order of execution.


If you create more than one trigger per object then you can not control
which trigger logic will execute first.So always use One trigger per object.

Logic Less Trigger


We should create a handler class and create a method inside that class
and then write logic there.
Nripesh

Logic Less Trigger


Nripesh
Avoid SOQL Query inside for loop

As we all know that Salesforce works in Multi-Tenant
Environment it is important that we keep all the limits in mind.

There is a SOQL Limit of 100 in every Transaction.

If you insert 101 contact records at once you will get the SOQL
error.
Nripesh


Instead of using the SOQL Query, we should be taking help from
Salesforce Collection and then reducing the error.
Nripesh

Avoid hardcoding IDs



We should always avoid using hardcoding Ids in the Apex Class,
Apex trigger.For example, if you wanted to check if the account
record type is a business account then only process the
records.
Nripesh

Avoid nested for loop



We should always try to avoid the nested for loop in the apex
code which will impact the performance of our apex class.

Requirement – When the contact is created, update the contact
address same as the Account Address.
Nripesh
Avoid nested for loop

Instead of using nested for loops, we should use collection
variables especially Map in apex class and get rid of for loops.
Nripesh
Avoid DML inside for loop

we should avoid the SOQL statement inside for loop. In the
similar fashion we should avoid making DML inside the for loop.
We should use collection ( List ) to store all the records and then
do the DML outside of for loop.

For Example, You need to create a child case when the Contact
is created.
Nripesh
Avoid DML inside for loop
Nripesh

Bulkify Your Code



Bulkifying Apex code refers to the concept of making sure the
code properly handles more than one record at a time.

Example -->
trigger testTrigger on Acount__c(before insert) {
integer i = 1;
for (Acount__c acc: Trigger.new) {
acc.Address__c = 'Test Address ' + i;
i++;
}
}
Nripesh

Use @future Appropriately



Sometimes there are some scenarios where we want to run
some logic in asynchronous mode or sometimes we get into
some errors like Mixed DML operations.

We need to keep the @future or Queueable class and use it
wherever we can use it.

Below are a couple of scenarios where we can use either
@future or Queueable apex
– We are getting mixed DML operation Error
– We need to make a callout from Apex Trigger.
Nripesh

Recursive Trigger

Recursion is the process of executing the same Trigger multiple
times to update the record again and again due to automation.

There is a way to avoid recursive trigger.

Use Static Boolean Variable.


This error is occured in below code
trigger TestTrigger on Test__c (before insert) {
insert new Test__c();
}
Nripesh
How to avoid Recursive Trigger ?

Create a class with a static Boolean variable with a default value
of true.
Nripesh
References

https://www.pantherschools.com/apex-trigger-best-practices-in-
salesforce/

https://jayakrishnasfdc.wordpress.com/2020/02/23/recursive-trig
ger-in-salesforce/
Thank You
Nripesh Kumar Joshi

Batch Class in Salesforce

The Batch class is used to process millions of records within normal


processing limits. If you have a lot of records to process then you

s
should go with Batch class.

ie
ig
Batch class has three methods that are following.

od
1. Start Method
2. Execute Method
Pr
3. Finish Method

1. Start Method
ce

This method will collect records or objects on which the operation


or

should be performed.
sf

Syntax of Start Method →


le
Sa

global Database.QueryLocator start(Database.BatchableContext


BC){}

Database.Batchable interface require a reference to a


Database.BatchableContext object. Use this object to track the
progress of the batch job.

2. Execute Method
This method processes a subset of the scoped records and performs
operations which we want to perform on the records fetched from the
start method.

Syntax of Execute Method —>

global void execute(Database.BatchableContext BC, list<sobject>) {

s
ie
3. Finish Method

ig
This method executes after all batches are processed. This method is

od
used for any post job or wrap-up work like sending confirmation email
notifications.
Pr
Syntax of Finish Method —>
ce

global void finish(Database.BatchableContext BC) {


or

}
sf

Batch class should be implemented by Database.Batchable interface.


le
Sa

Example —>

global class AccountBatch implements Database.Batchable<sObject>


{
global Database.QueryLocator start(Database.BatchableContext
BC)
{
String query = 'SELECT Id,Name FROM Account';

return Database.getQueryLocator(query);
}
global void execute(Database.BatchableContext BC, List<Account>
scope)
{
for(Account a : scope)
{

s
a.Name = a.Name + 'Updated';

ie
}

ig
update scope;
}

od
global void finish(Database.BatchableContext BC) {
}
Pr
}
ce

Database.Stateful Interface
or

Database.Stateful, you can maintain state across these transactions.


sf

For example, if your batch job is executing one logic and you need to
send an email at the end of the batch job with all successful records
le

and failed records. For that, you can use Database.Stateful in the
Sa

class definition.

public class MyBatchJob implements


Database.Batchable<sObject>, Database.Stateful{

public integer summary;

public MyBatchJob(String q){


Summary = 0;
}

public Database.QueryLocator start(Database.BatchableContext


BC){
return Database.getQueryLocator(query);
}

public void execute(

s
Database.BatchableContext BC,

ie
List<sObject> scope){

ig
for(sObject s : scope){
Summary ++;

od
}
}
Pr
public void finish(Database.BatchableContext BC){
ce

}
}
or
sf

Scheduler Class For Batch Apex


le

Schedulable Class is a global class that implements the Schedulable


Sa

interface. That includes one execute method. Here is example of a


scheduler class.

global class AccountBatchJobscheduled implements Schedulable {


global void execute(SchedulableContext sc) {
AccountBatch b = new AccountBatch();
database.executebatch(b);
}
}

How to Schedule scheduler class

There are two options: we have scheduled the scheduler classes.


1) Declarative Approach
2) By Developer console

s
ie
1. By Declarative Approach →

ig
Step 1) Click on Setup->Apex class. Then search the Schedule Apex

od
button.
Pr
ce
or
sf
le
Sa

Step 2) Execute below code from developer console.

AccountBatchJobscheduled m = new AccountBatchJobscheduled();


String sch = '0 0 0 ? * * * ';
String jobID = system.schedule('Merge Job', sch, m);

What is CRON?
CRON is a software utility that is a time-based job scheduler in
Unix-like computer operating systems. Developers who want to set up
and maintain software environments, use this CRON to schedule jobs
(commands or shell scripts) to run periodically at fixed times, dates, or
intervals.

s
ie
What is a CRON expression?

ig
A CRON expression is basically a string of five or six fields separated
by white spaces that represents a set of times, normally as a schedule

od
to execute some routine.
Pr
Use in Salesforce
Use schedule with an Apex class that implements the Schedulable
ce

interface to schedule the class to run at the time specified by a Cron


expression.
or

System.Schedule(JobName, CronExpression, SchedulableClass);


sf

The System.Schedule method takes three arguments: a name for the


le

job, an expression used to represent the time and date the job is
Sa

scheduled to run, and the name of the class.

CRON expression has the following syntax:


0 0 5 ? * 1,2,3,4,5,6,7
{1} {2} {3} {4} {5} {6}

{1} Seconds - so 0 here i.e. start of the minute.


{2} Minutes - 0 again so start of the hour.
{3} Hours - 5 so 5 am. Uses 24 hour notation so 21 = 9pm

{4} Day_of_month - ? means no specific value, only available for day


of the month and day of the week.

{5} Month - * indicates all values, i.e. every month. (if we only want to
run on 1st Jan say, this would be 1)

{6} Day_of_week - 1,2,3,4,5,6,7 here specifies days 1,2,3,4,5,6,7 in

s
the week. We could also write this string as MON-FRI or preferably as

ie
* to indicate all values.

ig
So this job reads to run at "0 seconds past 0 minutes of the 5th hour
on no specific day of the month for every month of the year for every

od
day of the week".
The following are the values for the expression:
Pr
ce
or
sf
le
Sa
The special characters are defined as follows:

s
ie
ig
od
Pr
ce
or
sf
le
Sa

NOTE: Use the L and W together to specify the last weekday of the
month.
Cron Expression Examples

s
ie
ig
od
Pr
ce
or
sf
le

Example to schedule a class for every 5 min


Sa

System.schedule(Schedule Job Name 1', '0 00 * * * ?', new


testScheduleFiveMinutes());

System.schedule(Schedule Job Name 2', '0 05 * * * ?', new


testScheduleFiveMinutes());
System.schedule(Schedule Job Name 3', '0 10 * * * ?', new
testScheduleFiveMinutes());

System.schedule(Schedule Job Name 4', '0 15 * * * ?', new


testScheduleFiveMinutes());

System.schedule(Schedule Job Name 5', '0 20 * * * ?', new


testScheduleFiveMinutes());

s
System.schedule(Schedule Job Name 6', '0 25 * * * ?', new

ie
testScheduleFiveMinutes());

ig
System.schedule(Schedule Job Name 7', '0 30 * * * ?', new

od
testScheduleFiveMinutes());
Pr
System.schedule(Schedule Job Name 8', '0 35 * * * ?', new
testScheduleFiveMinutes());
ce

System.schedule(Schedule Job Name 9', '0 40 * * * ?', new


or

testScheduleFiveMinutes());
sf

System.schedule(Schedule Job Name 10', '0 45 * * * ?', new


testScheduleFiveMinutes());
le
Sa

System.schedule(Schedule Job Name 11', '0 50 * * * ?', new


testScheduleFiveMinutes());

System.schedule(Schedule Job Name 12', '0 55 * * * ?', new


testScheduleFiveMinutes());
Test Class For Batch Job
How to write a test class for Batch Job.

@isTest
public class AccountBatchTest {
static testMethod void testMethod1() {
List<Account> lstAccount= new List<Account>();
for(Integer i=0 ;i <200;i++) {
Account acc = new Account();

s
acc.Name ='Name'+i;

ie
lstLead.add(acc);

ig
}
insert lstAccount;

od
Test.startTest();
AccountBatch obj = new AccountBatch();
Pr
DataBase.executeBatch(obj);
Test.stopTest();
ce

}
}
or
sf

Batch Class Interview Questions


le

● What is a Batch Apex?


Sa

● What is a Schedule apex?


● Where do we need to use Batch apex? What are the Features it
offers?
● What access modifier should we use in Batch Class?
● What are the Methods we should Implement in Batch apex?
● What is the Use of Start method?
● What is the importance of the Execute method? and how many
times it runs?
● What is the purpose of the finish method?
● What is a Database.Batchable interface?
● What is a Database.QueryLocator?
● What is the iterable<Sobject>?
● What is a Database.BatchableContext?
● What is the Difference between Synchronous and
Asynchronous?
● Is Batch apex Synchronous or Asynchronous?
● What is the Difference between Stateless Or Stateful?

s
● Is Batch apex Stateless Or Stateful?

ie
● How to Implement Stateful in Batch class?

ig
● How can we schedule a batch class? How?
● Can we schedule Batch classes in Minutes or Hours? If yes,

od
How?
● Can we call one Batch class to another Batch class?
Pr
● Can we schedule a batch apex class with in that batch class?
● Can we call future method from a batch class?
ce

● Can we write batch class and schedulable class in a same


class?
or

● Can we call callouts from batch apex?


● What is the Default batch size? and what is the max batch size?
sf

● How to Execute a Batch Classes?


● How to track the details of the current running Batch job?
le

● What is the AsyncApexJob object?


Sa

● How many batch Jobs Active at a time?


● What are the Batch apex governor limits?
● What are the batch apex Best Practices?
● How to stop the Batch apex jobs?
● How to abort a batch jobs?
● What is BatchApexworker record type?
Salesforce Developer Interview Questions
(Admin + Development)

Service Based Companies


+
Product Based Companies
(TCS – 2 Yr Exp)
Admin

1. Difference between Custom Metadata and Custom Settings.


2. Difference between Role and Profile
3. Difference between dataloader and Data Import Wizard
4. Different Types of Flows
5. What are the following-
• Sharing Settings
• Owd
• Role Hierarchy
• Login Hours
• Session Setting
• Partner Community
• Licenses

Development

6. What is Order of Execution in Salesforce.


7. Explain Governor Limits
8. Why do we write test classes in salesforce and what are the best
practices of test class ?
9. What is lockout Error ?
10. What is the deployment process in Salesforce ?
11. Why do we use batch class in salesforce and write down the syntax of
batch class ?
12. Types of exceptions in detail
13. Explain the Lifecycle Hooks in lwc
14. What are the decorators available in lwc and its use
15. Difference between wire and imperative wire in lwc
16. Do you know Some SLDS Classes ?
17. What is lightning data service (LDS) in lwc ?
19. What is the Lightning Message Service in lwc ?
20. Program – Write a trigger to create contacts based on Number of
Contacts field on Account object while Account record save
Integration

Q. What is Single Sign On ?

Ans -- > Single sign-on (SSO) allows users to access multiple applications with a single set of
credentials. They do not need to remember separate user ID/password for each application.
Salesforce offers various options for configuring single sign-on. This also includes:
• Federated Authentication using SAML
• Delegated Authentication
• OpenID Connect

We need to enable SAML in single sign on setting

Q. What is Identity Provider ?


Ans--> IdP stands for Identity Provider and SP stands for Service Provider.IdP is the system that
authenticates user by validating the username and password and then subsequently all other
applications trust IdP and allow user to access the application if the IdP asserts that the user is a
valid user.IdP is the system that stores user’s login name and password.

Q. What is Service Provider ?


Ans --> A service provider is a website that hosts apps. A Service Provider (SP) is the entity
providing the service, typically in the form of an application.Let suppose we are accessing the
google’s credential to login salesforce org so Salesforce will be the Service Provider and Google
will be the Identity provider because Google will validate the user and salesforce will give the
service for doing work.
Q. What is Salesforce Integration ?
Ans--> Salesforce Integration is a process of connecting two or more applications.
Q. What are the Salesforce Integration Direction ?
Ans--> Integration can be two direction inbound integration or outbound Integration.

Inbound Integration: An external system initiates contact with Salesforce.


Outbound Integration: Salesforce initiates contact with an external system.

Q. What is outbound and inbound Integration in Salesforce ?


Ans - >
Inbound Web Service:
Inbound web service is when Salesforce exposes SOAP/REST web service, and any external/third
party application consume it to get data from your Salesforce org. It is an Inbound call to
Salesforce, but outbound call to the external system. Here, Salesforce is the publisher and external
system is the consumer of web services.
Outbound Web Service:
Outbound web service is when Salesforce consume any external/third party application web service,
a call needs to send to the external system. It is an Inbound call to the external system, but outbound
call to Salesforce. Here, external system is the publisher of web services and Salesforce is the
consumer.

Q. Different APIs in Salesforce and when we can use these Api?

Ans -
REST API
REST API is a simple and powerful web service based on RESTful principles. It exposes all sorts of
Salesforce functionality via REST resources and HTTP methods. For example, you can create, read,
update, and delete (CRUD) records, search or query your data, retrieve object metadata, and access
information about limits in your org. REST API supports both XML and JSON.

Because REST API has a lightweight request and response framework and is easy to use, it’s great
for writing mobile and web apps.

SOAP API
SOAP API is a robust and powerful web service based on the industry-standard protocol of the
same name. It uses a Web Services Description Language (WSDL) file to rigorously define the
parameters for accessing data through the API. SOAP API supports XML only. Most of the SOAP
API functionality is also available through REST API. It just depends on which standard better
meets your needs.

Because SOAP API uses the WSDL file as a formal contract between the API and consumer, it’s
great for writing server-to-server integrations.

Bulk API
Bulk API is a specialized RESTful API for loading and querying lots of data at once. By lots, we
mean 50,000 records or more. Bulk API is asynchronous, meaning that you can submit a request
and come back later for the results. This approach is the preferred one when dealing with large
amounts of data. There are two versions of Bulk API (1.0 and 2.0). Both versions handle large
amounts of data, but we use Bulk API 2.0 in this module because it’s a bit easier to use.

Bulk API is great for performing tasks that involve lots of records, such as loading data into your
org for the first time.

Pub/Sub API
Use Pub/Sub API for integrating external systems with real-time events. You can subscribe to real-
time events that trigger when changes are made to your data or subscribe to custom events. The
APIs use a publish-subscribe, or pub/sub, model in which users can subscribe to channels that
broadcast data changes or custom notifications.

The pub/sub model reduces the number of API requests by eliminating the need for making frequent
API requests to get data. Pub/Sub API is great for writing apps that would otherwise need to
frequently poll for changes.

When to Use Pub/Sub API


You can use Pub/Sub API to integrate external systems with real-time events. Streams of data are
based on custom payloads through platform events or changes in Salesforce records through
Change Data Capture. Within Salesforce, you can publish and subscribe to events with Apex
triggers, Process Builder, and Flow Builder.

Pub/Sub API is built for high scale, bi-directional event integration with Salesforce. Use Pub/Sub
API to efficiently publish and subscribe to binary event messages in the Apache Avro format.
Pub/Sub API is based on gRPC and HTTP/2 and uses a pull-based model so you can control the
subscription flow. With Pub/Sub API, you can use one of the 11 programming languages that gRPC
supports.

When to Use Apex REST API


Use Apex REST API when you want to expose your Apex classes and methods so that external
applications can access your code through REST architecture. Apex REST API supports both
OAuth 2.0 and Session ID for authentication.

When to Use Apex SOAP API


Use Apex SOAP API when you want to expose Apex methods as SOAP web service APIs so that
external applications can access your code through SOAP. Apex SOAP API supports both OAuth
2.0 and Session ID for authentication.

When to Use Tooling API


Use Tooling API to build custom development tools or apps for Platform applications. For example,
you can use Tooling API to add features and functionality to your existing Platform tools and build
dynamic modules into your enterprise integration tools. You can also use Tooling API to build
specialized development tools for a specific application or service.

Tooling API’s SOQL capabilities for many metadata types allow you to retrieve smaller pieces of
metadata. Smaller retrieves improve performance, making Tooling API a good fit for developing
interactive applications. Tooling API provides SOAP and REST interfaces.
When to Use GraphQL API
Build highly responsive and scalable apps by returning only the data a client needs, all in a single
request. GraphQL API overcomes the challenges posed by traditional REST APIs through field
selection, resource aggregation, and schema introspection. Field selection reduces the size of the
payload, sending back only fields that were included in the query. Aggregations reduce round trips
between the client and server, returning a set of related resources within a single response. Schema
introspection enables a user to see the types, fields, and objects that the user has access to.

Q. What is connected App in Salesforce and how can we create connected app in Salesforce ?
Ans - A connected app is a framework that enables an external application to integrate with
Salesforce using APIs and standard protocols, such as Security Assertion Markup Language
(SAML), OAuth, and OpenID Connect. Connected apps use these protocols to authorize,
authenticate, and provide single sign-on (SSO) for external apps.

Q. Some Scenarios for using connected app in Salesforce ?

Ans- Integration with a Custom Marketing Automation Tool


Implementation Steps:

Step 1: Create a Connected App in Salesforce:

1. Log in to Salesforce as an administrator.


2. Click on the gear icon in the top-right corner to access "Setup."
3. In the Quick Find box, type "App Manager" and select "App Manager."
4. Click the "New Connected App" button.
5. Configure the basic information:

• Connected App Name : Give your app a name (e.g.,


"MarketingAutomationIntegration").
• API Name : It will be automatically generated based on the app name.
• Contact Email : Provide a contact email address.
• Enable OAuth Settings : Check this box to enable OAuth authentication.

Step 2: Configure OAuth Settings:

6. In the "API (Enable OAuth Settings)" section, configure the OAuth settings:

• Callback URL : Provide the callback URL where your marketing automation tool
will redirect users after authentication. It should be a URL within your marketing
automation tool's settings.
• Selected OAuth Scopes : Choose the necessary OAuth scopes based on the
permissions your integration needs. For example, you might need "Access and
manage your data (api)" and "Perform requests on your behalf at any time
(refresh_token, offline_access)."
• Require Secret for Web Server Flow : If your integration will use the Web Server
OAuth flow, check this box.
7. Optionally, you can configure other settings, such as digital signatures or IP Relaxation
settings, depending on your security requirements.

Step 3: Save the Connected App:

8. Click the "Save" button to save your connected app configuration.

Step 4: Note the Consumer Key and Secret:

9. After saving, Salesforce will generate a "Consumer Key" and "Consumer Secret." Keep
these values secure as they'll be used for authentication.

Step 5: Configure Permitted Users:

10.In the "Profiles" related list, specify which user profiles or permission sets are allowed to
use the connected app. Ensure that the appropriate users have access to the connected app.

Step 6: Implement Integration with the Marketing Automation Tool:

11.In your custom marketing automation tool, implement OAuth 2.0 authentication using the
Salesforce connected app's Consumer Key and Secret. Follow Salesforce's OAuth 2.0
authentication flow to obtain access tokens.
12.Once you obtain an access token, use it to make authorized API requests to Salesforce. You
can create and update leads, contacts, and other Salesforce objects as needed from your
marketing automation tool.

Step 7: Monitor and Maintain:

13.Regularly monitor the integration's usage, and ensure that you handle token expiration and
token refresh logic in your integration to maintain seamless connectivity.

Scenario 2- External Identity Providers:


Your organization uses an external identity provider (IdP) for user authentication, and you want to
connect Salesforce with this IdP.

• Solution: Create a connected app in Salesforce and configure it to use the IdP's
authentication services, such as SAML or OpenID Connect, for user authentication and
single sign-on.

Scenario 3 - Single Sign-On (SSO):

Scenario: Your company uses Salesforce for customer relationship management (CRM) and Google
Workspace (formerly G Suite) for email and collaboration. You want your Salesforce users to access
Google Workspace seamlessly without having to log in separately.
Solution: Create a connected app in Salesforce and configure it to use OAuth 2.0 for SSO with
Google Workspace. This way, users can log in to Salesforce and access Google Workspace
resources without additional login steps.

If you want to create a connected app in Salesforce first you search on Quick find box ‘App
Manager’ and select this after that you can click on New Connected App

You need to fill the details as per your requirement


You can create connected app and try to implement in your org and refer this module for practice

https://trailhead.salesforce.com/content/learn/modules/mobile_sdk_introduction/
mobilesdk_intro_security

Q. Oauth Terminologies

OAuth (Open Authorization): OAuth is an open standard protocol that enables secure
authorization and authentication for granting access to resources, such as APIs, without exposing
user credentials.
Client Application: The software application that wants to access protected resources on behalf of
the user. In Salesforce integration, this could be a third-party app or system.

Resource Owner: The user or entity that owns the protected resource. In Salesforce, this is
typically a Salesforce user whose data or resources are being accessed.

Authorization Server: In Salesforce, the authorization server is the Salesforce Identity and Access
Management system. It handles user authentication and issues access tokens after the user grants
permission.

Access Token: An access token is a credential used by the client application to access protected
resources. In Salesforce, access tokens are short-lived and grant access to specific resources for a
limited time.

Refresh Token: A refresh token is a long-lived credential that can be used to obtain a new access
token when the current one expires. It is often used to maintain a long-term connection between the
client application and Salesforce.

Authorization Code: In the Web Server OAuth Authentication Flow, after the user is authenticated,
the authorization server issues an authorization code. This code is exchanged for an access token
and a refresh token by the client application.

Consumer Key: It is value used by the consumer—in this case, the Mobile SDK app—to identify
itself to Salesforce. Referred to as client_id.

Scopes: Scopes define the specific permissions and access rights requested by the client application.
In Salesforce, scopes can control the level of access to objects and data.

Redirect URI (Callback URL): When the user is authenticated and grants permissions, the
authorization server redirects the user's browser to a specific URL (the redirect URI) with the
authorization code. In Salesforce integrations, this URL is often provided by the client application.

JWT (JSON Web Token): JWT is a compact, URL-safe means of representing claims to be
transferred between two parties. In Salesforce, JWTs are used in the JWT Bearer Token OAuth
Authentication Flow for secure communication.

Connected App: In Salesforce, a connected app represents the client application that wants to
integrate with Salesforce using OAuth. Connected apps define various settings, including OAuth
settings, to control the integration.
User-Agent Flow: Also known as the Implicit Flow, this OAuth flow is used for single-page
applications and mobile apps where the access token is returned directly to the user's browser or
app.

Username-Password Flow: This OAuth flow allows the client application to directly exchange the
user's Salesforce credentials for an access token. It's generally discouraged due to security concerns.

Q. Oauth 1.O vs Oauth 2.O ?

Better support for non-browser applications


OAuth 1.0 has been designed focusing on the interactions of inbound and outbound messages in
web client applications. Therefore, it is inefficient for non-browser clients. OAuth 2.0 has addressed
this issue by introducing more authorization flows for different client needs that do not use web
UIs.

Reduced complexity in signing requests


OAuth 1.0 needs to generate a signature on every API call to the server resource and that should be
matched with the signature generated at the receiving endpoint in order to have access for the client.
OAuth 2.0 do not need to generate signatures. It uses TLS/SSL (HTTPS) for communication.

The separation of roles


Handling resource requests and handling user authorization can be decoupled in OAuth 2.0. It has
clearly defined the roles involved in communication which are client, resource owner, resource
server, and authorization server.

The short-lived access token and the refresh token


In OAuth 1.0, access tokens can be stored for a year or more. But in OAuth 2.0, access tokens can
contain an expiration time, which improves the security and reduces the chances of illegal access.
And it offers a refresh token which can be used to get a new access token at the access token
expiration without reauthorizing.

Q. What is Rest API ?

Ans -> The Salesforce REST API lets you integrate with Salesforce applications using simple
HTTP methods, in either JSON or XML formats, making this an ideal API for developing mobile
applications or external clients.

HTTP Method Description


GET >>>> Retrieve data identified by a URL.
POST >>>> Create a resource or post data to the server.
DELETE >>>> Delete a resource identified by a URL.
PUT >>>> Create or replace the resource sent in the request body.
PATCH >>>> Partial update to an existing resource,
Rest Api Callout ---> Code

Piece of code --> Retrieve the data from third party (Get the Data)

Http http = new Http();


HttpRequest request = new HttpRequest();
request.setEndpoint('https://th-apex-http-callout.herokuapp.com/animals');
request.setMethod('GET');
HttpResponse response = http.send(request);
// If the request is successful, parse the JSON response.
if(response.getStatusCode() == 200) {
// Deserialize the JSON string into collections of primitive data types.
Map<String, Object> results = (Map<String, Object>)
JSON.deserializeUntyped(response.getBody());
// Cast the values in the 'animals' key as a list
List<Object> animals = (List<Object>) results.get('animals');
System.debug('Received the following animals:');
for(Object animal: animals) {
System.debug(animal);
}
}

Piece of code --> Send Data to a Service (Post)

Http http = new Http();


HttpRequest request = new HttpRequest();
request.setEndpoint('https://th-apex-http-callout.herokuapp.com/animals');
request.setMethod('POST');
request.setHeader('Content-Type', 'application/json;charset=UTF-8');
// Set the body as a JSON object
request.setBody('{"name":"mighty moose"}');
HttpResponse response = http.send(request);
// Parse the JSON response
if(response.getStatusCode() != 201) {
System.debug('The status code returned was not expected: ' + response.getStatusCode() + ' ' +
response.getStatus());
} else {
System.debug(response.getBody());
}

now you can test callout with the help of HttpCalloutMock

Test a Callout with HttpCalloutMock

To test your POST callout, we provide an implementation of the HttpCalloutMock interface. This
interface enables you to specify the response that’s sent in the respond method. Your test class
instructs the Apex runtime to send this fake response by calling Test.setMock again. For the first
argument, pass HttpCalloutMock.class. For the second argument, pass a new instance of
AnimalsHttpCalloutMock, which is your interface implementation of HttpCalloutMock. (We’ll
write AnimalsHttpCalloutMock in the example after this one.)

Test.setMock(HttpCalloutMock.class, new AnimalsHttpCalloutMock());

Now add the class that implements the HttpCalloutMock interface to intercept the callout. If an
HTTP callout is invoked in test context, the callout is not made. Instead, you receive the mock
response that you specify in the respond method implementation in AnimalsHttpCalloutMock.

Apex Class

AnimalsCallouts

public class AnimalsCallouts {


public static HttpResponse makeGetCallout() {
Http http = new Http();
HttpRequest request = new HttpRequest();
request.setEndpoint('https://th-apex-http-callout.herokuapp.com/animals');
request.setMethod('GET');
HttpResponse response = http.send(request);
// If the request is successful, parse the JSON response.
if(response.getStatusCode() == 200) {
// Deserializes the JSON string into collections of primitive data types.
Map<String, Object> results = (Map<String, Object>)
JSON.deserializeUntyped(response.getBody());
// Cast the values in the 'animals' key as a list
List<Object> animals = (List<Object>) results.get('animals');
System.debug('Received the following animals:');
for(Object animal: animals) {
System.debug(animal);
}
}
return response;
}
public static HttpResponse makePostCallout() {
Http http = new Http();
HttpRequest request = new HttpRequest();
request.setEndpoint('https://th-apex-http-callout.herokuapp.com/animals');
request.setMethod('POST');
request.setHeader('Content-Type', 'application/json;charset=UTF-8');
request.setBody('{"name":"mighty moose"}');
HttpResponse response = http.send(request);
// Parse the JSON response
if(response.getStatusCode() != 201) {
System.debug('The status code returned was not expected: ' +
response.getStatusCode() + ' ' + response.getStatus());
} else {
System.debug(response.getBody());
}
return response;
}
}

AnimalsCalloutsTest

@isTest
private class AnimalsCalloutsTest {
@isTest static void testGetCallout() {
// Create the mock response based on a static resource
StaticResourceCalloutMock mock = new StaticResourceCalloutMock();
mock.setStaticResource('GetAnimalResource');
mock.setStatusCode(200);
mock.setHeader('Content-Type', 'application/json;charset=UTF-8');
// Associate the callout with a mock response
Test.setMock(HttpCalloutMock.class, mock);
// Call method to test
HttpResponse result = AnimalsCallouts.makeGetCallout();
// Verify mock response is not null
System.assertNotEquals(null,result, 'The callout returned a null response.');
// Verify status code
System.assertEquals(200,result.getStatusCode(), 'The status code is not 200.');
// Verify content type
System.assertEquals('application/json;charset=UTF-8',
result.getHeader('Content-Type'),
'The content type value is not expected.');
// Verify the array contains 3 items
Map<String, Object> results = (Map<String, Object>)
JSON.deserializeUntyped(result.getBody());
List<Object> animals = (List<Object>) results.get('animals');
System.assertEquals(3, animals.size(), 'The array should only contain 3 items.');
}
}

HttpCalloutMock

@isTest
global class AnimalsHttpCalloutMock implements HttpCalloutMock {
// Implement this interface method
global HTTPResponse respond(HTTPRequest request) {
// Create a fake response
HttpResponse response = new HttpResponse();
response.setHeader('Content-Type', 'application/json');
response.setBody('{"animals": ["majestic badger", "fluffy bunny", "scary bear", "chicken",
"mighty moose"]}');
response.setStatusCode(200);
return response;
}
}

Create Custom Rest API In Salesforce


Sometimes we need to do some customization in OOB REST API for some complex
implementation.
Use Action
@RestResource(urlMapping=“
Defines the class as a custom Apex endpoint
url”)
Defines the function to be called via Http Get- Used to
@HttpGet Read
retrieve a record
@HttpDelete Used to delete a record Delete
@HttpPost Used to create a record Create
@HttpPatch Used to partially update a record Upsert
@HttpPut Used to fully update a record Update

MyFirstRestAPIClass

RestContext --> To access the RestRequest and RestResponse objects in an Apex


REST method.

@RestResource(urlMapping='/api/Account/*')
global with sharing class MyFirstRestAPIClass
{
@HttpGet
global static Account doGet() {
RestRequest req = RestContext.request;
RestResponse res = RestContext.response;
String AccNumber = req.requestURI.substring(req.requestURI.lastIndexOf('/')+1);
Account result = [SELECT Id, Name, Phone, Website FROM Account WHERE
AccountNumber = :AccNumber ];
return result;
}

@HttpDelete
global static void doDelete() {
RestRequest req = RestContext.request;
RestResponse res = RestContext.response;
String AccNumber = req.requestURI.substring(req.requestURI.lastIndexOf('/')+1);
Account result = [SELECT Id, Name, Phone, Website FROM Account WHERE
AccountNumber = :AccNumber ];
delete result;
}

@HttpPost
global static String doPost(String name,String phone,String AccountNumber ) {
Account acc = new Account();
acc.name= name;
acc.phone=phone;
acc.AccountNumber =AccountNumber ;
insert acc;
return acc.id;
}

Test Class for REST API

MyFirstRestAPIClassTest

@IsTest
private class MyFirstRestAPIClassTest {

static testMethod void testGetMethod(){


Account acc = new Account();
acc.Name='Test';
acc.AccountNumber ='12345';
insert acc;

RestRequest request = new RestRequest();


request.requestUri ='/services/apexrest/api/Account/12345';
request.httpMethod = 'GET';
RestContext.request = request;
Account acct = MyFirstRestAPIClass.doGet();
System.assert(acct != null);
System.assertEquals('Test', acct.Name);

static testMethod void testPostMethod(){


RestRequest request = new RestRequest();
request.requestUri ='/services/apexrest/api/Account/12345';
request.httpMethod = 'POST';
RestContext.request = request;
String strId = MyFirstRestAPIClass.doPost('Amit','2345678','12345');
System.assert(strId !=null );
}

static testMethod void testDeleteMethod(){


Account acc = new Account();
acc.Name='Test';
acc.AccountNumber ='12345';
insert acc;

RestRequest request = new RestRequest();


request.requestUri ='/services/apexrest/api/Account/12345';
request.httpMethod = 'DELETE';
RestContext.request = request;
MyFirstRestAPIClass.doDelete();

List<Account> ListAcct = [SELECT Id FROM Account WHERE Id=:acc.id];


System.assert(ListAcct.size() ==0 );
}

Execute Your Apex REST Class In Workbench

Step 1:- Open and log in.


Step 2:- Select Environment as Production and select the checkbox to agree on the terms and
conditions then select log in with Salesforce

Step 3:- In the Workbench tool select Utilities > REST Explorer

Step 4:- In the REST Explorer window paste the following URL in the box

Method:- Get
URL:- /services/apexrest/api/Account/12345
Nripesh

You might also like