Tuesday, 2 September 2025

MQTT_Firebase bridge

In my previous post, I had shared a tutorial about posting data from ESP32 to Firebase using Arduino Firebase client.

But what if you want to use MQTT on ESP32 side and still post messages to Firebase. This made me to work upon an intermediate C program which receives data from ESP32 MQTT client and post the data to Firebase REST API.

 A MQTT_Firebase bridge couples an MQTT enabled IOT device to talk to Firebase without additional work in IOT end. With IOT device having access to Firebase database which serves as a backend for mobile and web applications, we are moving towards an unified backend for embedded, mobile and web applications. There are many advantages of having an unified backend which enables seamless integration of application across the domain. 

Here is a simple C program which you can execute on your Rasberry Pi that can execute C program.

Prerequisites to execute this C program

1. A linux OS on your Rasberry Pi

2. Install Paho MQTT client and libcurl using the command  sudo apt install libcurl4-openssl-dev libpaho-mqtt-dev

3. Run the Program using  gcc name_of_program.c -o name_of_program -lcurl -lpaho-mqtt3c

4. Execute the program using  ./name_of_program

To test the program

1. Run the C program

2. Open an Online Mqtt client and publish to the Mqtt broker & Topic configured in your C program. 

3. Once you publish the data to the topic, you should see the output of the C program listening to the topic and posting the topic data to the Firebase URL. On successful posting to the Firebase URL you will see an appropriate success message or the error code.

Once the program is tested, you can replace the online MQTT client with ESP32 MQTT client.

Here is the C Program

#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <unistd.h>
#include <curl/curl.h>
#include "MQTTClient.h"

// MQTT Config
#define MQTT_ADDRESS   "tcp://broker.hivemq.com:1883" 
#define MQTT_CLIENTID  "MQTT_FIREBASE_BRIDGE"
#define MQTT_TOPIC     "test/int"
#define MQTT_QOS       1
#define MQTT_TIMEOUT   10000L

// Firebase Config
#define FIREBASE_URL "https://your-project-id.firebaseio.com/test_int.json" // Must end with .json

// POST to Firebase
void post_to_firebase(const char *value) {
    CURL *curl;
    CURLcode res;
    char json_data[256];

    snprintf(json_data, sizeof(json_data), "{\"value\": \"%s\"}", value);

    curl_global_init(CURL_GLOBAL_ALL);
    curl = curl_easy_init();

    if (curl) {
        struct curl_slist *headers = NULL;
        headers = curl_slist_append(headers, "Content-Type: application/json");

        curl_easy_setopt(curl, CURLOPT_URL, FIREBASE_URL);
        curl_easy_setopt(curl, CURLOPT_HTTPHEADER, headers);
        curl_easy_setopt(curl, CURLOPT_POSTFIELDS, json_data);

        printf("Sending to Firebase: %s\n", json_data);

        res = curl_easy_perform(curl);

        long response_code = 0;
        curl_easy_getinfo(curl, CURLINFO_RESPONSE_CODE, &response_code);

        if (res != CURLE_OK || response_code != 200) {
            fprintf(stderr, "POST failed. CURL error: %s, HTTP response: %ld\n",
                    curl_easy_strerror(res), response_code);
        } else {
            printf("POST successful. HTTP %ld\n", response_code);
        }

        curl_slist_free_all(headers);
        curl_easy_cleanup(curl);
    }

    curl_global_cleanup();
}

// MQTT Message Callback
int message_arrived(void *context, char *topicName, int topicLen, MQTTClient_message *message) {
    char *payload = malloc(message->payloadlen + 1);
    memcpy(payload, message->payload, message->payloadlen);
    payload[message->payloadlen] = '\0';

    printf("MQTT Message received: %s\n", payload);
    post_to_firebase(payload);

    free(payload);
    MQTTClient_freeMessage(&message);
    MQTTClient_free(topicName);
    return 1;
}

// Main Function
int main() {
    MQTTClient client;
    MQTTClient_connectOptions conn_opts = MQTTClient_connectOptions_initializer;
    int rc;

    MQTTClient_create(&client, MQTT_ADDRESS, MQTT_CLIENTID, MQTTCLIENT_PERSISTENCE_NONE, NULL);
    conn_opts.keepAliveInterval = 20;
    conn_opts.cleansession = 1;

    MQTTClient_setCallbacks(client, NULL, NULL, message_arrived, NULL);

    printf("Connecting to MQTT broker...\n");
    rc = MQTTClient_connect(client, &conn_opts);
    if (rc != MQTTCLIENT_SUCCESS) {
        fprintf(stderr, "MQTT connection failed: %d\n", rc);
        return EXIT_FAILURE;
    }

    printf("Subscribed to topic: %s\n", MQTT_TOPIC);
    MQTTClient_subscribe(client, MQTT_TOPIC, MQTT_QOS);

    // Keep running
    while (1) {
        sleep(1);
    }

    MQTTClient_disconnect(client, MQTT_TIMEOUT);
    MQTTClient_destroy(&client);
    return 0;
}
 

✅ Final Thoughts

This C-based bridge lets you decouple your ESP32 from directly interacting with Firebase, which is useful in systems that prefer lightweight MQTT communication. You can now process or filter data at the intermediary (Raspberry Pi) before sending it to Firebase.


 

 

Living a Decision

The Difference Between Taking a Decision and Living a Decision

We often think of decision-making as a single moment — the instant we choose one path over another. But the truth is, there’s a profound difference between taking a decision and living a decision. Understanding this difference can transform how we approach life, growth, and even success.

Taking a Decision: The Starting Point

Taking a decision is the moment of choice. It’s mental, strategic, and often influenced by logic, pressure, or external expectations. For example, you might decide to change careers, move to a new city, or start a new relationship. This decision is important, but it’s just the beginning.

At this point, the decision is mostly abstract. It exists in your mind, your plans, or your conversations. It can be exciting, scary, or hopeful. But crucially, taking a decision is a single event—something that happens once.

Living a Decision: The Real Challenge

Living a decision is entirely different. It’s the ongoing process of bringing your decision into reality. It means showing up every day, navigating uncertainty, overcoming obstacles, and committing emotionally and physically to the choice you made.

If you decided to change careers, living that decision means actually stepping into a new work environment, learning new skills, and facing challenges you couldn’t predict. It means resilience, persistence, and sometimes sacrifice.

Living a decision transforms who you are. It’s where growth happens, where intentions become habits, and where dreams meet reality.

Why Living the Decision Matters

Many people take decisions but never fully live them. This is why so many goals remain dreams and why so many plans fall apart. A decision that’s only made but not lived can feel hollow, uncertain, or fleeting.

On the other hand, a decision that is truly lived—despite hardships or doubts—never fails. It shapes your identity, teaches invaluable lessons, and ultimately leads to transformation.

The Takeaway

Taking a decision is necessary but not sufficient.

Living a decision is the real work—and the true path to change.

The difference lies in commitment, action, and endurance over time.

