apex charts angular

A Brief Tutorial on Using ApexCharts with Angular

apex charts angular


Quick Installation

  1. Install dependencies:

    npm i apexcharts ng-apexcharts
    
  2. Import Module (app.module.ts)

Basic Line Chart Example

Component Template (app.component.html)

<apx-chart 
  [series]="chartOptions.series" 
  [chart]="chartOptions.chart"
  [xaxis]="chartOptions.xaxis" 
  [title]="chartOptions.title">
</apx-chart>

Component Class (app.component.ts)

import { Component } from '@angular/core';

@Component({
  selector: 'app-root',
  templateUrl: './app.component.html'
})
export class AppComponent {
  chartOptions = {
    series: [{ data: [10, 20, 30, 40] }],
    chart: { type: 'line' },
    xaxis: { categories: ['Jan', 'Feb', 'Mar', 'Apr'] },
    title: { text: 'Basic Line Chart' }
  };
}

Key Features

  1. Dynamic Updates

    updateChart() {
      const newData = this.chartOptions.series[0].data.map(() => 
        Math.floor(Math.random() * 100)
      );
      this.chartOptions = { ...this.chartOptions, series: [{ data: newData }] };
    }
    
  2. Mixed Chart Types – Ability to use multiple chart types in one visualization.

Example Links

Basic Demo: Pie Chart

chartOptions = {
  series: [44, 55, 13],
  chart: { type: 'pie', width: 380 },
  labels: ['Team A', 'Team B', 'Team C']
};

Common Configurations

Styling

chartOptions = {
  chart: { foreColor: '#333' }, // Text color
  colors: ['#4CAF50', '#E91E63'], // Data colors
  grid: { borderColor: '#e0e0e0' } // Grid lines
};

Tooltip Customization

tooltip: {
  theme: 'dark',
  x: { show: false }, // Hide x-axis tooltip
  y: { formatter: (val: number) => `${val} users` } // Custom label
}

Tips for Troubleshooting

  1. Chart Not Rendering?

    • Make sure NgApexchartsModule is imported.
    • Ensure there are no typos with option properties (e.g., xaxis vs xAxis).
  2. Data Not Updating?

    • Assign the entire chartOptions object to enable Angular change detection.
  3. Performance Issues?

    • Use ChangeDetectionStrategy.OnPush for optimization.
    • Debounce quick updates usingrxjs/debounceTime .

Why ApexCharts?

Free & Open Source

  • MIT Licensed

Advanced Features

  • Chart Annotations
  • Data Labels
  • Brush Charts

Native Angular Support

  • Ready-to-use code snippets

For more advanced features like annotations, data labels, brush charts, and others, check out the ApexCharts Documentation.


var, let, and const in JavaScript

Decrypt var, let, and const in JavaScript: A Complete Analysis

A JavaScript variable is typically created using one of three keywords: var, let, or const. Each behaves differently in terms of scope, hoisting, and mutability, though they all might function very similarly. This article breaks down the differences between these keywords in simple terms so that you can write cleaner and more secure code

var let const in javascript

1. var: The Old Legacy Variable Declaration

Scope: Function Scope

  • Variables declared with var are function scoped (or globally scoped if defined outside a function).
  • They're accessible from anywhere within the function where they are defined.

Example:

function exampleVar() {
 if (true) {
  var x = 10;
 }
 console.log(x); // 10 (not limited to the block)
};

Hoisting

  • var declarations are hoisted to the top of the containing function and initialized with undefined.
  • This can lead to unexpected behavior if not taken into account.
console.log(y); // undefined (no error)
var y = 5;

Redeclaration and Reassignment

  • var allows redeclaration and reassignment:
var z = 1;
var z = 2; // No error
z = 3;     // Reassignment allowed

Drawbacks

  • No block scoping: Variables leak into blocks like loops or conditionals.
  • Prone to bugs: May cause unintended side effects from hoisting and redeclaration.

2. let: The Modern Block-Scoped Variable

Block-Level Scope

  • let variables are block scoped: they only exist within {} like loops, conditionals, or function bodies.
  • Safer and more predictable than var.

