Building & Publishing a Cross-Framework React Hook — 📝react-usedrafty

Prevent accidental form data loss and enhance user experience — one small, powerful hook at a time.

Introduction

In this article, we’ll walk through the journey of creating, enhancing, testing, and publishing a universally compatible React hook for saving form drafts in the browser: react-usedrafty.

Our goal was to:

  • Build a plug-and-play solution for auto-saving and restoring form state.
  • Make it framework-agnostic, working with React, Next.js, and React Router projects.
  • Keep it lightweight with zero dependencies.
  • Add real-world features like route-change warnings and customizable leave prompts.

Step 1 — Hook Requirements

From the initial idea, these requirements were set:

  • Auto-save form data to localStorage or sessionStorage.
  • Restore data on page reload.
  • Warn the user before leaving if there are unsaved changes.
  • Support Next.js and React Router route change detection.
  • Provide clean API and TypeScript types.

Step 2 — Core Hook Implementation

We built the useDrafty hook in TypeScript, then configured the build to export both ESM and CJS formats for maximum compatibility.

Key features in the core:

  • Storage type selection (local / session).
  • Debounce saving.
  • Restore on mount.
  • Dirty-state detection.
  • Configurable warnOnLeave with custom messages.
  • Route change prevention via injected router instance.

Example API usage:

tsxCopyEdituseDrafty("contact-form", formState, setFormState, {
  storage: "local",
  delay: 1000,
  warnOnUnload: true,
  unloadMessage: "You have unsaved changes!",
  router: nextRouterOrReactRouter,
  onRestore: (data) => console.log("Draft restored:", data)
});

Step 3 — Adding Router Awareness

We avoided hard dependencies on Next.js or React Router by letting the user pass their router object.

Internally:

  • For Next.js, we hook into router.events.on("routeChangeStart", cb).
  • For React Router, we watch location changes.

This way:

  • No extra packages are required.
  • The hook works without any router if that feature is not needed.

Step 4 — Packaging for the World

We ensured compatibility by:

  • Targeting ESNext but compiling to both ESM & CJS.
  • Generating .d.ts files for TypeScript users.
  • Writing a package.json with proper "exports" mapping.

Example "exports":

jsonCopyEdit"exports": {
  ".": {
    "import": "./dist/index.mjs",
    "require": "./dist/index.js",
    "types": "./dist/index.d.ts"
  }
}

We also configured:

  • npm run build → Generates ESM, CJS, DTS.
  • .npmignore → Excludes /example from the package.

Step 5 — Local Testing

We:

  • Added an /example folder using Vite & React for quick testing.
  • Made sure the package works by linking locally via:
bashCopyEditnpm link
npm link react-usedrafty
  • Verified in plain React, Next.js, and React Router apps.

Step 6 — Publishing to npm

Version management steps:

bashCopyEdit# Update version
npm version patch  # or minor/major

# Publish
npm publish --access public

💡 Mistake: If you bump the wrong version, you can revert with:

bashCopyEditnpm version 1.2.2 --no-git-tag-version

Step 7 — Documentation

We created a detailed README including:

  • Feature list.
  • Install instructions.
  • Basic & advanced usage.
  • API reference.
  • Changelog with new features (e.g., warnOnUnload, router support).

Step 8 — What’s New in the Latest Version

From this latest dev cycle, we added:

  • Router-aware leave warnings (Next.js + React Router).
  • Custom restore callback onRestore.
  • Universal build that works across major JS environments.
  • Debounce control for save frequency.
  • Clear API for dirty-state detection (isDirty flag).

Conclusion

By following this process, we built a hook that:

  • Works in React, Next.js, CRA, and other environments.
  • Handles both browser unload and in-app route changes.
  • Ships with full TypeScript types.
  • Has local examples for quick testing.
  • Is ready for npm publication with a clean API and docs.

This approach can be applied to any React utility you want to share with the community while keeping it framework-flexible.


Made with ❤️& Fire in heart
PRs and feedback welcome!

nextjs/any project have .env and .env.local so when run dev, will it auto pick .env.local or a need to configure something ?

Here is the direct solution if you have question something running in your back of your mind!

Next.js will automatically prioritize .env.local over .env.

more insightful below continue …

📚 Load order (by default):

