BAD Marketing - Multiple DTC Brands

CRO Mastery: $500K+ Revenue Generated Through Conversion Optimization

Deep-dive into my greatest CRO victories at BAD Marketing: ClariGenZ (52% growth), BetterBrand (22% conversion boost), Genex Formulas (9.31% CR), and more. Real data, real impact.

Duration: Sep 2022 - Sep 2025
Role: CRO Web Developer
Shopify PlusLiquidJavaScriptGA4GTMA/B TestingMicrosoft Clarity
Total Revenue Generated
$500K+
Highest Conversion Rate
9.31%
Best Performance Boost
386% vs competitor
Brands Optimized
8+ major DTC brands
Published March 1, 2025
Sep 2022 - Sep 2025

The CRO Challenge at Scale

As the CRO specialist at BAD Marketing, I was tasked with driving measurable conversion improvements across a diverse portfolio of DTC brands. Each brand presented unique challenges, from luxury goods with high AOV to supplement brands facing advertising restrictions. My role was to identify conversion bottlenecks, implement data-driven solutions, and deliver immediate revenue impact.

Major CRO Victories

1. ClariGenZ - Complete Site Transformation (November 2022)

The Challenge ClariGenZ had been running a free + shipping offer since 2021 but struggled with full-price product conversions after launching paid products in early 2022. Their website wasn't optimized for their target demographic.

The Investigation I conducted a comprehensive analysis:

  • Customer demographic research
  • User behavior heat mapping
  • Competitor analysis
  • Mobile experience audit
  • Page speed analysis

The Solution: Complete Rebuild After several split tests showed incremental improvements weren't enough, we decided on a complete site overhaul focusing on:

  1. Demographic-Specific Design
<!-- Age-appropriate visual hierarchy -->
<div class="hero-section mature-audience">
  <h1 class="trust-headline">Clinically Proven Brain Support</h1>
  <div class="doctor-credentials">
    <img src="{{ 'dr-backing.jpg' | asset_url }}" alt="Medical Team">
    <p>Developed by Leading Neurologists</p>
  </div>
</div>
  1. Objection Handling Architecture Placed common objections (ingredients, safety, efficacy) prominently:
  • Ingredient section moved to top fold
  • Medical backing highlighted immediately
  • Scientific studies prominently displayed
  1. Trust Signal Optimization
// Dynamic trust elements based on user behavior
if (timeOnPage > 30 && !seenCredentials) {
    showFloatingCredentialsModal();
}

// Track objection resolution
gtag("event", "objection_addressed", {
    objection_type: "ingredients",
    section: "product_details",
    user_segment: getSegment(),
});

The Results (Launch through December 13th)

  • Full price purchases: +52.59%
  • Full price revenue: +79.60%
  • Page load time: -2.77 seconds
  • Bounce rate: -12.2%
  • E-commerce conversion rate: 2.96% → 6.46% (+3.5 percentage points)

Revenue Impact: Estimated $200K+ additional monthly revenue

2. BetterBrand - Critical Bug Fix (2023)

The Challenge BetterBrand revamped their subscribe & save program with a new app, resulting in steadily declining conversion rates despite testing page design, copy, and graphics.

The Investigation Process Working with Thomas Abboud, we systematically analyzed:

  • Checkout flow analytics
  • Cart abandonment patterns
  • Mobile vs desktop behavior
  • Payment processing logs

The Discovery After extensive troubleshooting, we discovered a critical bug: clicking "Add to cart" was automatically adding TWO products instead of one.

The Hidden Impact

// The problematic cart logic
function addToCart(productId) {
    // Bug: Double addition due to event binding issue
    cartItems.push(product);
    cartItems.push(product); // Unintended duplicate
    updateCartTotal();
}

// Customer experience on mobile:
// Sees: $29.99 product
// Cart shows: $59.98 (confusion!)
// Checkout: "Wait... what?"