As the saying goes, “A decision not lived is just a wish. A decision lived is a path.” So next time you make a choice, remember that the real journey begins after you say yes.


Monday, 1 September 2025

Art of Disruption

The Charge Cycle and the Curve: Breaking Patterns to Awaken Progress

In every society, in every community, there exists a powerful force — a force that shapes how people think, believe, and act. I call it the “charge”: the collective emotional, social, and ideological energy that binds a group together. It’s the invisible current of shared identity, myths, and beliefs that creates belonging, but also builds walls.

This charge is not inherently bad. It gives us roots, culture, and meaning. But when the charge becomes rigid, sacred, and unquestionable, it locks communities into a repeating loop — the charge cycle — that resists change, punishes dissent, and fights the truth.

And that cycle has a profound impact on what I call “the curve” — the arc of progress, awakening, and collective evolution.

What is the Charge Cycle?

The charge cycle is the repeating pattern where:

A belief or myth becomes central to a group’s identity.

Questioning or opposing this myth is seen as a threat.

The challenger is framed as an enemy — an outsider, a rebel, a traitor.

The group defends the myth with renewed vigor.

The cycle repeats, often for generations.

This cycle is the backbone of social cohesion, but also the prison of social stagnation.

Why Does the Charge Cycle Persist?

Because the charge provides:

Safety — belonging to a group feels safer than standing alone.

Comfort — familiar myths simplify the world.

Identity — the charge gives people a sense of who they are.

Breaking the cycle means risking isolation, conflict, and uncertainty. Most people naturally avoid this.

The Curve: Progress and Its Adversary

The curve represents the growth of:

Truth

Awareness

Justice

Compassion

Freedom

It’s the slow but steady rise toward something better — both within individuals and societies.

But the charge cycle works against this curve:

It flattens progress by punishing innovation and dissent.

It warps progress by distorting values to fit old myths.

In extreme cases, it breaks the curve altogether, collapsing communities into chaos or authoritarianism.

Disrupting the Charge Cycle

To awaken the curve — to foster genuine progress — we must disrupt the charge cycle.

This doesn’t mean chaos or rebellion for its own sake. It means:

Exposing patterns without blame.

Living and embodying truth, even when misunderstood.

Using art, story, and metaphor to reach beyond defense.

Protecting the flame of inner clarity over external approval.

Finding or creating communities of fellow seekers.

Why This Matters Now

In a world rife with polarization, misinformation, and tribalism, the charge cycle is more powerful than ever. But so is the hunger for truth, connection, and meaning.

Breaking the cycle is hard. It’s lonely. It’s risky. But it is also the only path to real awakening — for individuals, communities, and humanity itself.

Closing Reflection

The curve is meant to rise — not in perfection, but in awakening. The charge cycle weighs it down. Only when we release the charge can the curve remember its path.

If this resonates with you, share it. Start conversations. Be the disruption the world needs.


Friday, 29 August 2025

Problems being part and parcel of time

Most problems exist because they evolve with time — they are a part and parcel of the era we live in. Have you ever heard of fascism or capitalism being considered major issues in ancient times? Definitely not. But today, they’re some of the biggest concerns we face. The reason is simple: these problems didn’t exist before. They emerged as part of the times.

The above are macro-level issues. On a micro level, we now face challenges like job insecurity, EMIs, school fees, and healthcare expenses. These weren’t common concerns in earlier times, but today, they dominate everyday life. Again, these are problems that emerged with the times.

Humanity has always found ways to solve problems — if not now, then eventually. But here’s the twist: we never really know what new problems will arise in the future. Each generation faces its own unique set of challenges, and no solution from the past can fully fix a problem of the present. Every problem is deeply rooted in its time.

And just as problems are a part and parcel of their era, so must the solutions be. These issues can’t be patched up with temporary fixes or jugaad solutions. They demand answers that are just as embedded in the present context as the problems themselves.


Monday, 25 August 2025

The Game Changing Journey of Modern India

India’s Game-Changing Journey: From Freedom Struggle to Constitution as the Ultimate Game Changer

The story of modern India is nothing short of a revolutionary saga—a journey that reshaped the destiny of a diverse and ancient civilization. At the heart of this transformation lies the Indian freedom struggle, a relentless fight against colonial oppression that eventually gave birth to a democratic republic governed by one of the world’s most remarkable documents: the Indian Constitution. This journey wasn’t just about gaining independence; it was about fundamentally changing the rules of the game.

The Freedom Struggle: Lighting the Torch of Change

For nearly two centuries, India endured British colonial rule, which imposed foreign governance and a rigid social order that often ignored the vast cultural, linguistic, and religious diversity of its people. The freedom struggle, spanning the late 19th and early 20th centuries, was a powerful collective movement to reclaim self-rule (Swaraj) and dignity. Leaders like Mahatma Gandhi, Jawaharlal Nehru, Sardar Vallabhbhai Patel, Subhas Chandra Bose, and countless others became the flag bearers of this journey.

Their methods ranged from non-violent civil disobedience to revolutionary activism, reflecting the varied aspirations and dreams of millions. The movement was not only political but deeply social—it challenged entrenched systems of inequality, discrimination, and hierarchy that had long governed Indian society.

Manusmriti and the Call for Social Justice

Before independence, India’s social and legal order was heavily influenced by ancient texts like the Manusmriti, which prescribed caste-based hierarchies and social discrimination. While Manusmriti was never a formal legal code under British rule, its influence perpetuated social exclusion and injustice for millions, especially the Dalits and other marginalized groups.

Enter Dr. Bhimrao Ramji Ambedkar, a visionary jurist, social reformer, and leader who emerged as the foremost champion of social justice during this transformative era. A Dalit himself, Ambedkar dedicated his life to fighting caste discrimination and inequality, advocating for the rights of the oppressed. He played a pivotal role as the principal architect of the Indian Constitution, ensuring that the new legal framework would abolish caste discrimination and guarantee equal rights to all citizens.

The Constitution: The Ultimate Game Changer

On January 26, 1950, India took a decisive leap by adopting its Constitution—a meticulously crafted document that became the foundation of a sovereign, socialist, secular, and democratic republic. The Constitution did more than just replace colonial laws; it completely reset the legal, political, and social framework of the nation.

Here’s how the Constitution changed the game:

Equality for All: Thanks to Ambedkar’s relentless advocacy, the Constitution abolished discrimination based on caste, religion, and gender, enshrining fundamental rights that protected every citizen’s dignity.

Universal Suffrage: For the first time, every adult citizen, regardless of background, could vote and participate in governance.

Secularism: The state was declared neutral in religious matters, guaranteeing freedom of belief and practice for all.

Rule of Law: An independent judiciary was established to uphold justice and protect citizens from abuses of power.

Social Justice: Provisions like affirmative action (reservations) were introduced to uplift historically marginalized communities.

Federal Unity: India’s immense diversity was respected through a federal structure, balancing state autonomy with national unity.

A New Dawn for India