Next.js loads env files in the following order depending on the mode (dev, build, start):

1. Development (next dev)

  • .env.development.local
  • .env.local
  • .env.development
  • .env

2. Production (next build)

  • .env.production.local
  • .env.local
  • .env.production
  • .env

⚠️ Only variables prefixed with NEXT_PUBLIC_ will be available in the browser.

🔧 No extra configuration needed

So you do NOT need to configure anything manually. It will:

  • Automatically load .env.local if it exists.
  • Fall back to .env for any variables not defined in .env.local.

✅ Best Practice:

  • Use .env for shared/default values (committed).
  • Use .env.local for machine-specific/secrets (not committed to Git).

Happy Reading, Happy learning. Bookmark Now Comeback again!

Thanks for here.

🔍 Smart Functions in JavaScript: What They Are and How to Use Them

By Jatinder Singh

📖 Table of Contents

  1. What Is a Smart Function?
  2. Higher-Order Functions
  3. Memoization
  4. Arrow Functions + Ternary Logic
  5. Function Currying
  6. Smart Initialization
  7. Context-Aware Functions
  8. Debounced or Throttled Functions
  9. Async Smart Functions
  10. Closures & Factory Functions
  11. Recap
  12. Final Thought
  13. About the Author

💡 What Is a Smart Function?

A smart function in JavaScript isn’t a built-in feature or official term. Instead, it’s a way developers refer to functions that are reusable, adaptive, and efficient.

🔁 Higher-Order Functions

function smartLogger(fn) {
  return function (...args) {
    console.log("Calling with:", args);
    return fn(...args);
  };
}

const add = (a, b) => a + b;
const loggedAdd = smartLogger(add);
console.log(loggedAdd(2, 3));

⚡ Memoization

function memoize(fn) {
  const cache = {};
  return function (...args) {
    const key = JSON.stringify(args);
    if (cache[key]) return cache[key];
    const result = fn(...args);
    cache[key] = result;
    return result;
  };
}

const smartFactorial = memoize(function factorial(n) {
  if (n <= 1) return 1;
  return n * factorial(n - 1);
});

🎯 Arrow Functions + Ternary Logic

const smartCheck = (val) => val ? "Exists" : "Missing";

🧱 Function Currying

const smartMultiply = (a) => (b) => a * b;
const double = smartMultiply(2);
console.log(double(5));

⚙️ Smart Initialization

const smartConfig = (() => {
  const env = "dev";
  return env === "prod" ? { debug: false } : { debug: true };
})();

🧠 Context-Aware Functions

function smartParser(input) {
  if (typeof input === "string") return JSON.parse(input);
  if (typeof input === "object") return JSON.stringify(input);
  return input;
}

⏱️ Debounced or Throttled Functions

function debounce(fn, delay) {
  let timer;
  return function (...args) {
    clearTimeout(timer);
    timer = setTimeout(() => fn(...args), delay);
  };
}

🌐 Async Smart Functions

const fetchDataSmart = async (url) => {
  try {
    const res = await fetch(url);
    return await res.json();
  } catch (e) {
    return { error: "Failed to fetch" };
  }
};

🔐 Closures & Factory Functions

function smartCounter() {
  let count = 0;
  return {
    increment: () => ++count,
    reset: () => (count = 0),
    value: () => count,
  };
}

const counter = smartCounter();

✅ Recap of Smart Function Patterns

Pattern Purpose
Higher-Order Functions Extend behavior
Memoization Cache results
Currying Reuse with different inputs
Closures/Factories Maintain private state
Debounce/Throttle Optimize UI interactions
Async/Await + Try/Catch Handle API or async errors smartly
Conditional Logic Adapt to input types

🔮 Final Thought — Wait… Something Smarter Might Be Coming!

✍️ About the Author

Jatinder Singh is a creative developer and digital explorer who enjoys building intuitive apps, teaching technical ideas, and turning brainstorming into action. He is always pushing boundaries to craft more meaningful user experiences.

💎 The Hidden Journey of Diamonds: Understanding Conflict-Free Choices

Diamonds are among the most cherished natural treasures—symbols of elegance, commitment, and timeless beauty. But like many natural resources, diamonds have a complex story. As consumers become more conscious about the origins of the products they buy, understanding how diamonds are sourced and brought to market has become more important than ever.

