DEV Community

Cover image for Litmus - Soaring Heights
OUM NIVRATHI KALE
OUM NIVRATHI KALE

Posted on • Updated on

Litmus - Soaring Heights

About LitmusChaos


Alt text of image
LitmusChaos provides a complete set of tools required by Kubernetes developers and SREs to carry out chaos tests easily and in Kubernetes-native way. LitmusChaos is a chaos engineering framework for Kubernetes.
The project has “Declarative Chaos” as the fundamental design goal and keeps the community at the center for growing the chaos experiments.

Litmus broadly contains

1.Chaos Operator
2.Chaos CRDs
3.Chaos experiments or the ChaosHub
4.Chaos Scheduler
5.Chaos metric exporter
6.Chaos events exporter
7.Portal

In this blog, we’ll mainly talk about Litmus analytics.

Now, let's have a broad discussion about Analytics.

1.Analytics of Experiments and our Growth
2.Most popular places where Litmus users are located
3.Structure of maps and their dependencies
4.Loading Data and rending basic maps from libraries in React App
5.References and Links

Analytics about users

We are happy to share that our community has been reaching great heights these days, and we are happy to have achieved this milestone, and we are grateful to our users for supporting us always. Recently we have been getting a great response from the users and have a lot of active users. We are trying to expand our resources and our work worldwide.

Alt Text
Note: The above analytics data was noted on 25th Aug 2020.

In the current situation, we are experiencing Operator installed 14k+, Total Experiment Runs 108k+, Total Experiments 35 and Github star 1k+, and counting.

Litmus Growth

The below graph is showing the growth of our Litmus community based on Operator Experiment analytics.

Alt Text

Experiments

Generic: Pod Delete, Container Kill, Pod Network Latency, Pod Network Loss, Pod Network Corruption, Pod CPU Hog, Pod Memory Hog, Disk Fill, Disk Loss, Node CPU Hog, Node Memory Hog, Node Drain, Kubelet Service Kill, Pod Network Duplication, Node Taint, Docker Service Kill, Pod Autoscaler.

Kubernetes: Kubernetes Application Pod, Kubernetes Application Service, Kubernetes Cluster Level Pod - kiam, EC2 Terminate.

OpenEBS: Target Container Failure, Target Network Latency, Target Network Loss, Target Pod Failure, Pool Pod Failure, Pool Container Failure, Pool Network Latency, Pool Network Loss, Control Plane Chaos, cStor Pool Chaos, Pool Disk Loss, NFS Provisioner Kill.

Kafka: Broker Pod Failure, Broker Disk Failure, CoreDns CoreDNS Pod Delete, Cassandra Cassandra Pod Delete.

Most popular places where Litmus users are located

We have now crossed 170+ Cities and 35+ Countries worldwide where Litmus users are located. Currently, the top 10 countries are India, USA, China, Netherlands, France, Ukraine, Germany, Japan, Ireland, and Taiwan.

City Wise Users

Alt Text

Here the worldwide stats including the users from particular cities in the Map are shown.

Country Wise Users

Alt Text
Here you can see our worldwide stats, including the users from particular countries in the Maps.

Structure of maps and their dependencies

To create a Geo map, one needs to have basic React knowledge. We have used React and TypeScript for development.
For the map, I used react-simple-maps for city-wise plotting and react-google-charts for country wise plotting.

My approach was to plot data on Geo map using city wise, so it is good to show dots on the map to have proper visualization.

Loading Data and rending basic maps from libraries in React App and Code

The code structure is :

┬ Litmus-Portal  
├─┬ backend
| └ frontend
|    ├─┬ src
|      └── components
|        ├─┬ GeoMap
│          ├── CityMap.tsx
|          ├── CountryMao.tsx
|          ├── index.ts 
│          └── geo.json
Enter fullscreen mode Exit fullscreen mode

CityMap

The CityMap component will render a map based on the city-wise count of Chaos Experiments. Since I want to customize the projection for markers, so I take advantage of Marker property.