Example:

function exampleLet() {
 if (true) {
  let a = 20;
  console.log(a); // 20
 }
 console.log(a); // ReferenceError: a is not defined
}

Hoisting and the Temporal Dead Zone (TDZ)

  • let declarations are hoisted but not initialized.
  • Accessing them before declaration results in ReferenceError.
console.log(b); // ReferenceError: Cannot access 'b' before initialization
let b = 5;

Reassignment and Redeclaration

  • let allows reassignment but not redeclaration.
let c = 10;
c = 20; // Allowed
let c = 30; // SyntaxError: Identifier 'c' has already been declared

3. const: Constants for Immutable Values

Scope: Like let, Block Scoped

  • Variables created with const are block scoped, meaning they can only be accessed within their defining block.
  • They cannot be reassigned after initialization.

Example:

const PI = 3.14;
PI = 3.14159; // TypeError: Assignment to constant variable

Immutable ≠ Unchangeable Values

  • With const, you cannot reassign values, but you can mutate them.
  • Objects and arrays declared with const can have their properties/methods altered.
const person = { name: "Alice" };
person.name = "Bob"; // Valid
person = { name: "Charlie" }; // TypeError (reassignment not allowed)

Hoisting and the Temporal Dead Zone (TDZ)

  • Similar to let, const declarations are also hoisted and trigger the TDZ.

Key Differences Summary

Feature var let const
Scope Function/Global Block Block
Hoisting Yes (initialized) Yes (not initialized) Yes (not initialized)
Redeclaration Allowed Not allowed Not allowed
Reassignment Allowed Allowed Not allowed
TDZ No Yes Yes

When to Use Each

  1. const (Recommended):

    • For values that shouldn’t be reassigned (e.g., configuration objects, API keys).
    • Used by default unless reassignment is needed.
  2. let:

    • When a variable requires reassignment (e.g., loop counters, state changes).
    • More robust than var with block scope.
  3. var:

    • Rarely needed in modern JavaScript. Use only in legacy projects or specific cases.

Common Mistakes

Slipping into Global Variable Declarations

function badPractice() {
 for (var i = 0; i < 5; i++) { /*... */ }
 console.log(i); // 5 (leaked outside loop)
}

Fix: Use let for block scoping.

Issues Related to TDZ

let greeting = "Hello";
if (true) {
 console.log(greeting); // ReferenceError (TDZ)
 let greeting = "Hi";
}

Fix: Define variables at the top of their scopes.

Misunderstandings of const’s Immutability

const arr = [1, 2];
arr.push(3); // Valid (array contents changed)
arr = [4, 5]; // TypeError (reassignment not allowed)

Best Practices

  1. Use const by default, and let only when reassignment is necessary.
  2. Avoid var , except for maintaining legacy code.
  3. Declare variables at the top to avoid TDZ errors.
  4. Use linters like ESLint to enforce best practices.

Conclusion

Understanding var, let, and const is crucial for writing secure JavaScript. Embracing block scope (let

/const) and immutability (const) reduces bugs and makes your code easier to debug and maintain.

Key takeaways:

  • const prevents reassignment but not mutation.
  • let and const are the modern standard in JavaScript.

Angular chart library Highcharts

Highcharts with Angular

Highcharts is a powerful JavaScript library for creating interactive charts and graphs. When combined with Angular, a robust framework for building web applications, you can create dynamic, data-driven visualizations with ease. This guide will walk you through integrating Highcharts into an Angular project, from setup to advanced configurations.

highcharts angular

Why Highcharts with Angular?

  • Rich Features: Supports line, bar, pie, scatter, and complex charts such as heatmaps.
  • Interactivity: Zooming in and out, tooltips, and dynamic updates enhance user engagement.
  • Customization: Theming, annotations, and responsive design.
  • Angular Compatibility: The official highcharts-angular wrapper simplifies integration. Say goodbye to expensive custom solutions!

Prerequisites

  • Node.js and npm tools installed.
  • Angular CLI:
    npm install -g @angular/cli
    
  • Basic knowledge of Angular components and modules.