This article gently explores what are known as blood diamonds, and how the global community is working toward more transparent, ethical diamond trade.


🌍 What Are Blood Diamonds?

The term blood diamonds (also called conflict diamonds) refers to diamonds that were historically mined in regions where profits were used to support unrest, particularly in certain parts of Africa during past decades.

These diamonds were once linked to conflicts, not commerce. Over time, the world took notice and began to respond.


📜 A Look Back: Why It Mattered

In countries like Sierra Leone, Angola, and the Democratic Republic of Congo, diamonds played a role in financing regional tensions. This raised international concern, and in response, governments, civil society, and the diamond industry came together to improve transparency in the global diamond supply chain.


🛡️ The Kimberley Process: A Step Toward Transparency

In 2003, the Kimberley Process Certification Scheme (KPCS) was established as a way to help ensure that rough diamonds crossing borders are certified conflict-free. Today, over 80 countries participate in this initiative.

While it’s not perfect, the Kimberley Process is a meaningful global framework that promotes responsibility and traceability in diamond trading.


💎 What Does “Conflict-Free” Mean Today?

Today, most diamonds in the market are sourced from countries that participate in the Kimberley Process and follow international trade standards. Additionally, many jewelers go above and beyond, offering traceable or ethically sourced diamonds and partnering with suppliers committed to fair labor, environmental care, and local community development.


🌱 Modern Alternatives: Ethical & Lab-Grown Diamonds

If you’re looking for a diamond that aligns with your values, you now have more choices than ever:

  • Ethically sourced natural diamonds – responsibly mined and fairly traded.
  • Lab-grown diamonds – identical to natural diamonds, created in advanced facilities with minimal environmental impact and complete origin transparency.

These options reflect the growing desire for beauty with integrity.


🛍️ What You Can Do as a Thoughtful Buyer

Choosing a diamond today is about more than sparkle—it’s about purpose. Here’s how you can feel confident in your purchase:

  • ✅ Ask about sourcing and certifications.
  • ✅ Explore brands that focus on ethical practices.
  • ✅ Learn the story behind the diamond you’re buying.
  • ✅ Consider lab-grown diamonds if sustainability is a priority.

💡 Final Thought: A Beautiful Choice, Made Mindfully

Diamonds will always shine—but when we take time to understand where they come from, their brilliance becomes even more meaningful. Whether it’s for a proposal, a gift, or a personal treasure, choosing a conflict-free or ethical diamond is a quiet but powerful way to support fairness, transparency, and progress in the world.

Let your diamond reflect not just beauty, but also thoughtful intention.

🌴 Top Places to Visit in Los Angeles – The Ultimate Travel Guide

Los Angeles – the City of Angels – is known for its glitz, beaches, art, and star-studded streets. Whether you’re here for a weekend or a week, this curated list of top places to visit in LA will help you experience the best this iconic city has to offer.

🔗 Jump to:


🎬 1. Hollywood Sign & Griffith Observatory

The Griffith Observatory not only offers free space exhibits but also gives you the best views of the Hollywood Sign. Take one of the scenic hikes or drive up for stunning photos of LA’s skyline.

⭐ 2. Hollywood Walk of Fame

Explore Hollywood Boulevard and spot your favorite celebrity’s star among 2,700+ others. Don’t forget to check out the TCL Chinese Theatre and the Dolby Theatre.

🎡 3. Santa Monica Pier

The Santa Monica Pier features a fun fair, arcade, and oceanfront views. A great spot to relax, take photos, or enjoy the sunset on the beach.

🏖️ 4. Venice Beach

Known for its free spirit and street performers, Venice Beach is the artistic soul of LA. Explore Muscle Beach, skateparks, and the peaceful Venice Canals.

💎 5. Rodeo Drive, Beverly Hills

Window shop luxury brands on Rodeo Drive. It’s the ultimate destination for fashion, luxury, and maybe a celebrity sighting.

🎨 6. The Getty Center

High art meets high elevation at the Getty Center. It’s free to enter and features gorgeous gardens, rotating exhibits, and breathtaking architecture.

🖼️ 7. LACMA & Urban Light

Snap a photo at Urban Light, then explore the vast galleries of the Los Angeles County Museum of Art.