The Indian Constitution was not just a legal document—it was a social contract, a vision for a just and inclusive society that rejected the old hierarchical order symbolized by texts like Manusmriti. It empowered millions, especially those who had been historically marginalized, and set India on a path toward democracy, development, and unity.

The freedom struggle was the spark that ignited the flame, but the Constitution, shaped profoundly by Dr. B.R. Ambedkar’s vision and leadership, became the blueprint that shaped India’s future. Together, they represent a game-changing journey—from colonial subjugation and social inequality to independence, democracy, and social justice.

Sunday, 24 August 2025

Culmination and aftermath

The Culmination Mechanism: How Wrong Builds and Breaks the World

Not all disasters arrive suddenly. Most are built, slowly and silently—until they burst.

Just as clouds form through a steady gathering of moisture, heat, and pressure, wrongdoing culminates through an invisible but powerful mechanism. It gathers not in the skies, but in hearts, habits, institutions, and cultures—often unnoticed until it can no longer be ignored.

Let’s explore the culmination mechanism—how wrong builds, what feeds it, and how we can disrupt it before the fire rains down.

☁️ The Natural Metaphor: Cloud Before the Storm

In nature, a storm doesn’t just appear. It forms through:

Moisture in the air

Rising warm air (updrafts)

Pressure systems

As these forces interact, clouds form. The longer the conditions persist, the larger the cloud grows—until it can no longer hold its contents. Then comes rain, thunder, or in extremes, destruction.

Wrong follows the same logic.

🔥 The Culmination of Wrong: A Step-by-Step Breakdown

1. Seed of Wrong

Every storm starts somewhere. So does every moral failure:

A lie justified.

An injustice ignored.

A prejudice accepted.

Wrong rarely begins with grand evil—it starts as a seed, often planted in plain sight.

2. Passive Conditions

Wrong only grows when the surrounding environment allows it:

Silence of good people

Cultural normalization of harm

Short-term thinking

Comfort over conscience

These are the “warm air” and “moisture” that feed the cloud.

3. Feeder Support Systems

No wrong ever grows alone. It needs feeders:

Enablers who benefit from staying blind.

Cowards who stay quiet to protect themselves.

Institutions that prioritize order over justice.

Voices that twist truth into justification.

Even people with no bad intent can become unwitting feeders, if they provide cover or convenience for harm to grow.

4. Normalization and Scaling

As wrong continues, it becomes normal.
What was once outrageous becomes "just the way it is."

This is the most dangerous stage—when people stop noticing.

5. Critical Mass and Collapse

Eventually, wrong reaches critical mass.
A tipping point.

The truth erupts.

Systems implode.

People suffer.

Fire rains down.

The culmination mechanism is complete—and now, it looks like a catastrophe. But it was actually a slow, quiet build-up.

🛑 How to Break the Mechanism

Stopping a storm is hard. But preventing its build-up is still within our reach.

✔️ Awareness

Notice the small wrongs. Don’t excuse them just because they’re common.

✔️ Disruption

Speak, resist, and act early. Every disruption weakens the momentum.

✔️ Withdraw Support

Don’t be a feeder. If you can’t oppose the system, refuse to sustain it.

✔️ Name the Pattern

Teach others to see the mechanism. Patterns break when they're exposed.

🧭 Final Thought: The Fire Is Fed by Silence

Wrong doesn’t triumph through sheer strength. It triumphs through accumulated inaction.

Just as a storm needs vapor, wrong needs passive support.
Just as clouds burst into rain, culminated wrong bursts into crisis.

To prevent the fire, you must notice the smoke.


Friday, 22 August 2025

Karnataka’s Shakti Scheme enters Golden Book of World Records with over 500 crore ticketed women journeys

Recently, news reports highlighted a significant milestone achieved by the Karnataka government’s flagship Shakti Scheme, which offers free bus travel to women on state-run buses. The scheme has now entered the Golden Book of Records for facilitating over 500 crore trips by women—a remarkable achievement that underscores its popularity and impact.

This milestone reflects the widespread acceptance and support the scheme has garnered among women travelers. Much like the transformative MGNREGA program, which provided employment guarantees to rural workers, the Shakti Scheme represents a bold step towards social empowerment. Initiatives like this show how governments can drive meaningful change by addressing grassroots issues.

According to recent statistics, female ridership increased by 40% after the scheme was launched. This significant rise indicates that many women previously lacked access to affordable transportation due to financial barriers.

By incentivizing mobility, the scheme has opened up new avenues for women—be it in accessing job opportunities, education, or markets that were once inaccessible. It not only reduces the economic burden on women but also fosters greater independence and participation in public life.

The Shakti Scheme is a commendable move that paves the way for a more inclusive and equitable society, where mobility is not a privilege but a right—regardless of gender.


Duniya aise nahi chalta bhaiya.....

In today’s world, it has almost become fashionable to ask people to "move out" of belief systems if they don’t fully agree with their core tenets. If you question certain principles of Sanatan Dharma, you're told to leave Hinduism. If you express doubts about the Bible, you're asked to leave Christianity. If you don't believe in the Quran, you're told you don't belong in Islam.

But why are people asked to leave? It's not always because others truly want them gone. Rather, it's often a way to test how many dissenters are actually dependent on the system—how many people will stay, despite their differences, because they have no real alternative. This is a subtle form of control—forcing people to "buy into" something they don’t truly need or believe in. In a way, it’s a modern form of ideological slavery.

But here’s the deeper question: What if someone doesn’t believe in the very principles on which the world itself was built? Where do they go then?

Interestingly, the world doesn't ask such people to leave. Instead, it often engages them. When someone challenges foundational ideas, the world listens—asks why they disagree, what led them to reject certain beliefs, and how the existing system can evolve to include valid opposing views. This is how real progress happens.

Take, for instance, the modern world’s embrace of constitutional governance. It has become a guiding light, lifting societies out of chaos. It’s a system designed to accommodate differences, protect rights, and allow room for opposition. But even here, contradictions emerge.

In India, for example, there are individuals who occupy prominent positions in institutions tied to specific beliefs — despite not subscribing to those beliefs themselves. It’s like appointing a convener of a tradition who openly rejects that tradition’s values. Instead of standing in opposition and voicing their concerns transparently, they remain within, often diluting or manipulating the system from the inside. This undermines both belief and reform.


Conclusion

True progress doesn’t come from blind conformity, nor from forced exclusion. It comes from open dialogue, honest disagreement, and a willingness to adapt. Systems—whether religious, political, or cultural—must learn to accommodate dissent, not suppress it. The health of any tradition or society depends on its ability to listen, evolve, and make space for those who think differently

Wednesday, 20 August 2025

Anjaamai Movie review

Feeling bored, I was checking my phone when I came across the Google TV app. It featured a variety of multilingual movies available across different OTT platforms.

One film caught my eye: Anjaamai (2024), available for rent at just ₹50 in HD quality. Using my ₹50 Airtel unlimited data pack, I streamed it seamlessly to my smart TV.