high charts angular
Project Setup
  1. Create an Angular Project
    ng new highcharts-angular-demo
    cd highcharts-angular-demo
    
  2. Install Dependencies Install Highcharts and Angular wrappers:
    npm install highcharts highcharts-angular
    

Basic Integration

1. Import HighchartsModule

Add HighchartsModule to app.module.ts:

import { NgModule } from '@angular/core';
import { BrowserModule } from '@angular/platform-browser';
import { AppComponent } from './app.component';
import { HighchartsChartModule } from 'highcharts-angular';

@NgModule({
  declarations: [AppComponent],
  imports: [BrowserModule, HighchartsChartModule],
  bootstrap: [AppComponent]
})
export class AppModule {}

2. Create a Chart Component

Inapp.component.ts, define chart options:

import { Component } from '@angular/core';
import * as Highcharts from 'highcharts';

@Component({
  selector: 'app-root',
  templateUrl: './app.component.html'
})
export class AppComponent {
  Highcharts: typeof Highcharts = Highcharts;
  chartOptions: Highcharts.Options = {
    title: { text: 'Monthly Sales' },
    series: [{ type: 'line', data: [1, 2, 3, 4, 5] }]
  };
}

In app.component.html, render the chart:

<highcharts-chart
  [Highcharts]="Highcharts"
  [options]="chartOptions"
  style="width: 100%; height: 400px; display: block;">
</highcharts-chart>

3. Run the App

ng serve

Visit http://localhost:4200 and see your chart!

Dynamic Charts

Update charts reactively using Angular data binding.

1. Add a Button to Update Data

In app.component.html:

<button (click)="updateData()">Add Data</button>

2. Implement Data Update Logic

In app.component.ts:

export class AppComponent {
  //...existing code...
  updateData() {
    this.chartOptions = {
      ...this.chartOptions,
      series: [{ type: 'line', data: [...this.chartOptions.series[0].data, Math.random() * 10] }]
    };
  }
}

Configuration & Customization

1. Chart Types

Change type in series to 'bar', 'pie', etc.:

series: [{ type: 'bar', data: [10, 20, 30] }]

2. Styling

Customize colors, axes, and tooltips:

chartOptions: Highcharts.Options = {
  chart: { backgroundColor: '#f4f4f4' },
  xAxis: { title: { text: 'Month' } },
  yAxis: { title: { text: 'Sales' } },
  tooltip: { valueSuffix: ' units' }
};

3. Exporting

Enable exporting to PNG/PDF:

exporting: { enabled: true }

Advanced Features

1. Highcharts Modules

Import additional features like 3D charts:

npm install highcharts-3d

In app.component.ts:

import HC_3D from 'highcharts/highcharts-3d';
HC_3D(Highcharts);

2. Lazy Loading Chart

Load charts on demand using Angular's ngOnInit:

async ngOnInit() {
  const Highcharts = await import('highcharts');
  // Initialize chart here
}

3. Performance Optimization

  • Use OnPush change detection.
  • Debounce rapid data updates.

Common Issues & Solutions

  1. Chart Not Updating: Reassign chartOptions instead of mutating it.
  2. Missing Dependencies: Ensure highcharts andhighcharts-angular versions match.
  3. Resize Issues: CallHighcharts.charts[0].reflow() on window resize.

Highcharts and Angular together offer a powerful toolkit for data visualization. This guide has enabled you to set up, customize, and optimize charts in an Angular app. Explore the Highcharts documentation for more advanced features such as stock charts or accessibility options.


how to merge objects in javascript

There are various ways to combine two objects in JavaScript. Whether you want to conduct a shallow or deep merge will determine which technique you use.

merge objects in javascript


1. Shallow Merge (Overwrite Properties)

  • Using Object.assign():

const obj1 = { a: 1, b: 2 };

const obj2 = { b: 3, c: 4 };


const merged = Object.assign({}, obj1, obj2);

// Result: { a: 1, b: 3, c: 4 }

  • Using the Spread Operator (...):

const merged = {...obj1,...obj2 };