🧠 8. The Broad Museum

The Broad is a contemporary art museum in Downtown LA featuring Jeff Koons, Yayoi Kusama, and more — and it’s free to enter.

🥾 9. Runyon Canyon

A local favorite for a reason! Runyon Canyon is a quick hike with sweeping views of LA, often visited by celebrities and fitness lovers alike.

🌊 10. El Matador Beach (Malibu)

Secluded and serene, El Matador Beach is known for its dramatic cliffs and sea caves. Bring a camera and your sense of adventure!

🏙️ 11. Downtown LA Highlights

🎢 12. Universal Studios Hollywood

Universal Studios Hollywood is part theme park, part movie set — perfect for a full day of fun.

👑 Bonus: Disneyland (Anaheim)

Just outside LA, Disneyland offers magical moments for both adults and kids alike. If you’ve never been, now’s the time.

✨ Final Thoughts

Whether you’re into art, nature, pop culture, or the beach life — Los Angeles delivers. These hand-picked spots will help you make the most of your LA journey. Bookmark this guide for your trip or share it with friends planning a visit!

📌 Pin this post or share it on social media to inspire your next adventure!

[Insert featured image here: Suggested image – LA skyline + Hollywood sign + beach collage]

🌸 Understanding Ancient Chinese Art: A Timeless Heritage for Educators

Ancient Chinese Art is one of the oldest continuous artistic traditions in the world, offering deep insights into China’s rich culture, philosophy, religion, and daily life. For school teachers and education professionals, learning about this art form is not only essential for cultural education but also for enriching interdisciplinary lessons in history, literature, philosophy, and visual arts.


🏺 What is Ancient Chinese Art?

Ancient Chinese Art spans thousands of years, from the Neolithic era (around 5000 BCE) to the final imperial Qing Dynasty (ending in 1912). Each dynasty introduced new styles, techniques, and ideas — all deeply influenced by Confucianism, Daoism (Taoism), and Buddhism.

✨ Key Themes:

Harmony with nature

Balance and symmetry

Spiritual expression over realism

Respect for tradition and ancestors


🎨 Major Forms of Ancient Chinese Art (and Their Modern Relevance)

Below are the most influential types of Chinese art and how they can still be seen or used today.


🖌️ Calligraphy (书法 – Shūfǎ)

What it is:
Calligraphy is the art of beautiful writing using brush and ink. In China, it’s considered one of the highest forms of art.

Cultural Value:

Used by scholars and poets

Connected to self-discipline and moral integrity

Reflects the artist’s personality and energy

Modern Usage:

Still taught in Chinese schools

Used in branding, interior design, art therapy

Practiced as a meditative art

In the classroom:

Great for combining language learning with artistic practice

Introduces students to Chinese characters and symbolism


🖼️ Ink and Wash Painting (水墨画 – Shuǐmòhuà)

What it is:
Traditional Chinese landscape or flower-bird painting using ink on rice paper or silk. It focuses on expression, emotion, and simplicity.

Cultural Value:

Philosophical — rooted in Daoist ideals of nature and flow

Often features mountains, rivers, bamboo, birds

Modern Usage:

Still widely practiced

Influences contemporary art, stationery, digital wallpapers

In the classroom:

A creative way to connect with Chinese philosophy and environment

Encourage students to express nature in their own ink-based style


