Features

SharePoint Site Design & Branding: Look Book, Themes,...

Brand your SharePoint environment professionally. Covers SharePoint Look Book, custom themes, site designs, site scripts, header/footer customization, and Fluent Design principles for enterprise intranets.

Errin O'ConnorFebruary 24, 20269 min read
SharePoint Site Design & Branding: Look Book, Themes,... - Features guide by SharePoint Support
SharePoint Site Design & Branding: Look Book, Themes,... - Expert Features guidance from SharePoint Support

Why SharePoint Branding Matters

A branded SharePoint environment drives adoption. When the intranet looks like it belongs to your organization — using your colors, fonts, and visual identity — employees trust it more, use it more, and identify with it as "their" company platform rather than generic Microsoft software.

SharePoint architecture diagram showing hub sites, team sites, and content structure
Enterprise SharePoint architecture with hub sites and connected team sites

Modern SharePoint Online offers significant branding capabilities without requiring custom development, including custom themes, site designs, header customization, and the SharePoint Look Book for design inspiration.

The SharePoint Look Book

The SharePoint Look Book (lookbook.microsoft.com) is Microsoft's official gallery of pre-built SharePoint site templates demonstrating modern design patterns across:

  • Corporate intranets
  • Team sites
  • Project sites
  • Department portals
  • Event sites
  • Community sites

Look Book templates are provisioned directly to your tenant — they're not just screenshots. Access via the SharePoint admin portal: Admin Center → Active Sites → Create → Browse templates.

Top Look Book Templates for Enterprise Use

Leadership Connection — Executive communications site with CEO spotlight, leadership blog, and video messaging. Excellent starting point for executive intranet section.

Crisis Communications — Purpose-built for emergency communications with alert banners, FAQs, and resource links. Useful as a permanent template for IT outages, policy emergencies, or business continuity events.

Department Site — Clean departmental template with news, quick links, documents, and people directory. Use as the starting point for all department sites to ensure visual consistency.

Learning Central — Training and development portal with course catalogs, featured learning paths, and onboarding resources.

New Employee Onboarding — 30-60-90 day onboarding experience with task checklists, introductory videos, and new hire resources.

Custom Themes with SharePoint Theme Generator

SharePoint themes control the primary color scheme across site headers, navigation, buttons, and link colors.

Creating a Custom Theme