Start by defining an interface for the name, and coordinates & data will be loaded asynchronously once the component mounts (useEffect()). Also, it will fetch geo.json to map the coordinates.
For the projection marker, I am keeping the same color for all with circle opacity.

Required libraries are given below, and geoURL are coordinates of the World Map for mapping purposes.

import React, { useEffect, useState } from 'react';
import { useSelector } from 'react-redux';
import {
  ComposableMap,
  Geographies,
  Geography,
  Marker,
  ZoomableGroup,
} from 'react-simple-maps';
import { RootState } from '../../redux/reducers';
import datageo from './geo.json';
const geoUrl = datageo;
Enter fullscreen mode Exit fullscreen mode

React components have a built-in state object, which stores the properties that belong to the Map component. When the state object changes, the component re-renders.

const [mapData, setMapData] = useState<CityData[]>([]);

  const geoCity = useSelector(
    (state: RootState) => state.communityData.google.geoCity
  );

  useEffect(() => {
    const cityData: CityData[] = [];
    geoCity.map((e) =>
      cityData.push({
        name: e.name,
        coordinates: [parseFloat(e.longitude), parseFloat(e.latitude)],
      })
    );
    setMapData(cityData);
Enter fullscreen mode Exit fullscreen mode

Adding a Map with marker
To show data on each city map, I have added markers event listeners along with Composable Map and Zoomable Group.

     <ComposableMap style={{width: 640, height: 340,}}>
        <ZoomableGroup zoom={1.3}>
          <Geographies geography={geoUrl}>
            {({ geographies }) =>
              geographies.map((geo) => (
                <Geography
                  key={geo.rsmKey}
                  geography={geo}
                  fill="#CFCFCF"
                  stroke="#CFCFCF"
                />
              ))
            }
          </Geographies>
          {mapData &&
            mapData.map(({ name, coordinates }) => (
              <Marker key={`${name}_${coordinates}`} coordinates={coordinates}>
                <g
                  stroke="#858CDD"
                  strokeWidth="2"
                  strokeLinecap="round"
                  strokeLinejoin="round"
                  transform="translate(-12, -24)"
                >
                  <circle cx="12" cy="10" r="4" />
                </g>
              </Marker>
            ))}
        </ZoomableGroup>
      </ComposableMap>
Enter fullscreen mode Exit fullscreen mode

CountryMap

The CountryMap component will render a map based on the country-wise count of Experiments.
The approach is the same as CityMaps only difference is rendering a data country-wise and added hovering effects.

Originally data is stored in states in 2D Array with Columns Country and Users so I have taken the CountryMap variable, which stores the properties that belong to the Map component. When the state object changes, the component re-renders.

const CountryMap = () => {
  const data: string[][] = useSelector(
    (state: RootState) => state.communityData.google.geoCountry
  );
  const parsedData = data.map((item) => [item[0], parseInt(item[1], 10)]);
  parsedData.unshift(['Country', 'Count'])
Enter fullscreen mode Exit fullscreen mode

Showing Gradient
To give users an idea about the intensity of data, we can show a linear gradient with min = minimum of all values and max = maximum of all values.

To show data on the hover of each country, we can add onMouseEnter and onMouseLeave event listeners, which shows the Country and Users from those countries.

   <Chart
        style={{ margin: 'auto' }}
        width="640px"
        height="340px"
        chartType="GeoChart"
        data={parsedData}
        options={{
          colorAxis: { colors: ['#2CCA8F', 'gray', '#5B44BA'] 
        },
          backgroundColor: '#ffffff',
          datalessRegionColor: '#CFCFCF',
          defaultColor: '#CFCFCF',
        }}
        rootProps={{ 'data-testid': '1' }}
      />
Enter fullscreen mode Exit fullscreen mode

We are looking forward to the users contributing to our Litmus Community.

References and Links

LitmusChaos
Litmus ChaosHub
Github Repo Litmus
Connect with us on Slack
Litmus Chaos YouTube Channel

We are happy that we are contributing to the growth of our users and helping them rise and shine along with us.

Alt Text

Oldest comments (0)