🍵 Ceramics and Porcelain (瓷器 – Cíqì)

    What it is:
    China revolutionized ceramic art, especially during the Tang and Ming dynasties. “China” even became a term for porcelain globally.

    Cultural Value:

    Used in royal courts, trade, tea culture

    Iconic blue-and-white patterns

    Modern Usage:

    Contemporary homeware and collectible art

    Porcelain-making is still a thriving industry in Jingdezhen, China

    In the classroom:

    Introduce students to world trade history via the Silk Road

    Hands-on clay or paper plate painting activities


    🧵 Silk Art and Embroidery (刺绣 – Cìxiù)

      What it is:
      Embroidery on silk fabric, often depicting flowers, birds, or dragons.

      Cultural Value:

      Symbol of wealth and artistic skill

      Integral part of imperial fashion and festivals

      Modern Usage:

      Luxury fashion and home décor

      Continues in traditional Chinese wedding garments and festivals

      In the classroom:

      Use images or fabric samples to explore texture, pattern, and storytelling

      Connect with textile art projects in craft classes


      🟩 Jade Carving (玉雕 – Yùdiāo)

        What it is:
        Jade was considered more valuable than gold. It was used for jewelry, spiritual amulets, and burial items.

        Cultural Value:

        Symbolizes purity, protection, and virtue

        Often shaped into dragons, phoenixes, and Buddha figures

        Modern Usage:

        Worn as lucky charms and wedding gifts

        Still gifted during Chinese New Year or important events

        In the classroom:

        Explore symbolism and story behind each carving

        Create clay or soap carvings as a class project


        ⚱️ Bronze Work

          What it is:
          Mainly used during the Shang and Zhou dynasties, bronze was cast into vessels, bells, and weapons for rituals.

          Cultural Value:

          Used for ancestor worship and royal ceremonies

          Marked with inscriptions and patterns

          Modern Usage:

          Museum exhibits

          Inspires modern sculpture and design

          In the classroom:

          Link to early metallurgy and civilizations

          Let students create faux “bronze” using papier-mâché or metallic paints


          🏯 Ancient Architecture

            What it is:
            Pagodas, temples, palaces, and bridges built with wood and stone in distinct sweeping roof styles.

            Cultural Value:

            Represents cosmic harmony and feng shui

            Reflects social order and spiritual beliefs

            Modern Usage:

            Preserved in heritage sites

            Influences East Asian architecture globally

            In the classroom:

            Use 3D models, drawing exercises, or VR tours

            Discuss structure, symmetry, and symbolism


            📚 Cross-Disciplinary Learning Opportunities

            Subject Integration Idea

            History Use ancient art to explore dynasties and societal structure
            Art Practice brush painting, calligraphy, and design motifs
            Geography Connect Silk Road trade and export of porcelain/jade
            Philosophy Teach Confucian, Taoist, and Buddhist values in art
            Language Learn Chinese characters and their meanings through art


            🧠 Why Should Teachers Learn and Teach Chinese Art?

            ✅ Promotes cultural empathy and global awareness

            ✅ Supports creativity and visual learning

            ✅ Connects art to deeper values and traditions

            ✅ Makes history more tangible and relatable

            ✅ Encourages appreciation of craftsmanship and patience


            🔖 Suggested Teaching Resources

            1. Books:

            The Arts of China by Michael Sullivan

            Chinese Calligraphy: An Introduction to Its Aesthetic and Technique by Edoardo Fazzioli

            1. Videos/Documentaries:

            China: A Century of Revolution (PBS)

            Treasures of Chinese Art (YouTube, National Palace Museum Taiwan)

            1. Virtual Museum Tours:

            The Palace Museum (Forbidden City)

            The British Museum: Chinese Art Collection

            1. Classroom Activities:

            DIY ink brush painting

            Clay “jade” sculpture project

            Chinese fan painting or scroll art

            Paper cutting with traditional Chinese motifs


            🧧 Conclusion

            Ancient Chinese Art is not just about visual beauty—it carries centuries of wisdom, philosophy, and innovation. For educators, it’s a powerful tool to help students understand a major world civilization and develop respect for diverse cultures.

            By integrating Chinese art into your curriculum, you don’t just teach history or craft—you bring ancient wisdom into modern learning.

            📜 Disclaimer for Students and Educators

            This article is intended for educational purposes only. Students and teachers are welcome to use the information in personal school projects, class presentations, and cultural activities. Content may be adapted or quoted with proper acknowledgment. Commercial use or redistribution of the material for profit is not permitted without prior permission.Please ensure that any project work based on this article maintains respect for cultural heritage and historical accuracy.

            Top 5 Latest Innovations Developed in India 🇮🇳 (2024–2025)

            1. BharatGPT – India’s Own Multilingual AI Chatbot

            🔍 What Is It?

            BharatGPT is India’s answer to OpenAI’s ChatGPT—developed by the Indian AI company CoRover in collaboration with BharatGPT Consortium (backed by Bhashini under the Government of India’s Digital India initiative).

            🌐 Key Features:

            Supports 12+ Indian languages including Hindi, Tamil, Telugu, Marathi, and Kannada.

            Integrates with public services, IRCTC, insurance, banking, and health sectors.

            Developed to meet India-specific needs, including cultural context, accents, and regional knowledge.

            📌 Why It Matters:

            With India’s linguistic diversity, BharatGPT helps bridge the digital divide by enabling non-English speakers to access AI in their mother tongue.

            🧠 Fact: CoRover AI, the parent of BharatGPT, already powers chatbots used by IRCTC with over 10 billion user interactions to date.


            1. UPI’s International Rollout – Indian Fintech Goes Global

            💳 What Is It?

            Unified Payments Interface (UPI), India’s flagship instant digital payment platform developed by NPCI, has expanded beyond Indian borders.

            🌍 Recent International Tie-Ups:

            UAE: UPI is accepted through Mashreq’s NEOPAY terminals.

            France: Indian tourists can use UPI at the Eiffel Tower.

            Singapore: Cross-border UPI-PayNow integration enables instant remittances.

            Sri Lanka & Mauritius: UPI-enabled transactions launched in early 2024.

            📌 Why It Matters:

            UPI’s global expansion shows India’s leadership in digital finance and offers seamless, low-cost international payment alternatives.

            💡 Fact: As of 2024, UPI processes over 10 billion transactions monthly, surpassing global platforms like Apple Pay and PayPal in volume.


            1. Tejas Mk1A – Indigenous Fighter Jet Ready for Battle

            ✈️ What Is It?

            Tejas Mk1A is an advanced, upgraded version of India’s indigenous Light Combat Aircraft (LCA) designed and developed by Hindustan Aeronautics Limited (HAL).

            ⚙️ Key Features:

            Equipped with Active Electronically Scanned Array (AESA) radar, modern avionics, and electronic warfare systems.

            Faster turnaround time and lower maintenance.

            Made with over 75% indigenous components.

            📌 Why It Matters:

            The Mk1A variant, with 73 units ordered by the Indian Air Force, is part of India’s mission for defense self-reliance under “Atmanirbhar Bharat.”

            ✍️ Fact: First deliveries of Tejas Mk1A began in March 2024, marking a pivotal milestone in India’s defense capabilities.


            1. iRASTE – AI-Powered Smart Road Safety Technology

            🚗 What Is It?

            iRASTE (Intelligent Solutions for Road Safety through Technology and Engineering) is an AI-based system to reduce road accidents, developed by IIIT-Hyderabad, Intel India, and supported by the Ministry of Road Transport and Highways.

            🔍 How It Works:

            Uses edge computing and computer vision for real-time detection of risky driving behavior.

            Monitors accident-prone zones and infrastructure gaps.

            Provides alerts to drivers and civic authorities.

            📌 Where It’s Deployed:

            Cities like Nagpur, Ahmedabad, and Hyderabad.

            📌 Why It Matters:

            India accounts for 11% of global road deaths. iRASTE aims to reduce road accidents by 50% in pilot zones.

            🧠 Fact: In its initial trial in Nagpur, iRASTE flagged over 200 accident-prone road segments and helped reduce incidents by 18% within six months.


            1. Aditya-L1 Mission – India’s First Solar Space Observatory

            🌞 What Is It?

            Aditya-L1 is ISRO’s first solar mission launched in September 2023. It reached its final destination—Lagrange Point 1 (L1)—in January 2024.

            📡 What It Studies:

            Solar corona and flares

            Solar wind patterns

            Magnetic field behavior in space

            📌 Why It Matters:

            This mission positions India alongside elite spacefaring nations with solar observatories (like NASA’s Parker Solar Probe and ESA’s Solar Orbiter).

            🚀 Fact: Aditya-L1 carries 7 scientific payloads and will provide continuous solar monitoring, critical for predicting geomagnetic storms that can affect satellites, power grids, and communications.


            🌟 Final Thoughts

            From AI for the masses to space exploration, India’s innovation ecosystem is maturing rapidly and setting global benchmarks. These developments reflect not just technological progress but a broader vision of self-reliance, inclusivity, and global leadership.

            Whether you’re a tech enthusiast, policy thinker, or investor, keeping an eye on India’s innovation landscape is no longer optional—it’s essential.

            🕊️ 6 Spiritual & Uplifting Coaster Quotes to Bring Peace to Your Space

            Real product varies in the shades or texture based on wood material available in the stock as of their own nature patterns. Font availability to its subject or not.

            Crafted by MDW – Multi Dimensional Work

            In a world that moves fast, stillness is sacred.
            At MDW – Multi Dimensional Work, we believe everyday items can carry extraordinary meaning — including something as simple as a coaster.

            Our latest limited-edition collection features 6 never-seen-before spiritual and uplifting quotes — each one engraved into natural wood to inspire grounding, gratitude, and grace with every sip.

            Whether placed on your meditation altar, tea table, or yoga space — these coasters whisper peace into your home.


            ✨ The Sacred Six: Coasters That Speak to the Soul


            🌿 1. “Stillness Says More Than Noise Ever Could.”

            For: Meditation corners, silent mornings, breathwork rituals
            Design Vibe: Clean serif font surrounded by subtle circular sound-wave lines fading outward

            A reminder that your inner silence is rich, wise, and enough.


            🕊 2. “You’re Held, Even When You Forget.”

            For: Sacred spaces, bedside tables, grief support
            Design Vibe: Gentle script with a tiny feather or bird icon near the text

            For the moments you need unseen hands and whispered grace.


            ✨ 3. “Light Doesn’t Shout. It Glows.”

            For: Morning routines, sunlit corners, gratitude journaling
            Design Vibe: Minimal font with radiant beams or diya pattern softly encircling the quote

            Power doesn’t always make noise. Sometimes, it just is.


            🌬️ 4. “Return. Breathe. Begin Again.”

            For: Yoga mats, journaling desks, kitchen mindfulness
            Design Vibe: Light sans-serif in rhythm-like spacing, with soft breath lines wrapping the rim

            Because even in chaos, you’re always one breath away from starting over.


            ☕ 5. “This Sip is a Prayer.”

            For: Tea lovers, mindful coffee rituals, everyday devotion
            Design Vibe: Typewriter font with steam lines rising gently from a small cup icon

            Let your smallest act hold your deepest intention.


            🧘 6. “What You Seek is Already Listening.”

            For: Reading nooks, altar tables, spiritual study corners
            Design Vibe: Modern serif with a third-eye or Om icon near the base

            You’re not calling into emptiness. You’re in a dialogue with something sacred.


            🌿 Why These Matter

            Each quote is not just text — it’s an invitation.
            To pause. To listen. To come home to yourself.

            Crafted on 2–3 mm plywood, these round or square coasters are laser-engraved with intention — designed to last, fade-proof, and align with conscious living.


            🪵 Features

            • Material: Natural plywood (2–3mm)
            • Size: 90mm x 90mm standard
            • Shape Options: Round or square
            • Finish: Matte or lightly oiled woodgrain
            • Packaging: Minimal and eco-conscious

            💫 Make It Yours

            These aren’t mass-manufactured pieces. They’re small-batch spiritual art.

            Perfect for:

            • Gifts with meaning
            • Altar accents
            • Journaling rituals
            • Studio or yoga room energy

            We also offer custom mantra engraving for your home or studio.


            🤍 Designed by MDW – Multi Dimensional Work

            We create products that speak softly, yet leave an imprint.
            This collection is for those who seek depth, stillness, and mindful beauty in everyday life.

            Because even your coaster should hold space for grace.


            📩 To order your set or collaborate with us, just drop us a message here mdw@doableyo.com
            Let’s bring design, soul, and surface together — one sip at a time.

            ✨ Sip, Smile, Repeat: 6 Never-Seen-Before Coaster Designs That Speak to the Soul

            Real product varies in the shades or texture based on wood material available in the stock as of their own nature patterns. Font availability to its subject or not.

            Designed by MDW – Multi Dimensional Work

            At MDW – Multi Dimensional Work, we believe even the smallest things can leave a lasting impression. And what better canvas than a coaster — humble, quiet, yet often the first thing someone sees as they sit down to sip, think, or talk?

            We proudly present 6 never-seen-before coaster concepts — created not just to catch the eye, but to connect, comfort, and charm.

            ☕ 1. Unspoken Sips, Understood Souls.

            Tone: Deep, poetic, reflective
            Audience: First dates, solo thinkers, those who feel deeply
            Design Highlights:

            • Light serif or typewriter font
            • Ripple lines etched softly around the edges, mimicking the quiet expansion of thought — or maybe just coffee.

            For those who don’t need to speak to be understood. Just a sip and a glance.


            ❤️ 2. No Sugar Needed When You’re Around.

            Tone: Romantic, flirty, light-hearted
            Audience: Couples, lovebirds, and cafés that smell like dates
            Design Highlights:

            • Rounded lowercase sans-serif font
            • A soft coffee steam rising, curling into a heart — laser-engraved above the text.

            Sweetness isn’t a matter of taste — it’s who you’re with.


            🧘 3. You Are My Favorite Pause.

            Tone: Mindful, serene, comforting
            Audience: Self-care lovers, wellness cafés, slow mornings
            Design Highlights:

            • Modern serif or graceful script font
            • A subtle pause icon (“||”) near the bottom right corner — like a gentle reminder to breathe.

            It’s not just a break, it’s a moment that matters.


            📶 4. Loved More Than Wi-Fi.

            Tone: Fun, bold, modern
            Audience: Millennials, Gen Z, digital cafés
            Design Highlights:

            • Bold sans-serif font
            • Wi-Fi icon with the last signal bar shaped like a heart.

            Connection matters — but not the kind you’re thinking of.


            ☕ 5. Brewed Thoughts. Served Quiet.

            Tone: Minimal, thoughtful, introverted
            Audience: Solo visitors, remote workers, thinkers
            Design Highlights:

            • Monospace font in all caps
            • Dot-dash pattern gently circling the rim — like soundwaves retreating.

            For those who talk best in silence, and think best with coffee.


            🪑☕ 6. Table Talks, Soul Sips.

            Tone: Warm, communal, inviting
            Audience: Community cafés, coworking spaces, friendships
            Design Highlights:

            • Modern serif font
            • A conversation bubble blended into a steaming coffee cup

            Because the best ideas — and the deepest connections — start over shared sips.


            🪄 The MDW Touch

            Each coaster is crafted with care using premium 2-3mm plywood, and laser-engraved with clean lines and curated typography.
            This is functional art for café owners who want their tables to whisper, inspire, flirt, and smile.

            Minimal yet expressive. Unique yet universal.


            🚀 Want These For Your Café?

            We’re offering exclusive limited-batch designs for cafés looking to elevate ambiance and spark emotion. Custom branding available on request.

            💬 Email us (mdw@doableyo.com) to order, or collaborate on custom coaster designs that carry your story.

            🪵 Designed with soul by MDW – Multi Dimensional Work

            ✅ Is Kung Fu Real in China?

            Is Kung Fu a Real Thing in China? Here’s What You Need to Know

            Kung Fu (功夫) is often seen in movies and pop culture as flashy fighting moves, but is it really a thing in China? The answer is a big YES. Kung Fu is not only real but also a deeply important part of Chinese culture, history, and physical training.

            What Is Kung Fu Really?

            The term “Kung Fu” means more than just martial arts — it refers to any skill achieved through hard work and practice, whether it’s martial arts, cooking, or calligraphy. However, in the West, “Kung Fu” usually means Chinese martial arts.

            Kung Fu’s Role in China Today

            • Traditional Kung Fu styles like Shaolin, Wing Chun, Tai Chi, and Wudang are still widely practiced in schools, temples, and competitions.
            • The famous Shaolin Temple in Henan Province is a historic center where thousands of students train every year.
            • China promotes Wushu as a modern, sport-like version of Kung Fu, featured in national and international competitions.

            Popular Kung Fu Styles

            Style Origin Key Traits
            Shaolin Henan, Shaolin Temple Fast, powerful, Buddhist roots
            Wudang Wudang Mountains Smooth, internal energy (Qi), Taoist philosophy
            Wing Chun Southern China Close combat, used by Bruce Lee
            Tai Chi Nationally spread Slow, flowing, health and balance focused

            Why Some People Doubt Kung Fu

            Some skepticism comes from fake masters online or those who believe martial arts must be purely combat sports. Real Kung Fu, however, is a combination of physical skill, strategy, and spiritual practice, proven through centuries of tradition.

            Final Thoughts

            Kung Fu is much more than movie stunts — it is a real martial art with rich history and ongoing practice in China. It blends physical training, philosophy, and cultural identity in a way few other arts can