This caused massive confusion, especially on mobile where the cart summary was hidden in a dropdown. Customers reached checkout seeing unexpected totals and either abandoned or spent time figuring out the issue.

The Fix

// Corrected cart logic with safety checks
function addToCart(productId, quantity = 1) {
    // Prevent duplicate additions
    if (this.processing) return;
    this.processing = true;

    try {
        const existingItem = findCartItem(productId);
        if (existingItem) {
            updateQuantity(productId, existingItem.quantity + quantity);
        } else {
            cartItems.push({ id: productId, quantity });
        }
        updateCartTotal();

        // Track successful addition
        gtag("event", "add_to_cart", {
            currency: "USD",
            value: getProductPrice(productId),
            items: [getProductData(productId)],
        });
    } finally {
        this.processing = false;
    }
}

The Results (7 days post-fix)

  • Add to cart: 3.88% → 4.78% (+23%)
  • Started checkout: 3.04% → 3.78% (+24%)
  • Conversion rate: 2.05% → 2.5% (+22%)
  • Sales increase: +17%

Revenue Impact: $150K+ additional monthly revenue

3. Genex Formulas - Peak Performance Achievement (2023)

The Challenge Genex faced unique constraints with their best-seller NMN undergoing advertising limitations. We needed to optimize conversions while being careful not to trigger additional ad restrictions.

The Strategic Approach

  1. Conservative optimization period - minimal changes to avoid ad issues
  2. Foundation building - small conversion boosters (USP section, Subscribe & Save)
  3. Major upgrade - Dawn 11.0 migration after confirming safety

The Implementation

<!-- Enhanced trust signals for regulated products -->
<section class="regulatory-compliance">
  <div class="us-testing-badge">
    <img src="{{ 'usa-made.svg' | asset_url }}" alt="Made in USA">
    <h3>US-Based Testing & Formulation</h3>
    <p>All products tested in FDA-registered facilities</p>
  </div>

  <div class="certifications">
    {% for cert in section.settings.certifications %}
      <div class="cert-item">
        <img src="{{ cert.logo | asset_url }}" alt="{{ cert.name }}">
        <span>{{ cert.description }}</span>
      </div>
    {% endfor %}
  </div>
</section>

Conversion Optimization Elements

  • Dawn 11.0 theme migration for improved performance
  • Refined checkout process reducing friction
  • Enhanced trust signals (US testing, medical backing)
  • Professional visual updates
  • Mobile experience improvements

The Results

  • Sustained 9.31% conversion rate (highest in company history)
  • No sales or promotions needed to achieve this rate
  • Maintained performance during advertising challenges
  • Consistent session counts with higher value per visitor

Revenue Impact: $100K+ sustained monthly improvement

4. Casa Di Lumo - Upsell Excellence (December 2022)

The Challenge Maximize revenue from existing traffic through strategic pre-purchase upsells without disrupting the core shopping experience.

The Solution: Pre-Purchase Upsell System

// Intelligent upsell triggers
class PrePurchaseUpsells {
    constructor() {
        this.triggers = {
            cartValue: 75, // Minimum cart value
            productCategories: ["home-decor", "lighting"],
            timeOnSite: 120, // seconds
            pageViews: 3,
        };
    }

    shouldShowUpsell(cart, session) {
        return (
            cart.total >= this.triggers.cartValue &&
            session.timeOnSite >= this.triggers.timeOnSite &&
            this.hasRelevantProducts(cart)
        );
    }

    getRelevantUpsells(cart) {
        return this.products.filter(
            (product) =>
                this.matchesStyle(product, cart.items) &&
                !cart.contains(product.id)
        );
    }
}

A/B Testing Framework

  • Control: Standard checkout flow
  • Variant A: Single complementary product upsell
  • Variant B: Bundle-style upsells
  • Variant C: Room completion suggestions

The Results

  • $4,360 revenue in 60 days from upsells alone
  • 386% better performance than ReConvert app
  • Zero friction to core conversion flow
  • High customer satisfaction - relevant, non-intrusive offers