The movie is based on a real incident in Tamil Nadu involving the NEET exam, where over 5,000 students from the state were allotted exam centers in Jaipur. It portrays the hardships faced by a student from a small village and his family as they dream of becoming the first doctor in their community. Instead of being supported, their aspirations are challenged by a flawed system.

The most compelling part of the film is the courtroom drama — from the strict conditions set by the judge to the political interference in the case. However, the legal battle ultimately fizzles out, highlighting how many such stories fade away without resolution.

Every success story is celebrated, but stories that don’t end in success are often ignored. They don’t get the platform they deserve to even ask for a second chance.

From my personal experience, life often offers second chances — but it’s the system that throws obstacles in the way. The real struggle is not just about getting a second chance from life, but about fighting the system to make that chance count.

 You can rent the movie from following link

https://www.youtube.com/watch?v=YmTHcXjAOyE&t=4787s 


Saturday, 16 August 2025

Next level phenomenon

We cannot hide from the truth—however uncomfortable it may be—that the world is moving to the next level. The perspectives and viewpoints that once guided us are no longer enough to navigate the evolving landscape.

The beauty of progress lies in this: every next-level challenge presents a next-level opportunity—if we're willing to solve it.

Next-level challenges are like surgical strikes. They render old systems and rules ineffective, forcing a complete overhaul of how we approach problem-solving. When problems evolve, they can catch outdated solutions off guard.

But hidden within every next-level challenge is the seed of a next-level opportunity. Instead of being blindsided, we should be motivated. The discomfort is simply a sign that we’re growing—and preparing for the next breakthrough


Friday, 15 August 2025

The flame factor

We work tirelessly—sometimes lying, cheating, or struggling—just to earn the ingredients we believe we need for a fulfilling life. Once we have them, we toss everything into a vessel, hoping to cook something meaningful, something tasty. A recipe worth remembering.

But even with the best ingredients, the final outcome depends on one crucial element: the flame.

Too high, and we’re forced to pull the vessel off the stove too soon. Too low, and the process drags on endlessly. If we remove it too early, the ingredients remain undercooked—raw, incomplete, unsatisfying. If we wait too long, they burn—overdone, bitter, ruined. Either way, everything we fought for—the lies, the deceit, the struggle—goes to waste.

It takes experience to understand the flame. To know when to adjust it. To recognize what fuels it, and what threatens to extinguish it. Yet many of us keep adding emotions—our ingredients—into the pot, without ever checking the fire beneath.

That flame, the one under your vessel, is your soul. It's shaped by your values, beliefs, and choices. When you’re disconnected or disinterested, the flame dies down. When you're angry or impulsive, the flame becomes a furnace, burning through everything too fast.

Understanding your inner flame—what lights it, what dims it—is what ultimately determines the flavor of your life. Because in the end, it’s not just about what you cook, but how you choose to cook it.


Thursday, 14 August 2025

🇮🇳79 Years of Independence — But What About Freedom from Complicity?

This year, our country is set to celebrate its 79th Independence Day. But for many of us, it doesn’t feel like a celebration.

Because this isn’t just any Independence Day — it’s the first one after the nation has been forced to look in the mirror and face an uncomfortable truth:
“Sabke sab mile hue hain.” 
Everyone’s connected. Everyone’s covering for everyone else. The system protects itself.

We live in a "mile hua samaj" — a society where complicity is not just common, it’s expected.


🎯 So What Do We Celebrate?

When freedom exists only on paper, and silence protects the powerful, how do we find meaning in the idea of independence?
For some of us, the challenge is no longer about waving flags or singing anthems. It’s about survival. Integrity. Progress.

It’s about navigating a system where the rules are rigged — without becoming part of the rigging.


💬 I Asked ChatGPT a Question...

In the middle of all this, I asked ChatGPT a simple but difficult question:
How do you navigate a mile hua samaj — a society that’s complicit, entangled, and unaccountable — especially when you’re trying to build something honest?

Here’s what it told me. And honestly, it made a lot of sense:


✅ 1. Understand the Structure of Complicity

Who holds the power? Who benefits from the silence?
Not everyone is guilty — but many are silent. Knowing who’s who helps you choose your battles wisely.


✅ 2. Protect Yourself First

Be careful with what you say and to whom.
Keep receipts. Don’t try to take the whole system down at once. That’s not strategy — it’s self-destruction.


✅ 3. Avoid Moral Isolation

If you’re the only one questioning things, it can get lonely — and dangerous.
Find at least one other person who sees what you see. Or connect with those outside the system who do.


✅ 4. Resist Quietly, If Needed

Open rebellion isn’t always safe.
Sometimes the most powerful resistance is quiet:

  • Withdrawing support

  • Redirecting influence

  • Protecting others behind the scenes


✅ 5. Document, But Don’t Confront Without a Plan

Blowing the whistle might feel right — but timing and strategy are everything.
Build a case. Gather allies. Use trusted channels. Be smart, not just brave.


✅ 6. Plan a Long-Term Exit, If Needed

If the system won’t change, maybe you need to step out of it.
Build something new. Create a life where you can speak freely — and live freely.


🧘‍♀️ Final Thought

Being surrounded by injustice that’s normalized can leave you angry, exhausted, or hopeless.

But your sanity, strategy, and refusal to become like them — that’s your real power.


🏳️ This Independence Day...

Let’s ask a different question:

What’s the point of political freedom if social and moral complicity keeps us caged?

Freedom is not just about independence from colonial rulers.
It’s about freedom from silence. From guilt by association. From the fear of speaking up.

And maybe, just maybe — that’s the fight we should start preparing for next.


Wednesday, 13 August 2025

Controlling ESP32 GPIO using Firebase

🚀 Ever tried connecting an embedded application to a cloud database?

If not, here's a fun weekend project: Connect your ESP32/ESP8266 to Google Firebase and explore the power of real-time IoT!

I recently worked on a project where I controlled the GPIOs of an ESP32 by reading data directly from a Firebase database using Arduino Firebase client—and it worked like a charm! 🔌✨

With this setup, you can:
✅ Update Firebase from your ESP32 (send sensor data, etc.)
✅ Control your ESP32 remotely by updating Firebase via a mobile or web app
✅ Build an IoT dashboard that reflects real-time data updates

Whether you're building smart home projects or learning about cloud-connected devices, Firebase + ESP32 is a powerful combo.

💡 It’s a great hobby project to understand how embedded systems and cloud platforms can work together.

Give it a try—and let me know if you’d like the link to the tutorial I followed!

Link to the tutorial is as below

https://bokfive.com/getting-started-with-esp32-and-firebase-realtime-database/?srsltid=AfmBOoqpRdJlXAHtQO-PQKYZjYaUst6EPDzp-l1Iz2KjHIjtEd0mYUh0 

#IoT #ESP32 #Firebase #EmbeddedSystems #CloudComputing #Makers #TechHobby #DIYProjects #LinkedInTech


Monday, 11 August 2025

The pathfinder - 2

The path of life often appears to be a journey toward success. And those who seem to have succeeded tend to attract followers. But when that path is shaped by authority, control, or what we might call "bossism," then it’s not just success being followed — it’s the system of control itself.