Use the SharePoint Theme Generator (spthemes.z22.web.core.windows.net) to generate a theme JSON from your brand colors:

  • Enter your primary brand color (e.g., #0033A0 for navy blue)
  • The generator creates a full Fluent Design color palette (primary, dark alt, dark, dark shade, neutrals, white)
  • Export the theme JSON

```json

{

"themePrimary": "#0033a0",

"themeLighterAlt": "#f3f6fc",

"themeLighter": "#d0daf3",

"themeLight": "#aabae8",

"themeTertiary": "#597cd1",

"themeSecondary": "#1a4bbb",

"themeDarkAlt": "#002e92",

"themeDark": "#00277b",

"themeDarker": "#001d5b",

"neutralLighterAlt": "#f8f8f8",

"neutralLighter": "#f4f4f4",

"neutralLight": "#eaeaea",

"neutralQuaternaryAlt": "#dadada",

"neutralQuaternary": "#d0d0d0",

"neutralTertiaryAlt": "#c8c8c8",

"neutralTertiary": "#a6a6a6",

"neutralSecondary": "#666666",

"neutralPrimaryAlt": "#3c3c3c",

"neutralPrimary": "#333333",

"neutralDark": "#212121",

"black": "#1c1c1c",

"white": "#ffffff"

}

```

Applying Custom Themes via PowerShell

```powershell

# Add custom theme to tenant theme gallery

Connect-PnPOnline -Url "https://contoso-admin.sharepoint.com" -Interactive

$themeJson = Get-Content "C:BrandingContosoTheme.json" | ConvertFrom-Json

$themePalette = @{

"themePrimary" = $themeJson.themePrimary

"themeLighterAlt" = $themeJson.themeLighterAlt

# ... (all palette entries)

}

Add-PnPTenantTheme -Identity "Contoso Brand Theme" `

-Palette $themePalette `

-IsInverted $false

# Apply theme to a specific site

Connect-PnPOnline -Url "https://contoso.sharepoint.com/sites/Intranet" -Interactive

Set-PnPWebTheme -Theme "Contoso Brand Theme"

```

Applying Theme to All Sites via PnP PowerShell

```powershell

# Apply brand theme to all communication sites

Connect-PnPOnline -Url "https://contoso-admin.sharepoint.com" -Interactive

$sites = Get-PnPTenantSite | Where-Object { $_.Template -like "*SITEPAGEPUBLISHING*" }

foreach ($site in $sites) {

Connect-PnPOnline -Url $site.Url -Interactive

Set-PnPWebTheme -Theme "Contoso Brand Theme"

Write-Output "Applied theme to: $($site.Url)"

}

```

Site Designs and Site Scripts

Site designs automate site configuration when a new site is created. They apply site scripts — JSON-based instructions that configure navigation, content types, columns, themes, and more.

What Site Scripts Can Configure

  • Apply a custom theme
  • Set the site logo
  • Create lists and libraries with predefined columns
  • Apply content types
  • Set regional settings (timezone, locale)
  • Add navigation links
  • Apply a Fluent UI header/footer
  • Install SPFx solutions
  • Grant permissions to groups
  • Send a welcome email

Example Site Script for Department Sites

```json

{

"$schema": "schema.json",

"actions": [

{

"verb": "applyTheme",

"themeName": "Contoso Brand Theme"

},

{

"verb": "setSiteLogo",

"url": "/sites/BrandingHub/SiteAssets/dept-logo.png"

},

{

"verb": "createSPList",

"listName": "Department Announcements",

"templateType": 104,

"subactions": [

{

"verb": "addSPField",

"fieldType": "Text",

"displayName": "Priority",

"isRequired": true

}

]

},

{

"verb": "addNavLink",

"url": "/sites/HR",

"displayName": "HR Portal",

"isWebRelative": false

},

{

"verb": "addNavLink",

"url": "/sites/IT",

"displayName": "IT Helpdesk",

"isWebRelative": false

}

],

"bindings": [],

"version": 1

}

```

Deploying Site Designs

```powershell

# Add site script

$scriptJson = Get-Content "C:SiteDesignsDepartmentSiteScript.json" -Raw

Add-PnPSiteScript -Title "Department Site Script" `

-Content $scriptJson `

-Description "Standard configuration for all department sites"

# Create site design using the script

$script = Get-PnPSiteScript -Identity "Department Site Script"

Add-PnPSiteDesign -Title "Contoso Department Site" `

-SiteScriptIds @($script.Id) `

-WebTemplate "64" ` # 64 = Team site, 68 = Communication site

-Description "Standard department site with Contoso branding" `

-PreviewImageUrl "https://contoso.sharepoint.com/SiteAssets/dept-preview.png"

```

Site Header Options

SharePoint Communication Sites offer header layout options:

  • Minimal: Small header, clean look
  • Compact: Logo + navigation on same row (recommended for most intranets)
  • Standard: Traditional SharePoint header (logo above navigation)
  • Extended: Full-height hero image header (not recommended for functional intranet)

Configure via Site Settings → Change the look → Header

Custom Organization Logo

Upload your organization logo (PNG, 200x200px recommended, transparent background) to the site's Site Assets library, then apply:

```powershell

# Set custom site logo

Connect-PnPOnline -Url "https://contoso.sharepoint.com/sites/Intranet" -Interactive

Set-PnPWeb -SiteLogoUrl "/sites/Intranet/SiteAssets/company-logo.png"

```

SharePoint Framework (SPFx) Header/Footer

For advanced header/footer customization (custom nav, mega menus, external app links), use SharePoint Framework Extensions:

  • Application Customizer: Adds header/footer HTML to every page in the site collection
  • Use this for: persistent navigation bars, accessibility toolbars, GDPR cookie notices, company-wide alerts

OOTB SharePoint doesn't support truly custom HTML headers/footers without SPFx. For most enterprise clients without SPFx development capacity, the built-in header options plus a Hero or Text web part at the top of key pages suffice.

Custom Web Fonts

SharePoint uses Fluent UI typography by default (Segoe UI, Segoe UI Light). You cannot change site fonts without SPFx customizations.

Option 1 (No-code): Stick with Segoe UI — it's clean, professional, and fast-loading. Customize character sizes and colors via Fluent theme.

Option 2 (SPFx): Inject custom CSS via Application Customizer extension:

```javascript

// SPFx Application Customizer - custom font injection

import { override } from '@microsoft/decorators'

import { BaseApplicationCustomizer } from '@microsoft/sp-application-base'

export default class FontCustomizerApplicationCustomizer

extends BaseApplicationCustomizer<{}> {

@override

public onInit(): Promise {

const style = document.createElement('style')

style.innerHTML = `

@import url('https://fonts.googleapis.com/css2?family=Inter:wght@400;600;700&display=swap');

.ms-siteHeader, .ms-compositeHeader, [class*="pageTitle"], h1, h2, h3 {

font-family: 'Inter', 'Segoe UI', sans-serif !important;

}

`

document.head.appendChild(style)

return Promise.resolve()

}

}

```

Color Accessibility (WCAG 2.1)

All branding must meet WCAG 2.1 AA color contrast requirements for accessibility compliance (required for government, healthcare, and most enterprise environments):

  • Normal text: 4.5:1 contrast ratio minimum
  • Large text (18pt+): 3:1 contrast ratio minimum
  • UI components and icons: 3:1 contrast ratio minimum

Test your brand colors at: webaim.org/resources/contrastchecker

Common issue: White text on brand-colored buttons. If your primary brand color is a medium blue (#4472C4), white text passes. If it's a light yellow (#FFD700), white text fails — use dark text instead.

Branding Governance

Maintaining visual consistency across a large SharePoint environment requires governance:

Branding Governance Checklist

  • [ ] Custom theme applied to all sites via PnP script
  • [ ] Organization logo uploaded to all sites (not default SharePoint logo)
  • [ ] Site naming convention enforced (prevents "My Team Site" with no context)
  • [ ] Header layout standardized (compact recommended)
  • [ ] Background images: only approved images from brand asset library
  • [ ] News posts: hero image required (no image = fallback brand-colored image, not missing)
  • [ ] Colors: only theme colors used in text and section backgrounds (no manual hex codes)
  • [ ] Icon style: Fluent UI icons only (no emojis, no third-party icon sets in production)

Branding Asset Library

Create a dedicated SharePoint site collection as your Brand Hub:

```

Brand Hub (Communication Site)

├── Site Assets

│ ├── Logos (PNG, SVG, various sizes)

│ ├── Icons (approved icon set SVGs)

│ ├── Photography (approved brand images)

│ └── Templates (site design preview images)

├── Brand Guidelines (PDF)

├── SharePoint Branding Guide (SharePoint page)

└── Theme Files (JSON export of all approved themes)

```

Share the Brand Hub URL with all site owners and reference it in your SharePoint governance documentation.

Conclusion

Professional SharePoint branding is achievable without custom development for the vast majority of enterprise requirements. Use the SharePoint Look Book for design inspiration, the Theme Generator for color palette creation, and Site Designs for automated provisioning. For advanced customization, SPFx Application Customizers provide full control.

EPC Group handles complete SharePoint branding and design engagements — from theme creation to custom SPFx header/footer development. Contact us to transform your SharePoint environment's visual identity.

Need expert guidance? [Contact our team](/contact) to discuss your requirements, or explore our [custom branding services](/services/custom-branding) to learn how we can help your organization.

Enterprise Implementation Best Practices

In our 25+ years of enterprise SharePoint consulting, we have designed and deployed branded SharePoint experiences for organizations ranging from global financial institutions to healthcare systems with strict brand compliance requirements. The branding implementations that succeed long-term balance visual impact with maintainability and performance.

  • Use the SharePoint Theming Framework Exclusively: Avoid custom CSS injection and DOM manipulation for branding purposes. SharePoint's theming framework provides consistent color, typography, and spacing customization that survives platform updates without breaking. Custom CSS solutions require ongoing maintenance every time Microsoft updates the SharePoint UI and frequently create accessibility issues that the native theming framework avoids.
  • Design a Hub-Based Branding Strategy: Use hub site associations to cascade consistent branding across groups of related sites. Each hub can define its own theme, logo, header, and footer configuration that automatically applies to all associated sites. This approach ensures brand consistency across hundreds of sites without requiring manual configuration of each individual [SharePoint site](/services/sharepoint-consulting).
  • Optimize All Visual Assets for Web Performance: Every custom image, icon, and logo added to your SharePoint branding directly impacts page load performance. Compress all images to web-optimized formats, use SVG for logos and icons where possible, implement responsive image sizes that serve appropriate resolutions for desktop and mobile devices, and leverage the SharePoint CDN to serve branding assets from edge locations closest to your users.
  • Create Reusable Page Templates for Content Consistency: Design page templates for your most common content patterns including news articles, policy pages, department landing pages, and project portals. These templates ensure visual consistency, reduce page creation time, and guide content authors toward effective layouts without requiring design expertise.
  • Establish a Branding Governance Process: Document your branding standards in a style guide that covers color usage, typography, imagery guidelines, logo placement, and web part configuration standards. Require branding review for any site that deviates from standard templates and update your branding standards annually to reflect evolving brand requirements and new SharePoint capabilities.

Governance and Compliance Considerations

SharePoint branding and design customizations create compliance considerations that organizations frequently overlook, particularly around accessibility requirements, content security, and the governance of custom code deployed across the tenant.

For organizations subject to Section 508, ADA, or equivalent accessibility regulations, all branding customizations must comply with WCAG 2.1 AA standards. Custom themes must maintain sufficient color contrast ratios, custom fonts must be readable at all supported zoom levels, and custom layouts must be navigable via keyboard and compatible with screen readers. Accessibility compliance is not optional and should be verified before deploying branding changes to production.

Financial services organizations must ensure that branding customizations do not interfere with required compliance disclosures, regulatory notices, or mandatory footer content. Custom themes and page layouts should accommodate compliance content requirements without allowing business users to inadvertently remove required elements.

Healthcare organizations must verify that branded communication sites and patient-facing portals meet HIPAA requirements for secure content delivery and that branding assets do not introduce third-party tracking or analytics that could compromise patient privacy.

Establish a branding governance process that requires accessibility testing, security review of custom code, and compliance validation before deploying branding changes to production. Maintain a branding change log that documents what was changed, when, by whom, and the test results for accessibility and compliance. Review your branding architecture during platform updates to ensure customizations remain compatible and compliant. Our [SharePoint branding specialists](/services/sharepoint-consulting) create visually compelling experiences that satisfy accessibility requirements and maintain compliance with your regulatory framework.

Ready to create a SharePoint experience that reflects your brand and engages your users? Our branding specialists have designed enterprise SharePoint experiences for organizations with the highest visual standards. [Contact our team](/contact) for a branding consultation, and explore how our [SharePoint consulting services](/services/sharepoint-consulting) can transform your digital workplace appearance.

Common Challenges and Solutions

Organizations implementing SharePoint Site Design & Branding consistently encounter obstacles that, if left unaddressed, undermine adoption and erode stakeholder confidence. Drawing on two decades of enterprise SharePoint consulting, these are the challenges we see most frequently and the proven approaches for overcoming them.

Challenge 1: Content Sprawl and Information Architecture Degradation

Over time, SharePoint Site Design & Branding environments accumulate redundant, outdated, and trivial content that degrades search relevance and confuses users. Without proactive content lifecycle management, the signal-to-noise ratio deteriorates and user trust in the platform erodes. The resolution requires a structured approach: establishing automated retention policies that flag content for review after defined periods of inactivity, combined with content owner accountability structures that assign clear responsibility for each site collection and library. Organizations that address this proactively report 40 to 60 percent fewer support tickets within the first 90 days of deployment. Establishing a dedicated governance committee with representatives from IT, compliance, and business stakeholders ensures ongoing alignment between technical configuration and organizational objectives.

Challenge 2: Compliance and Audit Readiness Gaps

SharePoint Site Design & Branding implementations in regulated industries often lack the audit trail depth and policy enforcement rigor required by frameworks such as HIPAA, SOC 2, and GDPR. Retroactive compliance remediation is significantly more expensive and disruptive than building compliance into the initial design. We recommend embedding compliance requirements into the information architecture from day one. Configure Microsoft Purview retention labels, DLP policies, and audit logging before deploying content, and validate compliance posture through regular internal audits. Tracking these metrics through [SharePoint health dashboards](/services/sharepoint-consulting) provides early warning indicators that allow administrators to intervene before minor issues become systemic problems affecting enterprise-wide productivity.

Challenge 3: Inconsistent Governance Across Business Units

When different departments implement SharePoint Site Design & Branding independently, inconsistent naming conventions, metadata schemas, and security configurations create silos that undermine cross-functional collaboration and complicate compliance reporting. The most effective mitigation strategy involves centralizing governance policy definition while allowing controlled flexibility at the departmental level. A hub-and-spoke governance model balances enterprise consistency with departmental autonomy. Enterprises operating in regulated industries such as healthcare and financial services must pay particular attention to this challenge because compliance violations carry significant financial and reputational consequences. Regular audits conducted quarterly at minimum help organizations maintain alignment with evolving regulatory requirements and internal policy updates.

Challenge 4: Migration and Legacy Content Complexity

Organizations transitioning legacy content into SharePoint Site Design & Branding often underestimate the complexity of mapping old structures, metadata, and permissions to modern architectures. Failed migrations erode user confidence and create parallel systems that duplicate effort. Addressing this requires conducting thorough pre-migration content audits that classify and prioritize content based on business value. Invest in automated migration tools that preserve metadata fidelity and permission integrity while providing detailed validation reports. Organizations that invest in structured change management programs achieve adoption rates 35 percent higher than those relying on organic discovery alone. Executive sponsorship combined with department-level champions creates the organizational momentum necessary for sustained success.

Integration with Microsoft 365 Ecosystem

SharePoint Site Design & Branding does not operate in isolation. Its value multiplies when connected to the broader Microsoft 365 ecosystem, creating unified workflows that eliminate context switching and reduce manual data transfer between applications.

Microsoft Teams Integration: Embed SharePoint Site Design & Branding dashboards and document libraries as Teams tabs to create unified workspaces where conversations and structured content management coexist within a single interface. Teams channels automatically provision SharePoint document libraries, which means sharepoint site design & branding configurations and content flow seamlessly between collaborative conversations and structured document management. Users can surface SharePoint content directly within Teams tabs, reducing the friction that typically causes adoption to stall.

Power Automate Workflows: Implement scheduled flows that perform routine SharePoint Site Design & Branding maintenance tasks including permission reports, content audits, and usage analytics without requiring manual intervention. Automated workflows triggered by SharePoint events such as document uploads, metadata changes, or approval completions eliminate repetitive manual tasks. Organizations typically automate 15 to 25 processes within the first quarter, saving an average of 8 hours per week per department. These automations also create audit trails that satisfy compliance requirements for regulated industries.

Power BI Analytics: Build executive dashboards that aggregate SharePoint Site Design & Branding metrics alongside other business KPIs, providing a holistic view of digital workplace effectiveness and investment returns. Connecting SharePoint data to Power BI dashboards provides real-time visibility into content usage patterns, adoption metrics, and operational KPIs. Decision makers gain actionable intelligence without requiring manual report generation, enabling faster response to emerging trends and potential issues.

Microsoft Purview and Compliance: Implement retention policies that automatically manage SharePoint Site Design & Branding content lifecycle, preserving business-critical records for required periods while disposing of transient content to reduce storage costs and compliance exposure. Sensitivity labels, data loss prevention policies, and retention schedules configured in Microsoft Purview extend automatically to sharepoint site design & branding content. This unified compliance framework ensures that governance policies apply consistently across the entire Microsoft 365 environment rather than requiring separate configuration for each workload. For organizations subject to [HIPAA, SOC 2, or FedRAMP requirements](https://www.epcgroup.net/services/compliance-consulting), this integrated approach significantly reduces compliance management overhead.

Getting Started: Next Steps

Implementing SharePoint Site Design & Branding effectively requires more than technical configuration. It demands a strategic approach grounded in your organization's specific business requirements, compliance obligations, and growth trajectory. The difference between a deployment that delivers measurable ROI and one that becomes shelfware often comes down to the quality of upfront planning and expert guidance.

Begin with a focused assessment of your current SharePoint environment. Evaluate your existing information architecture, permission structures, content lifecycle policies, and user adoption patterns. Identify gaps between your current state and the target state required for successful sharepoint site design & branding implementation. This assessment typically takes 2 to 4 weeks and produces a prioritized roadmap that aligns technical work with business outcomes.

Our SharePoint specialists have guided organizations across healthcare, financial services, government, and education through hundreds of successful implementations. We bring deep expertise in [SharePoint architecture](/services/sharepoint-consulting), governance frameworks, and compliance alignment that accelerates time to value while minimizing risk.

Ready to move forward? [Contact our team](/contact) for a complimentary consultation. We will assess your environment, identify quick wins, and develop a phased implementation plan tailored to your organization's needs and timeline. Whether you are starting from scratch or optimizing an existing deployment, our enterprise SharePoint consultants deliver the expertise and accountability that Fortune 500 organizations demand.

Share this article:

Written by Errin O'Connor

Founder, CEO & Chief AI Architect | Microsoft Press Bestselling Author | 25+ Years Microsoft Ecosystem

Errin O'Connor is a Microsoft Press bestselling author of 4 books covering SharePoint, Power BI, Azure, and large-scale migrations. He leads our SharePoint consulting practice with expertise spanning 500+ enterprise migrations and compliance implementations across HIPAA, SOC 2, and FedRAMP environments.

Frequently Asked Questions

What makes a successful SharePoint intranet?
Successful intranets combine intuitive navigation, personalized content delivery through audience targeting, mobile-responsive design, executive communications, self-service tools (IT help, HR forms), and integration with Microsoft Teams and Viva Connections. Measure success through adoption analytics, task completion rates, and employee satisfaction surveys.
How much does a SharePoint intranet project typically cost?
SharePoint intranet costs range from $25,000 for a basic implementation using out-of-the-box features to $250,000 or more for enterprise intranets with custom branding, SPFx web parts, complex information architecture, multilingual support, and third-party integrations. Ongoing maintenance typically runs 15 to 20 percent of initial build cost annually.
Should we use Viva Connections or a custom SharePoint intranet?
Viva Connections extends your SharePoint intranet into Microsoft Teams and provides a mobile app experience with dashboard cards, a curated feed, and resource links. Use Viva Connections alongside your SharePoint intranet rather than as a replacement. SharePoint provides the content management backbone while Viva Connections delivers the Teams-integrated employee experience layer.
How do we measure SharePoint intranet ROI?
Track intranet ROI through reduced help desk tickets for information requests, decreased email volume for company communications, improved employee onboarding time, time saved finding documents and policies, and employee engagement survey scores. Use SharePoint analytics and Microsoft Viva Insights to quantify time savings across the organization.
How do we apply consistent branding across all SharePoint sites?
Use organization-level theme settings in the SharePoint Admin Center to define brand colors and fonts. Create custom site designs and site scripts that automatically apply branding on site creation. For advanced branding, build SPFx Application Customizer extensions for custom headers and footers. Use hub sites to inherit consistent navigation and branding across associated sites.

Need Expert Help?

Our SharePoint consultants are ready to help you implement these strategies in your organization.