Concept of Objects and Interfaces in Apex programming language

Last updated on Nov 24 2021
Abha Kulkarni

Table of Contents

Concept of Objects and Interfaces in Apex programming language

An instance of sophistication is named Object. In terms of Salesforce, object are often of sophistication otherwise you can create an object of sObject also .

Object Creation from Class

You can create an object of sophistication as you would possibly have wiped out Java or other object-oriented programing language.
Following is an example Class called MyClass −

// Sample Class Example
public class MyClass {
Integer myInteger = 10;

public void myMethod (Integer multiplier) {
Integer multiplicationResult;
multiplicationResult = multiplier*myInteger;
System.debug('Multiplication is '+multiplicationResult);
}
}

This is an instance class, i.e., to call or access the variables or methods of this class, you want to create an instance of this class then you’ll perform all the operations.

// Object Creation
// Creating an object of sophistication 
MyClass objClass = new MyClass();

// Calling Class method using Class instance
objClass.myMethod(100);
sObject creation
sObjects are the objects of Salesforce during which you store the info . for instance , Account, Contact, etc., are custom objects. you'll create object instances of those sObjects.
Following is an example of sObject initialization and shows how you'll access the sector of that specific object using dot notation and assign the values to fields.
// Execute the below code in Developer console by simply pasting it
// Standard Object Initialization for Account sObject
Account objAccount = new Account(); // Object initialization
objAccount.Name = 'Testr Account'; // Assigning the worth to field Name of Account
objAccount.Description = 'Test Account';
insert objAccount; // Creating record using DML
System.debug('Records Has been created '+objAccount);

// Custom sObject initialization and assignment of values to field
APEX_Customer_c objCustomer = new APEX_Customer_c ();
objCustomer.Name = 'ABC Customer';
objCustomer.APEX_Customer_Decscription_c = 'Test Description';
insert objCustomer;
System.debug('Records Has been created '+objCustomer);

Static Initialization

Static methods and variables are initialized just one occasion when a category is loaded. Static variables aren’t transmitted as a part of the view state for a Visualforce page.
Following is an example of Static method also as Static variable.

// Sample Class Example with Static Method
public class MyStaticClass {
Static Integer myInteger = 10;

public static void myMethod (Integer multiplier) {
Integer multiplicationResult;
multiplicationResult = multiplier * myInteger;
System.debug('Multiplication is '+multiplicationResult);
}
}

// Calling the category Method using Class Name and not using the instance object
MyStaticClass.myMethod(100);

Static Variable Use

Static variables are going to be instantiated just one occasion when class is loaded and this phenomenon are often wont to avoid the trigger recursion. Static variable value are going to be same within an equivalent execution context and any class, trigger or code which is executing can ask it and stop the recursion.

Apex – Interfaces

An interface is like an Apex class during which none of the methods are implemented. It only contains the tactic signatures, but the body of every method is empty. To use an interface, another class must implement it by providing a body for all of the methods contained within the interface.
Interfaces are used mainly for providing the abstraction layer for your code. They separate the implementation from declaration of the tactic .
Let’s take an example of our Chemical Company. Suppose that we’d like to supply the discount to Premium and Ordinary customers and discounts for both are going to be different.
We will create an Interface called the DiscountProcessor.

// Interface
public interface DiscountProcessor {
Double percentageDiscountTobeApplied(); // method signature only
}

// Premium Customer Class
public class PremiumCustomer implements DiscountProcessor {

//Method Call
public Double percentageDiscountTobeApplied () {

// For Premium customer, discount should be 30%
return 0.30;
}
}

// Normal Customer Class
public class NormalCustomer implements DiscountProcessor {

// Method Call
public Double percentageDiscountTobeApplied () {

// For Premium customer, discount should be 10%
return 0.10;
}
}

When you implement the Interface then it’s mandatory to implement the tactic of that Interface. If you are doing not implement the Interface methods, it’ll throw a mistake . you ought to use Interfaces once you want to form the tactic implementation mandatory for the developer.
Standard Salesforce Interface for Batch Apex
SFDC do have standard interfaces like Database.Batchable, Schedulable, etc. for instance , if you implement the Database.Batchable Interface, then you want to implement the three methods defined within the Interface – Start, Execute and Finish.
Below is an example for normal Salesforce provided Database.Batchable Interface which sends out emails to users with the Batch Status. This interface has 3 methods, Start, Execute and Finish. Using this interface, we will implement the Batchable functionality and it also provides the BatchableContext variable which we will use to urge more information about the Batch which is executing and to perform other functionalities.
global class CustomerProessingBatch implements Database.Batchable,

