Top Angular 2 Interview Questions and Answers - Essential Guide for Job Seekers
To survive in the modern industry and to earn a very good salary, learning only JavaScript programming language is not sufficient, you must move on to learning JavaScript Frameworks also i.e., Angular. It doesn’t matter if you are thinking to start your career in software development or are already a software developer, you will always find Angular 2 Interview Questions useful. This is an open-source component-based UI framework that is written in TypeScript and is mainly used in building web, mobile, and desktop applications in HTML and JavaScript. Angular is an evolved and upgraded version of Angular JS and is invented by Google. For writing codes, Angular provides many language choices like Typescript, Dart, ES5, ES6. It supports both data and property blinding which allows a user to control DOM i.e., Data Object Model by binding class and HTML properties.
Quick Facts About Angular 2 | |
---|---|
What is the latest version of Angular? | Angular 14 released on 2nd June 2022 |
When did angular 6 release? | 14th September 2016 |
Who is the developer of Angular 2? | |
What language does Angular use? | TypeScript |
License | MIT License |
Official website | https://angular.io |
Frequently Asked Angular 2 Interview Questions for Developers
Components | Directive | |
---|---|---|
1. | To register, use @Component meta-data annotation | To register, use @Directive meta-data annotation |
2. | Used to create UI widgets and break up app into smaller components | Use to design re-usable components and add behavior to existing DOM element. |
3. | Only one component allowed per DOM element | Many directives allowed per DOM element. |
4. | @View decorator is mandatory | Does not use View. |
Traceur compiler takes classes, generators, and other features from ECMAScript edition 6 (ES6) and compiles it into JavaScript ES5 that runs on the browser. This means developers can use the code from a future version that has more features and encourages design patterns.
Any change that occurs in the component gets propagated from the existing component to its children. If this change needs to be reflected its parent component, you can use using Event Emitter api to emit the event.
EventEmitter is class in @angular/core module that is used by directives and components to emit events.
@output() somethingChanged = new EventEmitter();
You can use somethingChanged.emit(value) to emit any event. You can do this in setter when the value is changed in the class.
String Interpolation is a special syntax in Angular 2 which is a more efficient alternative to property binding. It is used to display dynamic data on an HTML template while facilitating you to make changes on the component.ts file and fetch data for the HTML template.
Below is an example of a String Interpolation syntax. It should be between double curly braces {{ }} and hence also called a moustache syntax:
class AppComponent
{
propertyName: string;
object: DomainObject;
}
{{ propertyName }}
{{ object.propertyName }}
In Angular 2, you can create custom pipes. The simplest way is as follows.
import { Pipe, PipeTransform } from '@angular/core';
@Pipe({name: 'Pipename'})
export class Pipeclass implements PipeTransform {
transform(parameters): returntype { }
}
Directives are the extended HTML attributes and they are also the most important features of Angular applications. They introduce syntax or markup.
There are 3 kinds of directives-
- Components
- Structural
- Attribute
In Angular 2, the RouterOutlet is a directive present in the router library to be used as a component. It marks the spot in a template for the router to display the components for that outlet.
Every outlet can have its unique name, which is determined by the optional name attribute. The name once set cannot be changed dynamically. If no value has been set, the default value is "primary".
<router-outlet></router-outlet>
<router-outlet name="left"></router-outlet>
<router-outlet name="right"></router-outlet>
The router outlet emits an activate event during the instantiation of a new component. When the component is destroyed, it is deactivated.
<router-outlet (activate)='onActivate($event)' (deactivate)='onDeactivate($event)'></router-outlet>
Angular has a robust DI framework that gives declared dependencies to a class upon instantiation. To inject a service, you must first create and register the injectable service.
import { Injectable } from '@angular/core';
@Injectable({ providedIn: 'root', })
export class SampleService { constructor() { } }
In all Angular version from 2 onwards, there is a common feature called Pipes. This feature helps developers create custom pipes.
Pipes are used to write display-value transformations that developers can declare in their HTML. A pipe inputs data and transforms it into the required output.
Pipes in Angular2
There are some pipe provided by angularjs are given below-
- Uppercase/Lowercase Pipe
- Date Pipe
- Currency Pipe
- JSON Pipe
- Async Pipe
With lazy loading, JS components can be loaded asynchronously on activation on a specific route.
- Download and install ocLazyLoad.js
- Add the module in the application
- Load the file in the required controller
- Add to the router’s code as
resolve: {
loadMyCtrl: ['$ocLazyLoad', function($ocLazyLoad) {return $ocLazyLoad.load('routerState');
}]}
Lazy loading allows developers to load different code pieces on demand. For instance, if you have a retail application that has different departments like garments, groceries, electronics, etc. If you load all the sections, in the beginning, your application will be slow. This is when you need lazy loading. It helps the application load faster because it loads only parts that the user wants to see.
This interview questions on angular 2 are always a level up and thus a little tough to crack.
The simplest way is to put the variables in a file and export them. In order to use global variables, you can use an import statement.
'use strict';
export const name='bestinterviewquestion.com';
After that, we can export this file where we want to use these global variables value.
import * as myGlobalsFile from './globalfile';
Advantages of Angular 2 over Angular are given below-
- Simpler to Learn
- Simpler Dependency Injection
- It’s is a platform not only a language:
- Improved Speed and Performance: No $Scope in Angular 2, AOT
- Modular, cross-platform
- Flexible Routing with Lazy Loading Features
- Benefits of ES6 and Typescript.
Observable | Promise | |
---|---|---|
1. | Used from the library RxJS.import { Observable } from 'rxjs'; |
Built-in API. |
2. | Can show multiple values using setInterval() method |
Can resolve only one async task and cannot be used again |
3. | Can unsubscribe from the observables no longer needed. | A promise cannot be canceled. |
4. | Lazy. Observable is called only when we subscribe. | Not lazy. |
5. | Rich set of operators in the library like map, filter, pipe, retry, etc. | No such additional features available |
In Angular apps, hooks are functions that are called on particular stages of a component’s life. Hooks are essential if your app is based on the component architecture. Example for hooks is $onInit
, $onChanges
, etc. which are properties pre-defined by Angular and can be exposed on component controllers.
Here are the steps:
- Import injectable member
- Add @Injectable Decorator
- Export Service class
Here is the syntax:
import { Injectable } from '@angular/core';
@Injectable()
export class MyCustomService {
}
It is a command-line interface which is used to build angular apps. We can construct & start a project very quickly with the help of CLI.
You can download CLI from its official website https://cli.angular.io
The command for install Angular CLI
npm install –g angular-cli
@Injectable | @Inject | |
---|---|---|
1. | Aims to set metadata of dependencies to be injected into constructor | Tells Angular what parameter must be injected |
2. | Without it, no dependency can be injected | Only needed to inject primitives |
The AOT compilation converts Angular HTML and TypeScript codes into JavaScript code at some stage in the construct section earlier than the browser can down load and run the code.
Here are benefits of compiling with AOT:
- Lesser asynchronous requests
- Smaller download size of Angular framework
- Detects errors easily
- Fast rendering
- Improved security
Advantages-
- Fast download
- Quicker rendering
- Reduces Http Requests
- Catches errors during the build phase
Disadvantages-
- Only works with HTML and CSS Not other file types.
- Must maintain bootstrap file AOT version
- Must clean-up before compiling.
To check this, you need to make sure that node is installed and then check if angular CLI is installed.
- Open a command prompt using cmd.
- Type node -v and npm -v to ensure node is installed.
- Type ng -v
The router-link derivatives enable the navigation from any specific view to the other. It works immediately as a user is performing application tasks. The link can directly arise from browser and navigation is done on the basis of user action like the click of an anchor tag.
The router link directive gives control to the router for anchor tag elements. It also binds a clickable HTML to the route to enable the navigation. The routerlink directive can easily be bound to an array, E.g.
<a [routerlink] = "[ '/ heroes']" >Heroes</a>
During Development Mode, caching for static resources can be done through the Design of Tools. If you want to cache on the production stage, you need to check and update the Server-End Settings accordingly.
Note: These are basic angular 2 interview questions that are asked for a position as SDE in Angular Development.
A filter is a necessary phase of Angular 2 as well as Angular 4. It is basically used to filter an object from a crew of items, which are there in an array or an object array. It selects a subset of the objects from an array and returns it as a new array and displayed on UI. Filters can be used with an expression using pipe | sign. {{expression | filterName:parameter }} Angular 2 includes various filters to layout records of special fact types.
Both @input and @output are decorators. The decorator @Input is used to bind a property within one child component to receive value from the parent component, whereas we use the @output decorator to bind the property of a component to send data from child component to parent component or calling component.
To display error message in Angular 2 from backend, we have to set the error message equal to an angular variable, and then check whether that variable exists to conform whether to display it or not.
<div *ngIf="errors" class="alert alert-danger">
{{ errors }}
</div>
Flex Layout in Angular 2 is a component engine that allows you to create Flexbox page layouts with a fixed set of directives to use in designing templates. The Flex-Layout has made styling easy and user-friendly by having a TypeScript based Library, thus eliminating the need for external stylesheets/CSS Styling. In addition to this, it can be used along with Material Design for Design components and also providing intuitive breakpoints while development to aid in designing responsive layouts.
SPA in Angular 2 stands for Single Page Applications. This is a type of web-application which fits into literally one page. All your code (JavaScript, HTML, CSS) is called using a single page load at multiple points by adding new data parallelly from the backend. Navigation between pages performed can be done without refreshing.
PrimeNG is a rich UI component collection dedicated to Angular. Widgets present here are completely open-source and free to use. It’s simple, lightweight yet powerful and optimized for responsive cross-browser touch.
To optimize an application for optimal performance in Angular 2, we have to follow the below-mentioned steps.
- Use of AOT compilation.
- With a large-size app, use lazy loading instead of the fully bundled app.
- Avoid un-necessary import statements in the application.
- Remove unused and unnecessary 3rd party libraries from the application.
- If not required, consider removing application dependencies.
Yes, Angular 2 is a true object-oriented development framework.
It allows us to specify the root level files. The compiler options required to compile a TypeScript project. It determines that the said directory is the TypeScript project root. Here is a JSON file describing to define a tsconfig.json file containing different parameters of the compilerOptions property:
{
"compilerOptions": {
"noImplicitAny": true,
"module": "system",
"removeComments": true,
"strictNullChecks": true,
"sourceMap": true,
"allowUnreachableCode": false,
"outFile": "../JS/TypeScript/BestInterviewQuestion.js"
}
}
Here is an example of these options.
- target: It is used for the compiled output.
- module: It is used in the compiled output. the system is for SystemJS, common for CommonJS.
- moduleResolution: It is used to resolve module declaration files (.d.ts files). With the node approach, they are loaded from the node_modules.
- sourceMap: generate or not source map files to debug your application.
- emitDecoratorMetadata: emitDecoratorMetadata emit or not design-type metadata for decorated declarations in the source.
- experimentalDecorators: It enables or not experimental support for ES7 decorators,
- removeComments: remove comments or not
- noImplicitAny: It is used to allow or not the use of variables.
The Tree Shaking is a concept of dead code elimination from projects. The code present in your project but neither referenced nor used will be dropped here. It will eliminate the unused modules during the build process, making user application lightweight.
To avoid editor warning whilst defining customized typings, we have to prolong the kind definition for an external library as a accurate practice. Without altering any node_modules or current typings folder, we have to create a new folder named “custom_typings" and put all our customized kind definitions there.
Shadow DOM is an integral part of Web Components standard while enables users for style encapsulation and DOM tree. It helps users to hide DOM logic behind other elements. With the addition to it, we can also apply scoped styles to elements without showcasing them to the outer world.
To allow a load of external CSS styles in Angular 2 to affect component contents, we have to change view encapsulation which presents styles to components referring “bleed into”.
@Component({
selector: 'some-component',
template: '<div></div>',
styleUrls: [
'https://bestinterviewquestion.com/style.css',
'app/local.css'
],
encapsulation: ViewEncapsulation.None,
})
export class SomeComponent {}
Here is the steps to create a singleton service-
- Import the injectable member using
import {Injectable} from '@angular/core';
- Import the HttpModule, Http and Response members’ as
import { HttpModule, Http, Response } from '@angular/http';
- Add the decorator
@Injectable()
- Export –
export class UserService {
constructor(private _http: Http) { }
}
Annotation | Decorator |
---|---|
Used by Traceur compiler | Used by Typescript compiler |
Annotation creates the attribute ‘annotations’ that stores arrays and pass metadata to the constructor of the annotated class. | It is a function that gets the object that needs to be decorated (or constructed). They can change the attributes of the object as necessary. |
Annotations are hard-coded | Not hard-coded |
Example – import {Component} from 'angular2/angular2'; |
Example - import {ComponentAnnotation as Component} from 'angular2/angular2'; |
In Angular 2, the polyfills.ts file is used to make user application compatible for various browsers. The code we write in Angular 2 is mostly in ES6, which is not compatible with Firefox or IE, and requires few environmental setups before they wither get viewed or used in browsers.
Angular offers Polyfills.ts file to help users with the required setup.
In Angular, lifecycle hooks are functions which will be called at specific points of a component lifecycle in Angular applications.
They are highly crucial for a component architecture based application.
Angular 2 is the upgraded and evolved version of AngularJS, a JavaScript framework that was invented by Google. Angular 2 is used for building single-page web or mobile applications.
Components are essential elements of Angular 2 apps, and an application can have a number of components. In Angular 2, components perform all the tasks that were done by scopes, controllers and directives, such as creating or adding Data, logic, and custom elements.
In Angular 2 a component consists of the following:
- Template
- Class
- Metadata
When a page containing Angular based application loads, these below-mentioned scenarios will be completed.
- The browser will load the HTML document and evaluate it.
- The file for AngularJS JavaScript will be loaded and the Angular global object will be created.
- Finally, the JavaScript that registers controller function will be executed.
In Angular 2, deep linking is a process of the URL that will take to users to a specific page or content directly without crossing the application from the homepage. The deep linking process helps with website or application indexing so that search engines can easily crawl these links.
As services are reusable singleton objects in AngularJS which is used to organize and share codes across the application, they can be injected into filters, controllers, and directives. Angular 2 offers three ways to create a service; factory, service, and provider.
The factory function allows developers to include some logic before creating the object and returns the created object. The syntax for factory function is as follows.
app.factory('serviceName',function(){ return serviceObj;})
Routing is what lets in you to create Single Page Applications. AngularJS routes allow you to create distinct URLs for one of a kind content material in your application. It helps in redirecting users to exceptional pages based totally on the alternative they pick out on the main page. AngularJS routes enable one to show more than one content depending on which route is chosen. A route is unique in the URL after the # sign.
Using angular routing you can navigate from one view or page to another while performing your tasks. You can configure a URL to redirect to the next URL. This feature can be handled to address the "404 Not Found" problem. Using location services in Angular routing you can go back and forward through the history of pages.
Syntax : We can use {path: '/OUR_PATH', redirectTo: ['redirectPathName']}
{path: '/404', name: 'PageNotFound', component: NotFoundComponent}
It is an open source tool for running and checking if the pre-defined coding guidelines were followed or not. It does static code analysis for typescript and angular projects.
It runs on top of tslint and coding conventions are defined in tslint.json file. Editors such as Visual Studio Code support codelyzer by doing basic settings.
factory() | service() |
---|---|
The factory function allows developers to add certain logic before the creation of an object. | This one is a constructor function which helps creating the object with a new keyword. Developers can add functions and properties to a service object by using the keyword. |
It will return the created object. | It returns nothing. |
Syntax:app.factory('serviceName',function(){ return serviceObj;} |
Syntax:app.service('serviceName',function(){}) |
AngularJS | Angular 2 | |
---|---|---|
1. | No mobile support | Mobile-oriented |
2. | Only supports Dart, ES6 and ES5 | Offer more language choices |
3. | Easy to set up | Dependent on libraries. Requires efforts to set up. |
4. | Based on controllers and scope | Component-based. |
Promises in Angular 2 execute asynchronous functions in serial order by registering promise object. Additionally, promises are provided by build-in $q service. Promises have generated a new way into native JavaScript as a part of the ES6 specification
In Angular 2, a module groups the various components, pipes, directives, and services in a way that assists them in combining with other modules for creating an application.
A module can be used to hide or export pipes, directives, components and services.
rootScope
It's an AngularJS service that implements the underlying event and state management mechanism for AngularJS attributes, directives, views and controllers.
Scope
Whereas, it's a conventional parameter name given to a directive's link function's first argument.
An observable is an array where data arrives asynchronously.
Observables can help developers manage asynchronous data and are used within Angular, including event system and HTTP client service. Angular uses Reactive Extensions (RxJS), a third-party library, to use Observables.
In general, two-way data binding in Angular 2 is the automatic synchronization of data between the view components and model. Two-way data binding allows the users to treat the model as a single source of truth in your application.
This below mentioned will be the lifecycle hooks order in AngularJS.
- ngOnChanges()
- ngOnInit()
- ngDoCheck()
- ngAfterContentInit()
- ngAfterContentChecked()
- ngAfterViewInit()
- ngAfterViewChecked()
- ngOnDestroy()
- Avoid injecting dynamic Html content
- Sanitize external HTML
- Do not put external URLs in the application
- Use AOT compilation
- Prevent XSRF attack by restricting api
Ng model | Ng bind |
---|---|
This works as a two-way data binding where the user has to bind a variable to the field and output the same variable wherever the user desire to display that updated value anywhere in the application. The syntax used for ng-model is – <textarea ng-model="propertyName"></textarea> |
It's a one-way data-binding used by developers for displaying the value inside HTML component as inner HTML. The syntax used for ng-bind is – <div ng-bind="propertyName"></div> |
Decorators allow developers to configure classes as elements by putting metadata on them.
The most common decorators are @Component one for components and @Injectable one for classes.
Decorators are new in TypeScript, and were not available in AngularJS. Angular2 onwards offers four types of decorators and each plays a unique role - Class, Property, Method, and Parameter.
Services allow greater separation of concerns in Angular applications. They also provide modularity by allowing developers to extract common functionalities out of components. Adding Services to Angular applications makes components free from data access code.
Service has the following features:
- Singleton, i.e. only one instance of service will exist throughout the application.
- Capable of returning data in the form of Observables and promises.
- Decorated with @Injectable() decorator
Here is the list of main building blocks of Angular 2:
- Modules
- Dependency injection
- Data binding
- Components
- Templates
- Directives
- Metadata
- Services
In actual, resolver (class) is a powerful technique which is used to achieve the best user experience when browsing between pages in the application. For the implementation of the resolver class, it is important to create a new folder called resolves. Thereafter put resolvers with same template resolveName.resolver.ts
Activatedroutesnapshot in Angular 2 is basically an immutable object which is used to represent a particular version of ActiveRoute.
For the implementation of Activatedroutesnapshot object following syntax can be used.
export class ActivatedRoute {
/** The current snapshot of this route **/
snapshot: ActivatedRouteSnapshot;
}
Router state represents all the state of the router as a tree of activated routes.
interface RouterState extends Tree {
snapshot: RouterStateSnapshot
toString(): string
}
Codelyzer refers to an open-source tool that is used to run or detect if the predefined coding guidelines are followed or not. It only performs the static code analysis in angular 2 and typescript project because all platforms follow a set of easy and conventional coding to maintain it in a better way. Codelyzer also runs on the top of tslint where its coding convention is completely defined in the tslint.json file. The developer can also run it through an angular click.
Using the angular routing command it gets easier to navigate through the view page or any other file during any tasks. One can also configure the URL to redirect any other URL and this feature can also be handled to address the problem of "404 not found". By using the location services one can go back and forward along with the page history. Its syntax is- e can use {path: '/OUR_PATH', redirectTo: ['redirectPathName']}
This is one of the most common Angular 2 interview questions.
The applications in angular 2 have an error handling option which also includes the react JS library to use the catch function. In turn, the catch function includes a link that sends information about the error handler function. under this function one can send the error as a question to console file other instances will send it back in the main program to ensure the continuation of the operation of the main program. Once it is fixed whenever the error arises it will be redirected in the browser's console.
Gulp is a mission runner that approves you to define a sequence of repeatable tasks that can be run any time you need. You can automate boring matters like the minification and uglification of your javascript or some thing else you do in order to make your code production-ready.
It is a famous library that helps you add aid for contact gestures (e.g. rotate, swipe, pan, zoom ) to your page. We will enhance a swipe-able card. Angular 2 presents a token known as HAMMER_GESTURE_CONFIG
which accepts a HammerGestureConfig type.
How to install HammerJS
npm install hammerjs --save
They are additionally called lambda features in different languages. Using fats arrow (=>) we drop the want to use the 'function' keyword. Parameters are handed in the angular brackets <>, and the characteristic expression is enclosed inside the curly brackets {}.
items.forEach((a) => {
console.log(a);
incrementedItems.push(a+1);
});
An IDE’s main purpose is to provide a friendly coding environment. Angular 2 supports the following code-editors which are highly efficient:
- Visual Studio Code
- Sublime Text
- Atom Editor
- Webstorm
- Angular IDE
- ALM IDE
- Brackets
- Vim Editor
Declarations | entryComponents |
---|---|
Used to make Directives including components and pipes within a specific module | Used to register components for offline computation in a module |
Directives, components, and pipes are matched against the HTML only if they are declared or imported | Components used for router config can be added implicitly |
In Angular 2, Bundling is known as the process of joining/combining multiple files into one single file. Third Party-libraries and other dependencies are generally bundled into a module for increasing productivity of code.
The <base href="/">
in Angular 2 is to direct the Angular Router to the static part of a URL. It helps the router to differentiate and make modifications to the URL accordingly.
The subscribe()
function is observable in Angular 2 which defines how to obtain or generate values or messages to be published. To execute a particular observable in a timely fashion, you will have to create notifications using the subscribe()
method.
An entry component in Angular is one that loads imperatively, i.e it can be loaded without any referenced in the template, by any type or category. One can specify an entry component by either bootstrapping it as a NgModule or even in a routing definition.
With application users being across the globe nowadays, Internationalization in Angular is used to simplify the process of designing and preparing your app for multiple languages.
Angular Material Design is an open-source framework that can be used to build highly scalable mobile and commercial apps. There is no requirement of a license for usage. The main aim of Material Design is a unified version of visual, motion and interaction design over multiple devices.
To simplify the process of development in Angular 2, Angular UI is used which is a stack of modules written in Angular.js to provide more flexibility to the code. Having a wide variety of modules, you can use the UI for various declarations like components or pipes individually.
Modal footer is basically used when the template is fully loaded. User needs to write the code inside the ngAfterViewInit then users will not get the footer element. Thus, footer modal is life cycle event which is used to check whether the Dom is fully loaded or not.
The injectable decorator in Angular 2 allows the functionality of the creation of a service to be injected and used in AngularJS modules by defining it as a provider in the Component Decorator.
Following is a syntax to successfully create a service using the Injectable() decorator
import { Injectable } from '@angular/core';
import { Item } from './item';
import { ITEMS } from './mock-items';
@Injectable()
export class ItemService {
selectedItems: Item[] = [];
getItems(): Item[] {
return ITEMS;
}
getSelectedItems(): Item[] {
return this.selectedItems;
}
addItem(id:number): void {
let item = ITEMS.find(ob => ob.id === id);
if (this.selectedItems.indexOf(item) < 0) {
this.selectedItems.push(item);
}
}
removeItem(id:number): void {
let item = this.selectedItems.find(ob => ob.id === id);
let itemIndex = this.selectedItems.indexOf(item);
this.selectedItems.splice(itemIndex, 1);
}
Property binding
When you have to pass the value from a parent component in ANgular to a child component, we have to use the property binding meaning that by doing so we are sending the value using the attribute on a component and thereby get the parent using the @Input annotation for the example of property binding like the below example: <my-child [myProp]="prop" />
Event Binding
Caching of Child’s Event/Method using the parent component.
This is used when we have to fire some event on click or maybe something else from the child component while passing it to the Parent.
Here’s an example:
<my-child [myProp]="prop" (onPropChange)="onPropChange($event)"</strong> /> Here, we have user onPropChange as event binding to catch and fire an event using EventEmitter.
In Angular, the package.json file lets you keep a track of dependencies within a project. By using the reference of these packages in the dependency section, it enables you to use a module bundler such as webpack, browserify, etc. The package.json also helps you to keep your project linked to the specific versions of each package if the new version introduces any changes.
In Angular, the main.ts is the entry point of the application, which runs first when you render a page in Angular. It compiles the application with JIT and bootstraps the Angular application. In Angular 2, you can bootstrap multiple environments to import a module specific to the environment during which angular looks for a specific module to run first.
- Angular Interviews are not just about learning Java Concepts but one of the toughest questions is to know about software and system designs.
- Practice is the key factor to crack any type of interview. Angular interviews are no exception too.
- You should know about basics such as TypeScript, Services, Metadata, Components, etc.
- If you know about the answer but you are taking too much time to explain it, then that land you nowhere. So yes, Time Yourself i.e. answer your question within a time limit.
- Teach a concept to your friend or anyone which you have learned. By this, you will know if you learn that concept.
- Honesty is the best policy. If you don’t know the answer just admit it without wasting the interviewer and your time.