Success, influence, and the life path people walk are deeply interconnected. It forms a closed loop, one that churns countless individuals by dangling the carrot of success in front of them. People keep walking — not always because they want to, but because they’re made to believe they must. And if the carrot doesn’t work, penalties await those who stray from the designated path.

The internet has opened up new ways for people to explore the journeys of both heroes and villains. We can analyze their choices, their rises, and their falls. But how often do people use this knowledge to carve their own unique path — one that resonates deeply with who they are?

Because the future is designed by the path we walk, society subtly discourages divergence. If your personal path doesn’t involve the masses, you risk building a future that doesn’t “sync” with the collective. That’s a threat to the status quo. So systems push back.

And yet, ironically, the masses themselves are often forced to walk paths that don’t reflect their own interests. If you think the majority shapes the future, think again. 

So walk the path that resonates with you — not just the one that resonates with the crowd.


The pathfinder

It’s fascinating to realize that no two people ever walk the exact same path in life. Even when two individuals reach the same destination — be it success, wisdom, peace, or fulfillment — the roads they took to get there are almost always different.

Why is that? Why must there be so many routes to arrive at the same place?

That’s the beauty of life.

One person may fall short of their goal despite having the right intentions or message. Another may reach it, carrying that same message, but through a different journey altogether. And in that contrast lies one of life’s greatest truths: there is no single formula for success, no universal path for fulfillment.

Some people navigate life through bossism — by controlling, commanding, and asserting dominance. They may rise quickly, driven by ambition and authority. For a while, it may seem as though this is the only way to succeed. The world, influenced by their results, may even believe that leadership requires a firm hand, a rigid structure, and a hierarchical mindset.

But then, someone else comes along — someone who leads through love. Through kindness, empathy, and patience. Their path is slower, quieter, often overlooked. But eventually, they too arrive at the same destination — perhaps even beyond it. And in doing so, they challenge the old narrative.

They prove there’s another way.

They show us that life doesn’t need to be mastered through dominance. It can also be mastered through compassion. And once this truth is revealed, it opens up a new way of living — one where relationships are more valuable than ranks, and influence is earned through connection, not control.

The path of bossism might offer a quicker route, a clearer ladder to climb. But the path of love, though longer, is richer. It transforms not only the destination but the traveler themselves. And in the end, that journey — the one rooted in love — is the one that truly captivates.


Sunday, 10 August 2025

Art of binding force

Binding two things is an art in itself — and a significant one. If joining just two elements is such a challenging task, imagine what it takes to bind over a billion individuals in a vast and diverse country like India. That, truly, is one of the most gigantic feats in the universe.

What we choose to bind ourselves with says more about us than it does about the binding force. Cartels, for example, may be bound by money, fame, or power. Pilgrims are often united by bhakti, their devotion. So as citizens, what binds us to this great country?

Until the April 2024 elections, this was a matter of intense debate. One section believed that Hindutva was the glue that held citizens together. Another believed it was the Constitution. The election results made it clear: the Constitution — not ideology — is what triumphs.

Many argue that the Constitution is an alien concept, unsuited for conservative Indian society. But if you read the Preamble, you’ll notice something powerful: it begins with, “We, the people of India…” — not “I, the citizen…”

That single word — We — is what binds this nation. It’s a force not many countries have been able to achieve. India’s unity lies not in a religion, language, or ideology — but in our collective identity, grounded in constitutional values.


Friday, 8 August 2025

When Public Discourse Becomes a Private Game: The Risk of Rewriting Our Collective Story

Public discourse—the shared conversations, values, and principles that shape our societies—is the backbone of any healthy community or democracy. It is where we articulate our collective hopes, define our rules of engagement, and navigate conflicts together. Ideally, this discourse builds over time, carrying forward the wisdom and lessons of past generations while adapting to new realities.

But what happens when this public discourse, which belongs to all of us, is quietly rewritten by the next generation—not to uphold universal principles or collective truth—but to serve the private equations of that generation? When the shared story becomes a tool for personal networks, hidden alliances, or vested interests?

This is not just a hypothetical problem. It’s a cycle that can erode trust, fracture communities, and undermine the very foundation of fairness and justice.

The Promise and Fragility of Public Discourse

Public discourse is meant to be cumulative. Each generation inherits a framework—be it a constitution, cultural values, or community norms—and ideally, builds on it by correcting past mistakes and pushing society forward. This continuity ensures that progress is not erased with every new wave of leadership or cultural shift.

But this fragile system depends on a crucial assumption: that each generation will engage with this discourse in good faith, committed to collective well-being rather than personal advantage.

When Private Equations Rewrite the Story

The moment a new generation prioritizes private equations—the complex web of personal loyalties, social networks, and factional interests—over public principles, public discourse becomes vulnerable.

Instead of a space where ideas are tested by reason and fairness, discourse becomes a battleground for influence and advantage. The “truth” is reshaped not by universal values but by those who wield social power behind the scenes.

This creates several dangerous outcomes:

Historical Revisionism for Gain: Narratives about the past may be altered to justify current power structures or to silence dissenting voices.

Erosion of Trust: People lose faith in institutions when they sense that rules are applied selectively.

Factionalism: Groups fracture along lines of loyalty rather than shared ideals, deepening divisions.

Loss of Collective Memory: When competing versions of “truth” multiply, it becomes harder to find common ground.

How Do We Break This Cycle?

1. Anchor Discourse in Enduring Principles

Universal values like justice, equality, and fairness should serve as the north star for any public discourse. These principles help resist the pull of expediency or factional interests.

2. Strengthen Institutional Safeguards

Independent courts, a free press, and robust civil society organizations act as watchdogs, ensuring that no private group can monopolize the narrative or manipulate rules unchecked.

3. Foster Critical Public Awareness

A well-informed and engaged public can demand transparency and hold leaders accountable. Education and open dialogue are vital tools in cultivating this awareness.

4. Encourage Intergenerational Dialogue

Bridging the gap between generations helps preserve collective memory and shared values while allowing for necessary evolution. Honest conversations between old and young can reveal where principles are being tested—and where they must stand firm.

Why It Matters

When one generation rewrites public discourse solely to protect private interests, they risk not only betraying the past but impoverishing the future. The story we tell ourselves collectively shapes how we govern, how we treat one another, and what we aspire to.

True progress demands that each generation honors the principles they inherit—not as a burden, but as a foundation for building a better society. Refining public discourse with courage and integrity, rather than distorting it for convenience or power, is the responsibility that comes with stewardship.

Final Thoughts

Public discourse is a living, evolving conversation—fragile yet resilient. It requires constant care to ensure it serves all members of a community, not just a few. Recognizing the dangers when private equations seek to rewrite that discourse is the first step toward safeguarding our collective story for generations to come.

I thus survived the story

What makes a story?

 
Its story line, its narration, the introduction of characters, and the climax. And everyone wants to be the hero of the story. This desire often pushes people to jump into the narrative and act against the characters they perceive as obstacles.