// Result: { a: 1, b: 3, c: 4 }

Note: Both methods are shallow merges—nested objects/arrays are all by reference (not cloned). If there are duplicate keys, subsequent properties will overwrite prior ones.

2. Deep Merge (Recursively Combine Nested Properties)

  • Using Lodash:

const merged = _.merge({}, obj1, obj2);

  • Custom Deep Merge Function (Simplified Example):

function deepMerge(target, source) {

for (const key in source) {

if (source[key] instanceof Object && target[key]) {

deepMerge(target[key], source[key]);

} else {

target[key] = source[key];

}

}

return target;

}


const merged = deepMerge({}, { a: { x: 1 } }, { a: { y: 2 } });

// Result: { a: { x: 1, y: 2 } }

Other Considerations

  • Shallow Merge: For simple scenarios, employ Object.assign() or the spread operator.
  • Deep Merge: For greater resilience, use a tool such as Lodash (e.g. _.merge()), which is able to contend with sophisticated structures, including arrays and null values
  • Overwriting Behavior: In situations involving conflict over keys, later objects always win.

Preventdefault vs stoppropagation javascript

 Here is a brand new essay about preventDefault() versus stopPropagation() in Angular. I'll start by comparing how they're used with preventDefault() and stopPropagation. We'll also offer a case study for each method and share some tips.

preventdefault vs stoppropagation javascript angular


1. event.preventDefault() in Angular

  • Purpose: To prevent the default action of a browser event (for example, a submission form or hyperlink).
  • Use in Angular: With Angular’s event binding syntax (event)="handler($event)"
.

Example: Prevent link from navigating:

<a href="https://dangerous.com" (click)="onLinkClick($event)">Dangerous Link</a>
onLinkClick(event: MouseEvent) {
  event.preventDefault(); // Stop navigation
  // Custom logic here (e.g., show a modal instead)
}
  • Scenarios Commonly Encountered in Angular:
    • When using (submit) and <form> to cancel form submission.
    • Shut off the default behaviors of anchor tags, buttons, or form fields.

2. event.stopPropagation() in Angular

  • Purpose: Stop event bubbling/capturing in the DOM tree.
  • Use in Angular: To prevent parent and descendant components from receiving the exact same events.

Example: Don't let a press on a button cause the parent <div> method to fire:

<div (click)="onParentClick()">
  <button (click)="onButtonClick($event)">Click Me</button>
</div>
onButtonClick(event: MouseEvent) {
  event.stopPropagation(); // The mom's onParentClick() will not fire
  // Take care of button click
}
  • Specific Cases:
    • Stop nested components from propagating events.
    • Avoid conflict with other handlers dealing in similar space (e.g., dropdown, modals).

3. Key Differences in Angular

preventDefault() stopPropagation()
Focus Prevent browser from default behavior (e.g., form submit) Prevent DOM event bubbling/capturing
Use Case in Angular Cancel navigation, form submission Parent and child Components surface events in their own spaces
Template Syntax (submit)="onSubmit($event)" (click)="onClick($event)"

4. Using Both Together in Angular

Example: Handle a custom form action without submitting and prevent parent components from interpreting it:

<form (submit)="onFormSubmit($event)">
  <button type="submit">Save</button>
</form>
onFormSubmit(event: Event) {
  event.preventDefault(); // Halt the default form submission
  event.stopPropagation(); // Don't let parent events hear about this
  this.saveData(); // Custom logic here, e.g. http call
}

5. Angular Special Notes

Event Modifiers

Angular does not provide its own event modifiers like Vue's .prevent or .stop. You need to call the method explicitly instead:

<form (submit)="onSubmit($event)"></form>
onSubmit(event: Event) {
  event.preventDefault(); // Manually call
}

Component Communication

  • stopPropagation() only affects DOM events, not Angular's @Output().

Example:

<app-child (customEvent)="onChildEvent()"></app-child>
// ChildComponent
@Output() customEvent = new EventEmitter();
emitEvent() {
  this.customEvent.emit();
  // Whether the parent code listens to DOM event propagation, onChildEvent() will fire
}

