Build Your First AI Project This Weekend
Stop consuming tutorials. Start creating. Get the free step-by-step guide.
WordPress is a liability.
Plugin vulnerabilities. Slow load times. Monthly maintenance. And that sinking feeling when your site goes down during a campaign launch.
Hugo flips the script. Static HTML files. Millisecond builds. Zero database attacks because there’s no database to attack. Hosting costs measured in cents instead of dollars.
AI changes everything about how fast you can build with Hugo. Claude Code or Codex can scaffold entire sites, customize themes, and generate content structures in hours instead of weeks.
This guide covers:
- Why Hugo beats WordPress for marketing sites (with real numbers)
- How to set up Hugo from scratch
- How to use AI agents to build and customize sites fast
- The exact workflow I use to ship production sites in a day
Quick Navigation
| Section | What You’ll Learn |
|---|---|
| What Is Hugo | The basics and why it matters |
| Hugo vs WordPress | Speed, security, cost comparison |
| Getting Started | Installation and first site |
| Hugo Structure | Files, folders, and how it works |
| AI-Powered Development | Using Claude Code and Codex |
| Deployment | Where and how to host |
| Common Tasks | Copy-paste workflows |
What Is Hugo
Hugo is an open-source static site generator written in Go.
In plain English: Hugo takes your content (Markdown files) and templates, then generates a complete HTML website. No database. No server-side code. Just fast, static files.
Why “static” matters:
| Dynamic Site (WordPress) | Static Site (Hugo) |
|---|---|
| Server builds each page on request | Pages pre-built, served instantly |
| Needs PHP + MySQL database | Just HTML/CSS/JS files |
| Vulnerable to attacks | Almost nothing to hack |
| Slow without heavy caching | Fast by default |
| $20-100+/month hosting | $0-20/month hosting |
The speed difference is real.
A typical WordPress site loads in 2-4 seconds. A Hugo site loads in under 1 second, often under 500ms.
That matters for:
- SEO: Google uses page speed as a ranking factor
- Conversions: Every second of load time costs you ~7% in conversions
- Ad costs: Faster landing pages = better Quality Scores = lower CPCs
Hugo vs WordPress: The Real Comparison
Let me be direct about when to use each.
Use Hugo When:
- You want maximum speed for landing pages and content sites
- You care about security (no database to hack, no plugins to exploit)
- You want cheap/free hosting (Netlify, Cloudflare Pages, GitHub Pages)
- You’re comfortable with code or using AI to write code
- You don’t need user accounts, comments, or real-time features
Use WordPress When:
- You need e-commerce with complex inventory
- You need user accounts and membership features
- Your team can’t handle any technical work (even with AI)
- You need specific WordPress plugins with no alternatives
My take: For marketing sites, landing pages, and content/SEO sites, Hugo wins every time. This entire site runs on Hugo, and the performance difference is noticeable.
The Numbers
| Metric | WordPress (typical) | Hugo |
|---|---|---|
| Build time | N/A (dynamic) | 50ms - 5 seconds |
| Page load | 2-4 seconds | 0.3-1 second |
| Hosting cost | $20-100+/month | $0-20/month |
| Security patches | Monthly | Rarely needed |
| Uptime | 99-99.9% | 99.99%+ (CDN) |
| Hack risk | High | Nearly zero |
Getting Started With Hugo
Step 1: Install Hugo
Mac (with Homebrew):
brew install hugo
Windows (with Chocolatey):
choco install hugo-extended
Linux (Ubuntu/Debian):
sudo apt install hugo
Verify installation:
hugo version
You should see something like hugo v0.140.0+extended.
Note: Install the extended version. You need it for SCSS/SASS support that most themes use.
Step 2: Create Your First Site
hugo new site my-marketing-site
cd my-marketing-site
This creates:
my-marketing-site/
├── archetypes/ # Content templates
├── assets/ # Files processed by Hugo Pipes
├── content/ # Your actual content (Markdown)
├── data/ # Data files (JSON, YAML, TOML)
├── i18n/ # Translation files
├── layouts/ # HTML templates
├── static/ # Files copied as-is (images, CSS, JS)
├── themes/ # Downloaded themes
└── hugo.toml # Site configuration
Step 3: Add a Theme
You can build from scratch, but themes speed things up.
Option A: Clone a theme
git init
git submodule add https://github.com/theNewDynamic/gohugo-theme-ananke.git themes/ananke
echo "theme = 'ananke'" >> hugo.toml
Option B: Use a theme as a starting point, then customize
This is what I recommend. Find a theme close to what you want, then modify it.
Popular themes for marketing sites:
- Ananke - Simple, clean, good starting point
- PaperMod - Fast, SEO-focused blog theme
- Hugo-Fresh - Landing page / SaaS style
- Doks - Documentation sites
Browse more at themes.gohugo.io
Step 4: Create Content
hugo new content posts/my-first-post.md
This creates a Markdown file with frontmatter:
---
title: "My First Post"
date: 2026-01-24T10:00:00-05:00
draft: true
---
Your content here...
Step 5: Run the Dev Server
hugo server -D
The -D flag includes draft content. Visit http://localhost:1313 to see your site.
The magic: Hugo rebuilds instantly when you save changes. No waiting.
Understanding Hugo Structure
Before you start customizing, understand how Hugo thinks.
Content Organization
Hugo uses sections based on folder structure:
content/
├── _index.md # Homepage content
├── about/
│ └── index.md # /about/ page
├── blog/
│ ├── _index.md # Blog listing page
│ ├── post-1/
│ │ └── index.md # /blog/post-1/
│ └── post-2/
│ └── index.md # /blog/post-2/
└── services/
├── _index.md # Services listing
├── seo/
│ └── index.md # /services/seo/
└── ppc/
└── index.md # /services/ppc/
Key concepts:
_index.md= Section listing pages (like a blog index)index.md(without underscore) = Single content pages- Folders create URL structure automatically
Frontmatter
Every content file starts with frontmatter, metadata about the page:
---
title: "Complete Guide to PPC"
description: "Learn pay-per-click advertising from scratch"
date: 2026-01-24
draft: false
tags: ["ppc", "advertising", "guide"]
categories: ["Marketing"]
author: "Your Name"
---
Common frontmatter fields:
title- Page title (also used in<title>tag)description- Meta description for SEOdate- Publication datedraft- Set totrueto hide from productionslug- Custom URL (overrides folder name)weight- Sort order (lower = first)aliases- Old URLs that redirect here
Templates and Layouts
Hugo uses a lookup order to find templates:
layouts/in your site root (your customizations)themes/[theme-name]/layouts/(theme defaults)
Template types:
baseof.html- The master template (wraps everything)list.html- Section pages (blog index, category pages)single.html- Individual content pagespartials/- Reusable components (header, footer, etc.)
Example: To customize blog posts, create layouts/blog/single.html
Hugo Templating Basics
Hugo uses Go templates. Here’s what you’ll see:
<!-- Variables -->
{{ .Title }}
{{ .Content }}
{{ .Date }}
<!-- Conditionals -->
{{ if .Params.featured }}
<span class="featured">Featured</span>
{{ end }}
<!-- Loops -->
{{ range .Pages }}
<h2>{{ .Title }}</h2>
{{ end }}
<!-- Partials -->
{{ partial "header.html" . }}
Don’t worry if this looks foreign. AI handles it easily.
AI-Powered Hugo Development
This is where Hugo becomes a superpower.
Traditional web development: weeks of coding, debugging, tweaking.
Hugo + AI: describe what you want, get working code, iterate fast.
Why Hugo + AI Works So Well
- Hugo is well-documented. AI models trained on extensive Hugo docs.
- Go templates are consistent. Predictable syntax, fewer edge cases.
- Static files are simple. No runtime errors, just HTML/CSS/JS.
- Fast iteration. Hugo rebuilds in milliseconds, so you test changes instantly.
Using Claude Code
Claude Code is Anthropic’s CLI tool that lets Claude work directly in your codebase.
Setup:
npm install -g @anthropic-ai/claude-code
Usage:
cd my-hugo-site
claude
Then describe what you want:
Create a landing page template for my Hugo site. Include:
- Hero section with headline, subheadline, and CTA button
- Features section with 3 columns of icons and text
- Testimonials slider
- Pricing table with 3 tiers
- Footer with links and newsletter signup
Use Tailwind CSS for styling. Make it mobile-responsive.
Claude Code will:
- Read your existing Hugo structure
- Create the necessary template files
- Add required CSS/JS
- Update your config if needed
The workflow:
- Start with a theme or blank site
- Describe what you want in plain English
- Let Claude Code generate the files
- Preview with
hugo server - Iterate: “Make the hero taller” or “Change the button color to green”
Using OpenAI Codex
Codex works similarly through ChatGPT or the API.
In ChatGPT:
- Upload your Hugo project structure (or describe it)
- Ask for specific components:
I'm building a Hugo marketing site. Create a partial template
for a "social proof" section that shows:
- Customer logos in a row
- A counter showing "10,000+ customers served"
- 3 testimonial cards with photo, quote, name, and company
Use CSS Grid and include the CSS. Match this color scheme:
primary #2563eb, secondary #1e40af, text #1f2937.
- Copy the generated code into your project
- Test and iterate
AI Prompts for Hugo Development
Here are copy-paste prompts for common tasks:
Create a new page template:
Create a Hugo template for a [services/pricing/about] page.
Include these sections: [list sections]
Use [Tailwind/Bootstrap/custom CSS].
Make it mobile-responsive.
Match this design style: [describe or link reference]
Customize an existing theme:
I'm using the [theme name] Hugo theme. I want to modify:
1. [specific change]
2. [specific change]
Here's my current layouts/[file] structure:
[paste relevant template code]
Show me what to change and where.
Build a component:
Create a Hugo partial for a [component type].
Requirements:
- [requirement 1]
- [requirement 2]
- [requirement 3]
It should accept these parameters:
- title (string)
- items (array)
- cta_text (string)
- cta_link (string)
Include the CSS.
Fix a bug:
My Hugo site has this issue: [describe problem]
Here's my template code:
[paste code]
Here's my content file:
[paste frontmatter and content]
Here's the error message (if any):
[paste error]
What's wrong and how do I fix it?
Real Example: Building a Landing Page
Let me show you the exact workflow.
Step 1: Initial prompt to Claude Code
Create a high-converting landing page template for my Hugo site.
Page structure:
1. Navigation bar with logo and "Get Started" CTA
2. Hero section: headline, subheadline, email capture form, hero image
3. Problem section: 3 pain points with icons
4. Solution section: how our product solves each pain point
5. Features: 6 features in a 2x3 grid with icons
6. Social proof: customer logos + testimonial
7. CTA section: final call-to-action with button
8. Footer: links, copyright
Design requirements:
- Dark theme with electric blue accents (#3b82f6)
- Modern, clean typography
- Subtle animations on scroll
- Mobile-first responsive
Create all necessary files: layout template, CSS, and JS if needed.
Step 2: Review and iterate
Claude Code creates the files. Preview with hugo server.
Then iterate:
- “Make the hero section full-height on desktop”
- “Add more whitespace between sections”
- “The mobile menu isn’t working, fix it”
- “Change the testimonial to a carousel with 3 testimonials”
Step 3: Add content
Create content/landing/my-product.md:
---
title: "My Product - Landing Page"
layout: "landing"
hero:
headline: "Stop Wasting Money on Ads That Don't Convert"
subheadline: "Our platform shows you exactly which campaigns are profitable"
cta_text: "Start Free Trial"
pain_points:
- icon: "chart-down"
title: "Wasted Ad Spend"
description: "You're spending thousands but can't track what's working"
# ... more content
---
Time to ship: A few hours instead of weeks.
Deploying Your Hugo Site
Hugo sites can deploy anywhere that serves static files. Here are the best options.
Option 1: Netlify (Recommended for Beginners)
Pros:
- Free tier is generous
- Automatic builds from Git
- Free SSL
- Form handling included
Setup:
- Push your Hugo site to GitHub/GitLab/Bitbucket
- Connect Netlify to your repo
- Set build command:
hugo - Set publish directory:
public - Deploy
Cost: Free for most sites. Paid plans start at $19/month for teams.
Option 2: Cloudflare Pages
Pros:
- Fastest CDN in the world
- Unlimited bandwidth on free tier
- Automatic builds from Git
Setup:
- Connect Cloudflare Pages to your Git repo
- Set build command:
hugo - Set output directory:
public - Set environment variable:
HUGO_VERSION=0.140.0
Cost: Free for most sites.
Option 3: GitHub Pages
Pros:
- Completely free
- Simple setup
Cons:
- Slower than Netlify/Cloudflare
- No form handling
Setup:
- Create a GitHub Action to build and deploy
- Use the
peaceiris/actions-hugoaction
Option 4: AWS S3 + CloudFront
Pros:
- Maximum control
- Scales infinitely
Cons:
- More complex setup
- Pay-as-you-go pricing
When to use: Large sites with specific requirements.
My Recommendation
Start with Cloudflare Pages or Netlify. Both are free, fast, and easy.
For serious production sites, Cloudflare Pages has the edge on speed.
Common Hugo Tasks With AI
Here are workflows for tasks you’ll do repeatedly.
Adding a New Page Type
Prompt:
I need a new page type in Hugo called "case-study" with these fields:
- client_name (string)
- industry (string)
- challenge (markdown)
- solution (markdown)
- results (array of metrics with label and value)
- testimonial (object with quote, author, title)
- featured_image (string)
Create:
1. An archetype template for easy content creation
2. A single.html layout for displaying case studies
3. A list.html layout for the case studies index
4. Example CSS
Show me how to use it.
Building a Contact Form
Prompt:
Add a contact form to my Hugo site that works with Netlify Forms.
Include fields:
- Name (required)
- Email (required)
- Company (optional)
- Message (required, textarea)
Add:
- Client-side validation
- Success/error messages
- Honeypot spam protection
- Styling that matches [describe your site style]
Creating a Blog With Categories and Tags
Prompt:
Set up a full blog system in Hugo with:
- Blog post template with featured image, author, date, reading time
- Category pages that list all posts in each category
- Tag pages with tag cloud
- Related posts section at the bottom of each post
- Pagination (10 posts per page)
- RSS feed
Include the necessary templates and config changes.
Adding Analytics and Tracking
Prompt:
Add the following tracking to my Hugo site:
1. Google Analytics 4 (with consent mode)
2. Meta Pixel (with Events API postback)
3. Microsoft Clarity for heatmaps
Create a partial that:
- Loads scripts asynchronously
- Respects user consent preferences
- Fires standard events (page_view, scroll, click)
Include instructions for adding the tracking IDs.
SEO Optimization
Prompt:
Optimize my Hugo site for SEO:
1. Create a comprehensive <head> partial with:
- Dynamic title tags with site name
- Meta descriptions from frontmatter
- Open Graph tags for social sharing
- Twitter Card tags
- Canonical URLs
- JSON-LD structured data for articles
2. Create an XML sitemap
3. Add robots.txt
4. Create a breadcrumb partial
Show me how to use frontmatter to control each page's SEO settings.
Hugo Tips and Best Practices
Performance
- Use Hugo Pipes for asset processing (CSS, JS minification)
- Lazy load images below the fold
- Use WebP format with fallbacks
- Minimize HTTP requests. Inline critical CSS.
Organization
- Use page bundles (folders with index.md) for content with images
- Create archetypes for content types you create often
- Use data files for structured content (team members, pricing, etc.)
- Keep partials small and focused on one thing
Content Workflow
- Write in Markdown. It’s faster than WYSIWYG.
- Use shortcodes for complex components
- Draft mode for work-in-progress content
- Future dates for scheduled publishing
Version Control
- Git everything except the
public/folder - Use branches for major changes
- Commit often with descriptive messages
Hugo + AI Is Unbeatable
Hugo is the best choice for marketing sites in 2026.
The combination of Hugo + AI is unbeatable:
- Hugo provides the speed, security, and simplicity
- AI (Claude Code, Codex) handles the technical complexity
- You focus on content and conversion optimization
What used to take weeks now takes hours.
You don’t need to be a developer. You need to know what you want and how to describe it.
Start here:
- Install Hugo
- Pick a theme close to what you want
- Use Claude Code to customize it
- Deploy to Cloudflare Pages or Netlify
- Start creating content
The site you’re reading right now? Built exactly this way.
Related Resources
- AI Tools for Media Buyers - Complete AI workflow guide
- Landing Pages Guide - What to put on your Hugo pages
- Marketing Analytics Tools - Tracking for your Hugo site
- Campaign Optimization - What to do with your data
Have questions about Hugo or AI-powered development?