But not many want to be truly involved in the story. Instead, they make sure the story doesn’t turn against them—they simply survive it. They don’t care which direction the story takes, as long as it doesn’t pull them into discomfort or conflict.

Yet the story of life is notorious. It will make sure you respond to its call, one way or another—no matter how much you pretend not to care. Life may not always travel with you, but it will find a way to reach you, even remotely.

At first, the story might give you a bitter impression. But once it truly touches you, that bitterness can transform into something unexpectedly sweet.


Wednesday, 6 August 2025

Sweet spot of life

From the moment we take our first breath, it feels like everyone else already knows what’s best for us.

The doctor estimates when we’ll enter this world.
Our parents decide when it’s time to go to school.
Teachers choose what we should learn.
Managers assign us roles they believe we’re fit for.
Our spouse decides when it’s time to start a family.
And later in life, even our children guide us gently into retirement.

At every stage, someone else seems to hold the blueprint of our lives—telling us where to go, what to do, and how to live. It's as if our journey was already mapped out, not by us, but by the expectations and experience of others.

But that raises a powerful question:
If everyone else knows what’s best for us, what do we actually know—about them? About ourselves?

We often live life not with a clear destination in hand, but by discovering it along the way—through people we meet, moments that shape us, and experiences that transform us.
Life isn’t like following GPS directions to a known address. It’s far messier than that.

In truth, life feels more like falling from the top of a mountain.

We tumble.
We hit boulders.
We slip through cracks.
We cling to roots and branches.
And somehow, eventually, we land in the valley below—a place that becomes our “destination,” not because we chose it, but because it’s where we ended up.

Some call it fate. Others call it chaos.
Either way, it’s real.

There are ancient schools of thought that claim a person falling from the top of the mountain will end up in a specific place in the valley—like a marble rolling down a funnel, or a rover landing on a precise spot on the moon. It’s all trajectory, they say. All physics. All destiny.

Everyone wants to end up in the better part of the valley.
And everyone has tricks and techniques for getting there.
But what defines the “better” part of life? That’s another debate entirely.

Yet life has this unbelievable, almost cruel tendency.
The person who free-falls without a single plan, no tricks, no calculations—often lands on his feet.
And the one who’s written an entire thesis on how to land in the “perfect” spot?
Sometimes ends up nowhere
.





Tuesday, 5 August 2025

Dancing to the tunes which was tuned to the dance

When we engage in any task, we do so through a pattern—an approach that subtly reveals an underlying purpose. Sometimes, it's the purpose that initiates and shapes the task. Other times, it's the task itself that gradually gives rise to the purpose.

In an ideal state, there is harmony: the purpose drives the tasks, and the tasks in turn refine the purpose. This dynamic balance creates an equilibrium. And as long as this balance is maintained, it doesn't challenge any natural law—it flows within them, effortlessly.

But something deeper begins to emerge over time.

This interplay—between tasks, purpose, and the equilibrium they create—doesn’t just exist within natural law. It starts to resemble a natural law of its own. Not by replacing existing laws, but by weaving into them. It doesn’t break the rhythm of nature; rather, it teaches nature a new tune to play—one that aligns with its own intent.

In doing so, it builds a quiet rapport with which serves the interest of dance rather than that of tune.

Monday, 4 August 2025

Story of a 'TRUE' German Shepherd

Who doesn't know the German Shepherd breed? 

 
It’s one of the most domesticated and recognized dog breeds worldwide. But how can you be sure that the puppy you’ve bought is a true German Shepherd?

Here’s a checklist for identifying an authentic German Shepherd:

  • Tail & Back Structure

  • Coat Color & Texture

  • Ears & Jaw Shape

  • Presence (or absence) of White Spots

  • DNA Testing*


A Real-Life Case: The Fake German Shepherd Racket

Recently, a shocking racket surfaced in the city—people were breeding fake German Shepherds and selling them internationally under false pretenses. The scam came to light only when a vigilant animal lover raised concerns.

This individual took the dog breeder to court, claiming the puppies being sold were not true German Shepherds. The breeder, however, presented documents proving he was a government-certified dog breeder.

This complicated the matter—the court was hesitant to challenge the credibility of government-issued certifications without concrete proof.

The burden of proof now rested on the petitioner: he had to prove that the breeder’s dogs were not authentic German Shepherds.

So what did he do?

He brought his own verified German Shepherd to court, along with documentation comparing physical traits of original versus fake dogs. He even arranged for a live parade of dogs in court to highlight the differences.

But the case took another twist. The court then asked him to prove that his reference dog was, in fact, a genuine German Shepherd.

 


Thursday, 31 July 2025

Mining that best moment

Mining is one of the most difficult and labor-intensive processes on Earth. It involves digging deep into the ground to extract ore—and from that ore, we extract precious minerals. When it comes to gold, the yield is shockingly small. On average, it takes about one ton (1,000 kg) of ore to produce a single gram of gold. This number varies depending on the ore’s quality and the mining techniques used, but one thing is certain: the process is demanding, relentless, and deeply human in its pursuit of value.

But mining doesn’t just happen in the earth’s crust. It happens every day, all around us, often in ways we don’t notice. We mine through life—through emotions, choices, and relationships—searching for something valuable. Something lasting.

And who are the best miners among us? Women.

Women mine beauty from chaos. They sift through endless designs to curate wardrobes and jewelry boxes that reflect style, culture, and identity. They mine the best groceries from crowded shelves and markets, transforming them into meals that nourish bodies and bring families together. They mine comfort from tough days, hope from uncertainty, and wisdom from experience.

We all mine life for its finest moments. Sometimes we strike gold—a conversation that changes everything, a perfect evening, a memory that glows. Other times, we come up with nothing but slush and fatigue. But still, we dig. Because somewhere beneath the surface, we believe something precious lies hidden.

But here’s a quiet truth: when we stop mining ourselves—stop searching within for our own depth, joy, and purpose—we allow the world to mine us instead. To take from us without giving back. To shape our value rather than letting us discover it ourselves.

That must be resisted.

So keep digging. Keep searching. The gold is still in there


Friday, 25 July 2025

When vouching becomes a business.....

We get paid for the work we do. But what proves that we’ve actually done it? In most organizations, it’s the manager who decides whether an employee has delivered. In that sense, the manager becomes the primary witness to our performance.

But what happens when someone questions the manager’s judgment?

Naturally, the responsibility passes up the chain. The director vouches for the manager. The CEO vouches for the director. And the board of directors ultimately vouches for the CEO. It’s a hierarchy of accountability, each layer "deposing" on behalf of the one below.

But here’s where things can go wrong.

What if the entire chain — from the employee to the board — is hand in glove, fabricating results or covering up failures? In such cases, a company can run for years under the illusion of productivity and success… until it collapses. When the company goes bankrupt, all those so-called depositions — the affirmations from one level to another — are exposed as bogus.

Insiders often see this coming. They know the inner workings, and they’re prepared for the fallout. They make their exits, hedge their risks, or even profit from the downfall. But others — especially outsiders — are left to face the real consequences.