Change Detection

  • Neither method affects Angular change detection.
  • Use NgZone or ChangeDetectorRef when events bypass Angular's domain (for example, setTimeout).

6. Angular Best Practices

  1. How to Break Free from Inline Calls: Place your methods right in the constituent, rather than inside the official template:

    <a href="#" (click)="onClick($event)">Link</a>
    <button (click)="onClick($event)">Link</button>
    
  2. For Component Communication, Use EventEmitter : Old-fashioned emit rather than DOM event. Use @Output() Stateless Copy for State Changes: Ensure data is never changed after a call to preventDefault(), to be sure change detection fires.


7. Common Traps

  • Lack of $event: Don’t forget to mention $event in the template:

    <button (click)="onClick">Click</button> ❌ Incorrect
    <button (click)="onClick($event)">Click</button> ✅ Correct
    
  • Too Much stopPropagation(): For highly intricate component trees, it can only create debugging headaches.

In Angular:

  • preventDefault(): Regulate browser defaults (e.g., forms, links).
  • stopPropagation(): Control event flow between some connected DOM elements/components.
  • Use both in tandem to finely manage your event firing and your UI experience.


splice vs slice in javascript

 'splice()' and 'slice()' are two array techniques in JavaScript that are often confused with each other. In order to resolve these ambiguities, we will compare the two methods below step by step.

splice vs slice javascript


1. Creating a Slice: The Simple Version

Purpose

Evaluates only a small part of an array without changing it.

Usage

array.slice(startIndex, endIndex);

Main Points

  • Produces a new array consisting of the elements from startIndex to endIndex (not inclusive).
  • Changes made to the original array are not visible.
  • If indexes are negative, they count from the end.
  • If no arguments are given, then array.slice() makes a shallow copy of the entire array.

Example

const fruits = ['apple', 'banana', 'cherry', 'date'];

const sliced = fruits.slice(1, 3);

console.log(sliced); // ['banana', 'cherry']

console.log(fruits); // ['apple', 'banana', 'cherry', 'date'] (that's how it remained)

2. splice(): Add/Remove Elements from an Array

Purpose

Alters the original array, inserts or deletes elements.

Syntax

array.splice(startIndex, deleteCount, item1, item2,...);

Key Points

  • Changes the original array.
  • Returns an array followed by the removed elements (if any).
  • Deleting, adding or changing elements on the spot are all possible.

Examples

a. Deleting Elements

const numbers = [1, 2, 3, 4, 5];

const removed = numbers.splice(1, 2); // Start removing from position 1 and remove 2 from that

console.log(removed); // [2, 3]

console.log(numbers); // [1, 4, 5]

b. Adding Elements

const colors = ['red', 'blue'];

colors.splice(1, 0, 'green'); // Add 'green' after index 1 without deleting anything

console.log(colors); // ['red', 'green', 'blue']

c. Replacing Elements

const letters = ['a', 'b', 'c'];

letters.splice(1, 1, 'x'); // Replace 'b' with 'x' at index 1

console.log(letters); // ['a', 'x', 'c']

3. The Key Differences

Featureslice()splice()
Mutates OriginalNoYes
Return ValueNew array of extracted elementsArray of removed elements (if any)
Parameters(start, end)(start, deleteCount, items...)
Use CaseCopy a piece of an arrayAdd/remove elements in place

  • Slice Use it when you need to take a part from the array out without changing the original.
  • Example: Generate a copy of an array:
  • const copy = arr.slice();
  • Splice Use it when you need to remove, add, or adjust an array.
  • Example: Update a list dynamically, such as editing a to-do list.

5. Pitfalls of Using These Two Methods

Mixed Parameters Puzzle

  • Slice (1, 3) obtains elements from indices 1 and 2 (excluding index 3).
  • Splice (1, 3) starts at index 1 and removes three elements.

Splice's Mutability

  • Splice() changes the original array, so always make sure you don't need to preserve the original data before using it.

Summary

  • Slice: copy parts of an array without changing the original.
  • Splice: can edit an array directly, deleting, introducing or replacing parts.
Select Menu