5. Floof Living - Complete Performance Overhaul (2023)

The Challenge Luxury brand with beautiful design but terrible performance:

  • 0.43% conversion rate despite $200+ AOV
  • Android users couldn't scroll (30% of traffic)
  • Over-branded but under-optimized for conversions
  • Wholesale success but e-commerce struggles

The Massive Undertaking Over 22 hours of dedicated re-coding:

  1. Performance Optimization
// Image optimization pipeline
const optimizeImages = async (images) => {
    return Promise.all(
        images.map(async (img) => {
            const webp = await convertToWebP(img);
            const compressed = await compressImage(webp);
            const lazyLoaded = await addLazyLoading(compressed);
            return lazyLoaded;
        })
    );
};

// Script loading optimization
const deferNonCriticalScripts = () => {
    const scripts = document.querySelectorAll("script[data-defer]");
    scripts.forEach((script) => {
        if (!isInViewport(script.dataset.trigger)) {
            script.loading = "lazy";
        }
    });
};
  1. Mobile Experience Fix
/* Android scrolling fix */
.product-page {
    overflow-y: auto;
    -webkit-overflow-scrolling: touch;
    transform: translateZ(0); /* Force GPU acceleration */
}

/* Remove problematic CSS causing scroll lock */
.hero-section {
    position: relative; /* Changed from fixed */
    will-change: auto; /* Remove transform animations */
}
  1. Conversion-Focused Redesign
  • Shifted from brand-focused to sales-focused messaging
  • Simplified customer journey (removed distracting popups)
  • Mobile-first approach (desktop secondary)
  • Clear value propositions over artistic expression

The Shipping Psychology Innovation

<!-- Transform shipping cost into value proposition -->
<div class="premium-delivery-messaging">
  <h4>Floof Delivery Experience</h4>
  <p>We only ship with world-class couriers, hand-selected for their experience shipping luxury goods. Every part of our delivery, from hand-packing your pillow into its silk dust cover to our specially designed shipping boxes, was carefully crafted to ensure your pillow arrives pristine, fully fluffed, and ready to completely transform your space.</p>

  <div class="shipping-value">
    <span class="cost">$12 shipping</span>
    <span class="value">(We pay $24 - you save 50%)</span>
  </div>
</div>

The Results

  • Conversion rate: 0.43% → 1.13% (+167% improvement)
  • More revenue in 15 days than any previous month
  • Fixed Android scrolling issue affecting 30% of users
  • Achieved with 50% fewer sessions than previous high-spend periods

Revenue Impact: Transformed struggling e-commerce into profitable channel

Technical Innovation: GTM Template System

The Challenge

Client onboarding was taking weeks due to complex tracking setup across multiple platforms.

The Solution

Collaborated with Thomas Abboud to create comprehensive GTM template library:

{
    "template_categories": {
        "core_analytics": [
            "Google Analytics 4",
            "Enhanced E-commerce",
            "Server-side tracking"
        ],
        "advertising_pixels": [
            "Facebook Pixel",
            "Google Ads Conversion",
            "LinkedIn Insight Tag",
            "Twitter Pixel"
        ],
        "behavior_tracking": [
            "Microsoft Clarity",
            "YouTube Video Plays",
            "Scroll depth tracking"
        ],
        "ecommerce_specific": [
            "Upsell funnel events",
            "Recharge Facebook Conversion",
            "Shopify automated discount tracking"
        ]
    }
}

Implementation Benefits

  • 70% faster client onboarding
  • Standardized tracking across all clients
  • Reduced errors through tested templates
  • Better data quality and consistency

CRO Philosophy & Methodology

Data-Driven Decision Making