Schedulable {
// Add here your email address
global String [] email = new String[] {'test@test.com'};

// Start Method
global Database.Querylocator start (Database.BatchableContext BC) {

// this is often the Query which can determine the scope of Records and fetching an equivalent 
return Database.getQueryLocator('Select id, Name, APEX_Customer_Status__c,
APEX_Customer_Decscription__c From APEX_Customer__c WHERE createdDate = today
&& APEX_Active__c = true');
}

// Execute method
global void execute (Database.BatchableContext BC, List scope) {
List customerList = new List();
List updtaedCustomerList = new List();

for (sObject objScope: scope) {
// type casting from generic sOject to APEX_Customer__c
APEX_Customer__c newObjScope = (APEX_Customer__c)objScope ;
newObjScope.APEX_Customer_Decscription__c = 'Updated Via Batch Job';
newObjScope.APEX_Customer_Status__c = 'Processed';

// Add records to the List
updtaedCustomerList.add(newObjScope);
}

// Check if List is empty or not
if (updtaedCustomerList != null && updtaedCustomerList.size()>0) {

// Update the Records
Database.update(updtaedCustomerList); System.debug('List Size
'+updtaedCustomerList.size());
}
}

// Finish Method
global void finish(Database.BatchableContext BC) {
Messaging.SingleEmailMessage mail = new Messaging.SingleEmailMessage();

// get the work Id
AsyncApexJob a = [Select a.TotalJobItems, a.Status, a.NumberOfErrors,
a.JobType, a.JobItemsProcessed, a.ExtendedStatus, a.CreatedById,
a.CompletedDate From AsyncApexJob a WHERE id = :BC.getJobId()];
System.debug('$$ Jobid is'+BC.getJobId());

// below code will send an email to User about the status
mail.setToAddresses(email);

// Add here your email address
mail.setReplyTo('test@test.com');
mail.setSenderDisplayName('Apex execution Module');
mail.setSubject('Batch Processing '+a.Status);
mail.setPlainTextBody('The Batch Apex job processed
'+a.TotalJobItems+'batches with '+a.NumberOfErrors+'failures'+'Job Item
processed are'+a.JobItemsProcessed);
Messaging.sendEmail(new Messaging.Singleemailmessage [] {mail});
}

// Scheduler Method to scedule the category 
global void execute(SchedulableContext sc) {
CustomerProessingBatch conInstance = new CustomerProessingBatch();
database.executebatch(conInstance,100);
}
}
To execute this class, you've got to run the below code within the Developer Console.
CustomerProessingBatch objBatch = new CustomerProessingBatch ();
Database.executeBatch(objBatch);

 

So, this brings us to the end of blog. This Tecklearn ‘Concept of Objects and Interfaces in Apex Programming Language’ blog helps you with commonly asked questions if you are looking out for a job in Salesforce. If you wish to learn Salesforce and build a career in Salesforce domain, then check out our interactive, Salesforce Certification Training: Admin 201 and App Builder, that comes with 24*7 support to guide you throughout your learning period. Please find the link for course details:

Salesforce Certification Training: Admin 201 and App Builder

Salesforce Certification Training: Admin 201 and App Builder

About the Course

Salesforce Certification Training course will help you pass the Salesforce Administrator Exam (Admin 201) and the Salesforce App Builder (Dev 401) Exam. Concepts on Force.com Platform, AppExchange, SFDC Security Model, Service Cloud, Sales Cloud, Lightning App Builder, Salesforce Reports & Dashboard can be mastered in this Salesforce Training course. You can also configure the platform, manage users, find better ways to use the platform’s features, build applications with Salesforce Lightning, and more. Further, in this Salesforce certification training course, you will master App builder, Apex, Visualforce, etc.

Why Should you take Salesforce Admin 201 and App Builder Training?

• As per Indeed.com data, 200% global jump in Salesforce jobs since Jan 2016. Salesforce Certified Administrators earn an annual average salary of $87,000 but can go as high as $160,000 depending on their knowledge, skills, and experience.
• More than 200,000 companies worldwide use Salesforce platform. Salesforce leads the CRM market with 19.5 percent of market share – Forbes.
• The global CRM software market will reach US$40.26 billion in 2023, up from US$36.9 billion (2020) – Statista.

What you will Learn in this Course?

Salesforce Fundamentals
• Introduction to CRM concepts and Cloud computing
• Salesforce.com Overview and Fundamentals
• Understanding Salesforce Platform
Understanding Salesforce Platform
• Understanding Salesforce Terminologies and Introducing the force.com platform
• Understanding Salesforce Metadata and API
• Describe the capabilities of the core CRM objects in the Salesforce schema
• Identify common scenarios for extending an org using the AppExchange
• About Salesforce Certification
Introduction to Sales Cloud
• Sales Cloud
• Sales Process
• Sales Productivity Features
• Lead Management
• Lead auto response
• Lead assignment
• Web to lead
• Accounts and Contacts Management
• Opportunities
• Campaign Management
Security Model, User Management and Its Features
• Security Model Mind Map
• System Level or Org Level Security
• User Administration and Troubleshooting
• Permission Sets
• Profile Management
• User Actions
• Assigning Permission
• Session settings
• Activations
• Page layout assignment
• Tab setting
• Field level security
Object, Record and Field Level Features
• Custom Object
• Custom Field
• Data Types
• Relationship among Objects
• Working with App and Tabs
Data Handling and Processing
• Data Import and Export with Salesforce
• Insert, Update and Delete Data with Salesforce
• Export Data with UI
• Export Data using Data Loader Tool
Deployment
• SandBox
• Moving Data from SB to Production – Deployment
• Types of SandBox
• Change Sets
• Types of Change Sets
Application Cycle
• Milestones
• Sandboxes
• Change Sets
• Packages
Reports and Dashboards
Declarative Implementation in Salesforce
Salesforce Development and Apex Programming
• Apex Programming
• Apex Classes
• Apex Settings
• SOQL – Salesforce Object Query Language
• DML Commands
• Apex Class in Detail
• Apex Triggers
• Apex Testing
• Access Specifier in Salesforce
• Testing
Lightning in Salesforce
• Lightning Components
• Lightning Component Capabilities
• Lightning Components vs. Visualforce
Visual Force in Salesforce
• Standard Visualforce controller and controller extensions,
• Visualforce Page
• Understanding the MVC Pattern
• Tools for Visualforce Development
• Visual Force Components
WorkFlows in Salesforce
• Work Flows in Salesforce
• Types of Work Flows
• Work Flows Rules
About Preparation of Salesforce 201 and App Builder Certification exams

Got a question for us? Please mention it in the comments section and we will get back to you.

0 responses on "Concept of Objects and Interfaces in Apex programming language"

Leave a Message

Your email address will not be published. Required fields are marked *