Sometimes, it’s an entirely unrelated company that suffers. A competitor or peer organization, one that has done things ethically, may be dragged into the same scrutiny. They’re suspected of the same corrupt practices simply by association or by industry reputation. And they must now undergo painful audits and public questioning, just to prove they weren’t doing anything wrong.

That’s the tragedy. In trying to prove their innocence, these honest companies are forced to fight a battle they didn’t choose — often under immense pressure, at great cost.

In the end, the real culprit isn’t one person. It’s the system — a chain of blind endorsements and mutual cover-ups. And when a system is built on fabricated truths, even the innocent may suffer

At the end of the day, it’s not enough to say “we did the work.” If the only proof of that work comes from a chain of people falsely vouching for one another, then the work itself turns out to be fiction.

Truth in work comes from truth in systems. When accountability fails at every level, the output is just noise — and eventually, it becomes worthless.

Let’s build systems that don’t just say the work was done — but prove it.

Monday, 21 July 2025

When life takes form of its own will

Life surrounds us in countless forms—a delicate flower, a towering tree, a diligent ant, a loyal dog, a cherished friend, a guiding teacher. We celebrate life when it reflects beauty, wisdom, or divinity. Even when life appears darker—like a shadow or a devil—there are those who still find meaning in it.

Yet, there is one form of life that society often fears, resists, and even hates: life that dares to follow its own will.

Throughout history, we have built vast systems to suppress this freedom—mechanisms designed to contain life’s wild expression. These pressures show up everywhere:

  • Education systems that standardize thought

  • Legal and penal codes that punish deviation

  • Economic models that reward conformity

  • Religious institutions that dictate what is sacred or sinful

  • Governments and bureaucracies that regulate behavior

  • Families and kinship networks that impose inherited expectations

  • Cultural norms and media that shape our values and desires

Each of these, subtle or severe, works to mold life—to ensure it moves only within approved boundaries, never freely by its own inner force.

Why?

Why has society erected such a vast apparatus of laws, beliefs, and rituals to prevent life from simply being what it is? Why do we fear a will that is not assigned, approved, or controlled by an institution?

Because this world wants a spark that doesn’t burn. It demands motion without disruption, power without unpredictability.

But life that follows its own will is perhaps the universe’s most honest and vital expression—raw, wild, ungoverned, and deeply alive.

Still, we try to tame it.

We suppress what we fear: the mystery, the autonomy, the refusal to fit in.

Life that refuses to be robbed of its will may not directly inspire you to find your own—but it sends a clear message: the challenge to live freely is open to all.

Thursday, 17 July 2025

Responsibility matrix from crowd

This world often tends to hold responsible not the one who is truly at fault, but the one who happens to be assigned responsibility. There’s nothing wrong in expecting that crimes in a region be addressed by the local police, or that government machinery be overseen by the elected representatives of that area.

But responsibility becomes distorted when it goes too far—when a group of people falls for a mania or illusion, and instead of blaming the mania itself, they blame the one person who resisted it. Similarly, when a group of students fails a subject due to their own lack of preparation, they may blame the student who actually passed, as if their success somehow caused the others' failure.

It’s strange how people often fail to acknowledge individual success, yet are quick to unite in blaming someone for collective failure.

Whether it’s a collective failure or a collective success, we must learn to take ownership—without disowning responsibility or unfairly placing it on others. Just because a crowd points a finger at someone does not mean that person is truly responsible in the eyes of truth—or eternity.

Friday, 11 July 2025

Direction that doesn't bend

A Direction That Does Not Bend

It walks not backward into dust,
Nor leans ahead in blind pursuit—
But stands where silence touches stone,
Where truth begins, and lies are mute.

It does not bow to memory's weight,
Nor flinch beneath tomorrow’s gold,
It does not chase, it does not flee,
But holds a flame the dark can’t fold.

No echo sways it from its step,
No future dream, no past regret.
It listens only to the now,
And answers with a calm "not yet."

While others twist for comfort’s sake,
Or yield to fear dressed up as fate,
This path moves forward, firm and still—
Not fast, but ever straight.

It bends to none—it breaks to none—
A line drawn quiet through the noise,
Not seeking praise, nor fearing scorn,
But faithful to its silent voice.

Success that doesn't speaks for itself isn't real success

In today's world, it seems like everyone claims to have succeeded—except the one who truly has. A government employee who has amassed crores through corruption and married off his daughter in a lavish ceremony might proudly declare his success. But is that really success?

If every Tom, Dick, and Harry lays claim to the idea of success, then who truly deserves the title? The answer lies in those whose success speaks for itself—requiring no external validation or loud proclamations.

A timeless example is the Indian Constitution, the masterpiece crafted by Dr. B.R. Ambedkar. During his lifetime, Ambedkar didn’t receive widespread praise or material rewards for his work. He didn’t seek validation or legacy. Yet, his contributions have withstood the test of time and continue to shape our nation. Despite facing centuries of entrenched hypocrisy and resistance, his work prevailed—because it was rooted in truth, justice, and vision.

We often find ourselves torn between the glitter of instant recognition and the quiet dignity of lasting impact. But real success is not about noise, wealth, or show. It’s about creating something so meaningful that it stands strong, even when no one is clapping.

True success doesn’t need to be shouted—it simply speaks for itself.

Wednesday, 9 July 2025

Andhbhakts, andhbhakti, andhbhakti subscription model- the dance of trio

In today’s digital world, everyone is just one subscription away from fame. It takes only a fraction of a second — a click, a share, a follow — to turn an unknown face into an overnight celebrity. The internet is full of subscribers waiting in line, and the subscription model has become the silent force behind this rise to recognition.

At first glance, it might seem like there’s no real relationship between the one who subscribes and the one who offers the subscription. But look deeper, and you'll find that the subscription model forges a subtle, often overlooked bond — a kind of mutual dependency shaped not by personal connection, but by algorithms, visibility, and influence.

This model can manipulate digital ecosystems in ways we rarely question. It decides who gets seen and who fades into digital obscurity. It creates celebrities not because of merit, but because of momentum. Subscribers fuel the algorithm; the algorithm rewards the subscription provider — and in turn, the provider adapts to what the algorithm demands. Everyone is dancing to the same invisible tune.

The Real Kingmaker

In this system, neither the subscriber nor the creator holds true power. The real kingmaker is the subscription model itself — the architecture that governs attention. It commands both sides, turning platforms into stages and users into performers. This is why it attracts millions in investment and churns out influencers at an industrial scale.

So what makes this model so inevitable — even irresistible?

Its success lies in its scalability, its illusion of choice, and its ability to create recurring engagement. It works like a cloud — forming naturally when the right elements (data, desire, and design) come together. And once it takes shape, it becomes self-sustaining.

The Dark Side of Subscriptions

But not everything born from this model is benign. It also becomes a breeding ground for echo chambers — especially when ideological subscriptions replace rational thought. The blind allegiance that some audiences show toward particular figures or platforms has become a pattern. In the Indian context, terms like “andhbhakt” (a blind follower) illustrate this troubling dynamic — where loyalty overshadows critical thinking.