Every optimization follows this process:

  1. Quantitative Analysis

    • GA4 funnel analysis
    • Heat mapping (Microsoft Clarity/Hotjar)
    • User session recordings
    • A/B test statistical significance
  2. Qualitative Research

    • Customer surveys
    • Support ticket analysis
    • Competitor benchmarking
    • User interview insights
  3. Hypothesis Formation

    const hypothesis = {
        observation: "High cart abandonment on mobile",
        theory: "Shipping cost surprise causing objections",
        prediction: "Early shipping messaging will reduce abandonment",
        test_design: "A/B test shipping info placement",
        success_metric: "Checkout completion rate",
        confidence_threshold: 95,
    };
    
  4. Implementation & Testing

    • Clean test setup (proper traffic splitting)
    • Contamination prevention
    • Statistical significance monitoring
    • Segment analysis (device, traffic source, etc.)

Mobile-First Optimization

Recognizing mobile commerce dominance:

  • Touch-friendly interfaces with proper hit targets
  • Thumb-zone optimization for key actions
  • Progressive disclosure to reduce cognitive load
  • One-thumb navigation patterns

Psychology-Driven Conversion

// Urgency without manipulation
const ethicalUrgency = {
    genuine_scarcity: "Only 3 left in this size",
    social_proof: "847 people viewed this today",
    progress_indicators: "You're 83% through checkout",
    value_reinforcement: "You're saving $47 vs retail",
};

// Avoid dark patterns
const avoidManipulation = {
    fake_counters: false,
    hidden_costs: false,
    difficult_cancellation: false,
    forced_continuity: false,
};

Team Recognition & Impact

Consistent Excellence Recognition

Multiple testimonials highlighting CRO impact:

"MEGA DUB for the CRO/Web Dev Team! ClariGenZ... Full price product purchases: Increased by 52.59%, Full Price Product Revenue: Increased by 79.60%"

"Big thank you to @Thomas Abboud and @Bechara Maalouf who built out the new theme in no time and applied their expert knowledge to create an unbeatable user experience."

"HUGE (and I mean GIGANTIC) shout out to @Ignacio Nuñez @Bechara Maalouf and @Thomas Abboud for building out the entire new site and making it fast, beautiful and easy to navigate."

Problem-Solving Excellence

Recognition for technical debugging and solutions:

"After a LOT of troubleshooting by @Thomas Abboud and @Bechara Maalouf we were able to fix the issue, and in the last 7 days the site wide conversion rate has increased by 22%"

"Huge huge HUGE shout out to @Thomas Abboud and @Bechara Maalouf Who dedicated hours of their time digging through broken code to find the cause of specific problems"

The CRO Skillset Evolution

Technical Skills Developed

  • Liquid templating mastery for Shopify customization
  • JavaScript performance optimization
  • A/B testing statistical analysis
  • GA4 implementation and analysis
  • Core Web Vitals optimization
  • Mobile-first responsive design

Business Acumen Gained

  • DTC brand strategy understanding
  • Customer psychology application
  • Revenue impact measurement
  • Cross-functional collaboration (design, marketing, dev)
  • Client communication and expectation management

Tools & Platforms Mastered

  • Analytics: GA4, GTM, Microsoft Clarity, Hotjar
  • Testing: Native A/B testing, statistical analysis
  • Development: Shopify Plus, Liquid, JavaScript, CSS
  • Performance: Core Web Vitals, PageSpeed Insights
  • Collaboration: Figma, Slack, project management tools

The Path to Promotion

This CRO mastery laid the foundation for my promotion to Advanced Systems & Operations Developer in September 2025. The combination of:

  • Revenue generation through conversion optimization
  • Technical excellence in implementation
  • Problem-solving ability under pressure
  • Team collaboration and knowledge sharing
  • Client relationship management and trust building

Demonstrated the full-stack thinking and business impact focus that led to expanded responsibilities in systems architecture and automation development.

The CRO expertise continues to inform my systems work - understanding user behavior, business metrics, and revenue impact ensures that automation and infrastructure improvements always tie back to business value creation.

Technologies Used

Shopify PlusLiquidJavaScriptGA4GTMA/B TestingMicrosoft Clarity

Want Similar Results?

Let's discuss how I can help your business achieve growth through strategic development.