Alright, if you want to convert all Markdown files in one folder into HTML files in another folder, you’ve got a few solid options depending on your vibe: simple script, Node.js-based, or more full-stack static site generators. Let’s start simple and level up from there.


✅ Option 1: Python Script with markdown Library

🔧 Setup:

pip install markdown

📄 Script (convert_folder.py):

import os
import markdown

input_dir = "markdown"         # folder with .md files
output_dir = "html_output"     # folder to save .html files

os.makedirs(output_dir, exist_ok=True)

for filename in os.listdir(input_dir):
    if filename.endswith(".md"):
        input_path = os.path.join(input_dir, filename)
        output_filename = filename.replace(".md", ".html")
        output_path = os.path.join(output_dir, output_filename)

        with open(input_path, "r", encoding="utf-8") as f:
            text = f.read()
            html = markdown.markdown(text)

        with open(output_path, "w", encoding="utf-8") as f:
            f.write(html)

print("✅ Conversion complete.")

Run it with:

python convert_folder.py

⚡ Option 2: Use pandoc (CLI Power Tool)

If you want a one-liner in your terminal:

mkdir -p html_output
for file in markdown/*.md; do
  pandoc "$file" -f markdown -t html -s -o "html_output/$(basename "${file%.md}.html")"
done

Install pandoc if needed:

brew install pandoc  # macOS
sudo apt install pandoc  # Ubuntu

⚙️ Option 3: Static Site Generator (If You Wanna Get Fancy)

But if you’re just doing batch MD → HTML, the Python or Pandoc route is perfect.


Want the script to include a full HTML template or add frontmatter parsing? I can layer that in easy.