This dance — between the blind follower (andhbhakt), blind devotion (andhbhakti), and the platforms that profit from this (andhbhakti subscription model) — is laying a digital foundation for ideologies that work against the pluralistic fabric of society.


Final Thoughts

The subscription model is not just a feature of the internet — it is the internet. It shapes what we see, who we follow, what we believe, and even who we become. The real question is not whether we subscribe — but whether we are aware of what we’re subscribing to.

 

Sunday, 6 July 2025

When the system wants to skip you......

In times of crisis—political, social, or personal—there is a subtle but dangerous strategy at work: weakening what stands in the way, not by direct attack, but by slowly eroding its power until it becomes easy to ignore or bypass. When something is weakened, it is skipped.

This is true in many contexts, but nowhere is it more critical than in the strength of our constitutional institutions. These institutions are designed to protect the rule of law, uphold justice, and safeguard democracy. Yet when these institutions are deliberately weakened, undermined, or politicized, the Constitution itself becomes vulnerable to being skipped — treated as a symbol, not a safeguard.

The Danger of Being Skipped

To “skip” something means to move past it without acknowledging its value or authority. It is to act as if it does not exist or no longer matters. When constitutional institutions lose their strength, when checks and balances become ineffective, and when public trust is eroded, the system can be bypassed with little resistance. This skipping is not just an administrative failure; it is the erosion of the foundation of democracy itself.

But this is not limited to institutions alone. Individuals, communities, and ideas can be weakened so they, too, can be skipped—ignored or dismissed when their presence or voice is inconvenient.

Why We Must Prove We Cannot Be Skipped

In this environment, the challenge is clear: we have to prove that we cannot be skipped.

This means refusing to be silenced, ignored, or made irrelevant. It means showing up with strength, conviction, and resilience. Being unskippable is about being essential — about creating a presence so fundamental that to bypass us comes at a cost.

Being unskippable means:

  • Standing firm in principles, even when they are unpopular.

  • Building institutions that are transparent, accountable, and trusted.

  • Encouraging civic participation and educating people about their rights.

  • Speaking truth to power and demanding respect for the rule of law.

  • Creating communities and movements that cannot be ignored.

The Path Forward

The fight against being skipped is ongoing. It requires vigilance, courage, and persistence. But most importantly, it requires belief — belief that the present moment and those who inhabit it matter.

When problems try to skip the present and show it as weak, we must respond by reinforcing the present’s power. When institutions falter, we must rebuild them stronger. When voices are muted, we must amplify them.

We have to prove — to ourselves and to the world — that we cannot be skipped. Because if we allow ourselves or our systems to be skipped, we risk losing everything that makes justice and democracy possible.

Remember that when the system tries to skip you, then you are the system

Thursday, 3 July 2025

When the stars align....

We may spend years meticulously planning for the defining moments of our lives—mapping every detail, preparing with dedication, and holding tightly to our vision. Yet, when that pivotal moment arrives, it often comes down to something far beyond our control: how our stars align.

Despite the enormous progress of science and technology, no algorithm exists that can predict the alignment of destiny at any given point in a person’s life. There are times when, despite all logic and effort, something magical happens—when someone’s stars align perfectly, and their life is transformed.

But it's not just the righteous or the deserving who wait for these moments.

Often, it is the wicked who wait the most—those who rely entirely on fate to give their dark ambitions shape. Unlike the diligent, they don’t invest in preparation. Instead, they depend on the unpredictable celestial dance to finally tilt in their favor. When it does, the world can feel powerless to resist the wave they ride in on.

Yet, in rare instances, the highest intelligence emerges—not merely to witness this alignment but to transform it. To seize the moment and turn the stars, so to speak, against the wicked. It becomes an opportunity—not just to deny them the fruits of their patience, but to remind the world that intelligence, will, and timing can still intervene.

But even this intervention requires something profound. It calls for strength, clarity, and the finest human qualities—because, paradoxically, even the act of countering destiny depends on how the stars align.

Wednesday, 2 July 2025

Spectrum of life

### **The Spectrum of Life**

Life is all about
**borrowing the spectrum**,
from those who came before —
their lessons, their light,
their silent shades.

We step into colors
we didn’t yet understand,
tasting emotions we didn't yet earn.

Then we begin
**owning the spectrum**,
through choices, mistakes,
joys we craft ourselves,
truths we learn to speak.

And as we grow,
we begin **loaning the spectrum**
passing on our light,
sharing our palette,
guiding others through the fog.

> This is how we become
> a part of the spectrum.
>
> **This is how we help
> the spectrum evolve.**

Because each life adds a hue,
each story bends the light,
and the spectrum —
forever unfinished —
waits for us
to color it forward.

---

Monday, 30 June 2025

Scam Calls of the Divine: When Faith Is Used as a Weapon

Every day, we receive countless scam calls. Some claim to offer business opportunities, while others ask for sensitive bank information—account numbers, PINs, anything they can use to rob you. Fortunately, with technology and awareness, most of us can spot these scams and protect ourselves.

But how do you protect yourself from a more insidious kind of scam—one that doesn’t come through a phone line, but through the voice of someone claiming divine authority?

What if the scam is wrapped in the language of culture, heritage, and religion? What if someone convinces you that a divine power has asked you to act a certain way—not for your own good, but to serve their political agenda?

These are the pseudo calls of divinity—deceptive appeals in the name of faith, designed to manipulate rather than enlighten. These calls are not coming from a higher power. They are carefully crafted by those who seek control, often by exploiting the very foundations of belief and tradition.

Take, for example, the recent call by our Honourable Prime Minister urging citizens to vote in overwhelming numbers—“400 and above”—claiming it as a divine mission. Behind this rhetoric lies a dangerous suggestion: that rewriting or dismantling the Constitution is not just a political move, but a sacred duty.

Such narratives are not just misleading—they are deeply harmful. When seasoned politicians use the language of the divine, they tap into something deeply emotional and sacred. The result is often a psychological manipulation of the masses, where reason is clouded by devotion.

Thanks to the sacrifices of great leaders and visionaries, India emerged as a democratic nation—a place where governance was meant to be rooted in equality, justice, and secular ideals. But today, we see attempts to alter even the preamble of our Constitution, as if changing the question paper to match the answers politicians already want.

Let’s be clear: Divinity does not call for the manipulation of the people. Faith, at its core, is a personal and spiritual experience—not a political tool to rally votes or rewrite laws.

These pseudo-divine calls are a betrayal—not of any one group, but of the very idea of honest public discourse. They are frauds in the name of something sacred.


Conclusion: Time to Listen Carefully

Just as we have learned to detect scam calls asking for our money, we must develop the awareness to identify scam calls that ask for our soul. The ones that hijack our beliefs to push political motives. The ones that cloak personal ambition in the name of divine instruction.

True divinity doesn’t demand votes. It inspires compassion, justice, and unity. It’s time we listen more carefully—and call out the impostors.