Thursday, August 1, 2019

How to get Current User Timezone Using SOQL

This simple SOQL query returns the current user timezone.

SOQL Query
SELECT Id, TimeZoneSidKey FROM User WHERE Id = '005B0000005lewT'
Result

Wednesday, July 31, 2019

Difference between var, let, const in Javascript

From ES6 we have three ways to declare a variables
var a = 48;
const b = 'Hello Shaik';
let c = true;
The type of declaration depends on the scope. The scope is the fundamental concept in all programming languages that defines the visibility of a variable.

Var

 The var keyword, which defines a variable globally, or locally to an entire function regardless of block scope.

Ex:
function testVar() {
  var x = 1;
  if (true) {
    var x = 2;  // same variable
    console.log(x);  // 2
  }
  console.log(x);  // 2
}
Output

let

let allows you to declare variables that are limited in scope to the block, statement, or expression in which they are used. 
if you run the below the code it will throw an error

if (true) {
let name = 'Hi Shaik';
}
alert(name); //generates an error

In this above case, the name variable is accessible only in the scope of the if statement because it was declared as let.
Ex:
function letTest() {
  let x = 1;
  if (true) {
    let x = 2;  // different variable
    console.log(x);  // 2
  }
  console.log(x);  // 1
}
Output


const

const variables have the same scope as variables declared using let. The difference is that const variables are immutable - they are not allowed to be reassigned.

Ex:
const a = 'Hello Shaik';
a = 'Bye';
console.log(a);
Output

Tuesday, July 30, 2019

How to Unescape HTML in Lightning Component

Use  <aura:unescapedHtml /> component to unescape the HTML in Lightning Component.


Example

Lightning Component
<aura:component implements="flexipage:availableForAllPageTypes">
    <aura:attribute name="strURL" type="String" />
    
    <aura:handler name="init" value="{!this}" action="{!c.doInit}" />
    <lightning:card>
        <p class="slds-m-around--xx-large">
            <h2>Welcome to my <aura:unescapedHtml value="{!v.strURL}"/></h2>
        </p>
    </lightning:card>
</aura:component>
JS Controller
({
     doInit : function(component, event, helper) {
        let strURL = '<a href="https://www.salesforcecodecrack.com/" target="_blank">Salesforce Code Crack</a> Blog.';
        component.set('v.strURL', strURL); 
     }
})
Resource
aura:unescapedHtml