home / skills / dchuk / claude-code-tauri-skills / tauri-windows-distribution

tauri-windows-distribution skill

/tauri/tauri-windows-distribution

This skill guides Windows distribution of Tauri apps, helping you build and customize MSI and NSIS installers and publish to the Microsoft Store.

npx playbooks add skill dchuk/claude-code-tauri-skills --skill tauri-windows-distribution

Review the files below or copy the command above to add this skill to your agents.

Files (1)
SKILL.md
9.7 KB
---
name: distributing-tauri-for-windows
description: Guides users through distributing Tauri applications on Windows, including creating MSI and NSIS installers, customizing installer behavior, configuring WebView2 installation modes, and submitting apps to the Microsoft Store.
---

# Distributing Tauri Applications for Windows

This skill covers Windows distribution for Tauri v2 applications, including MSI/NSIS installer creation, customization, and Microsoft Store submission.

## Installer Formats Overview

Tauri supports two Windows installer formats:

| Format | Extension | Build Platform | Notes |
|--------|-----------|----------------|-------|
| WiX MSI | `.msi` | Windows only | Traditional Windows installer |
| NSIS | `-setup.exe` | Cross-platform | Can build on Linux/macOS |

## Building Installers

### Standard Build (Windows)

```bash
npm run tauri build
# or
yarn tauri build
# or
pnpm tauri build
# or
cargo tauri build
```

### Target Architectures

```bash
# 64-bit (default)
npm run tauri build -- --target x86_64-pc-windows-msvc

# 32-bit
npm run tauri build -- --target i686-pc-windows-msvc

# ARM64 (requires additional VS build tools)
npm run tauri build -- --target aarch64-pc-windows-msvc
```

### Cross-Platform NSIS Build (Linux/macOS)

NSIS installers can be built on non-Windows systems:

**Prerequisites (Linux):**
```bash
# Install NSIS and build tools (Debian/Ubuntu)
sudo apt install nsis lld llvm clang

# Install Windows Rust target
rustup target add x86_64-pc-windows-msvc

# Install cargo-xwin
cargo install --locked cargo-xwin
```

**Prerequisites (macOS):**
```bash
# Install via Homebrew
brew install nsis llvm

# Add LLVM to PATH
export PATH="/opt/homebrew/opt/llvm/bin:$PATH"

# Install Windows Rust target
rustup target add x86_64-pc-windows-msvc

# Install cargo-xwin
cargo install --locked cargo-xwin
```

**Build command:**
```bash
npm run tauri build -- --runner cargo-xwin --target x86_64-pc-windows-msvc
```

## WebView2 Installation Modes

Configure how WebView2 runtime is installed on end-user machines:

| Mode | Internet Required | Size Impact | Best For |
|------|-------------------|-------------|----------|
| `downloadBootstrapper` | Yes | 0 MB | Default, smallest installer |
| `embedBootstrapper` | Yes | ~1.8 MB | Better Windows 7 support |
| `offlineInstaller` | No | ~127 MB | Offline/air-gapped environments |
| `fixedVersion` | No | ~180 MB | Controlled enterprise deployment |
| `skip` | No | 0 MB | Not recommended |

### Configuration

```json
{
  "bundle": {
    "windows": {
      "webviewInstallMode": {
        "type": "embedBootstrapper"  // or: downloadBootstrapper, offlineInstaller, fixedVersion
      }
    }
  }
}
```

For `fixedVersion`, add the path: `"path": "./WebView2Runtime"`

## WiX MSI Customization

### Custom WiX Template

Replace the default template:

```json
{
  "bundle": {
    "windows": {
      "wix": {
        "template": "./windows/custom-template.wxs"
      }
    }
  }
}
```

### WiX Fragments

Add custom functionality via XML fragments:

**1. Create fragment file** (`src-tauri/windows/fragments/registry.wxs`):
```xml
<?xml version="1.0" encoding="UTF-8"?>
<Wix xmlns="http://schemas.microsoft.com/wix/2006/wi">
  <Fragment>
    <ComponentGroup Id="MyFragmentRegistryEntries">
      <Component Id="MyRegistryEntry" Directory="INSTALLDIR">
        <RegistryKey Root="HKCU" Key="Software\MyApp">
          <RegistryValue Type="string" Name="InstallPath" Value="[INSTALLDIR]" KeyPath="yes"/>
        </RegistryKey>
      </Component>
    </ComponentGroup>
  </Fragment>
</Wix>
```

**2. Reference in configuration:**
```json
{
  "bundle": {
    "windows": {
      "wix": {
        "fragmentPaths": ["./windows/fragments/registry.wxs"],
        "componentRefs": ["MyFragmentRegistryEntries"]
      }
    }
  }
}
```

### Internationalization (WiX)

```json
{
  "bundle": {
    "windows": {
      "wix": {
        "language": ["en-US", "fr-FR", "de-DE"],  // Single: "fr-FR"
        "localePath": "./windows/locales"  // Optional: custom locale files
      }
    }
  }
}
```

## NSIS Installer Customization

### Install Modes

| Mode | Admin Required | Install Location | Use Case |
|------|----------------|------------------|----------|
| `perUser` | No | `%LOCALAPPDATA%` | Default, no elevation |
| `perMachine` | Yes | `%PROGRAMFILES%` | System-wide install |
| `both` | Yes | User choice | Flexible deployment |

```json
{
  "bundle": {
    "windows": {
      "nsis": {
        "installMode": "perMachine"
      }
    }
  }
}
```

### Installer Hooks

Extend installation with custom NSIS scripts:

**1. Create hooks file** (`src-tauri/windows/hooks.nsh`):
```nsis
!macro NSIS_HOOK_PREINSTALL
  ; Run before file installation
  DetailPrint "Preparing installation..."
!macroend

!macro NSIS_HOOK_POSTINSTALL
  ; Run after installation completes
  DetailPrint "Configuring application..."
  ; Example: Install VC++ Redistributable
  ReadRegStr $0 HKLM "SOFTWARE\Microsoft\VisualStudio\14.0\VC\Runtimes\x64" "Installed"
  ${If} $0 != "1"
    ExecWait '"$INSTDIR\vc_redist.x64.exe" /quiet /norestart'
  ${EndIf}
!macroend

!macro NSIS_HOOK_PREUNINSTALL
  ; Run before uninstallation
  DetailPrint "Cleaning up..."
!macroend

!macro NSIS_HOOK_POSTUNINSTALL
  ; Run after uninstallation
  DetailPrint "Removal complete"
!macroend
```

**2. Reference in configuration:**
```json
{
  "bundle": {
    "windows": {
      "nsis": {
        "installerHooks": "./windows/hooks.nsh"
      }
    }
  }
}
```

### Internationalization (NSIS)

NSIS installers support multiple languages in a single file:

```json
{
  "bundle": {
    "windows": {
      "nsis": {
        "languages": ["English", "French", "German", "Spanish"],
        "displayLanguageSelector": true
      }
    }
  }
}
```

### Minimum WebView2 Version

Require a specific WebView2 version:

```json
{
  "bundle": {
    "windows": {
      "nsis": {
        "minimumWebview2Version": "110.0.1531.0"
      }
    }
  }
}
```

## Complete Configuration Example

```json
{
  "bundle": {
    "active": true,
    "targets": ["msi", "nsis"],
    "icon": ["icons/icon.ico"],
    "windows": {
      "certificateThumbprint": "YOUR_CERTIFICATE_THUMBPRINT",
      "timestampUrl": "http://timestamp.digicert.com",
      "webviewInstallMode": {
        "type": "embedBootstrapper"
      },
      "wix": {
        "language": ["en-US", "de-DE"],
        "fragmentPaths": ["./windows/fragments/registry.wxs"],
        "componentRefs": ["MyRegistryEntries"]
      },
      "nsis": {
        "installMode": "both",
        "installerHooks": "./windows/hooks.nsh",
        "languages": ["English", "German"],
        "displayLanguageSelector": true,
        "minimumWebview2Version": "110.0.1531.0"
      }
    }
  }
}
```

## Special Configurations

### Windows 7 Support

```json
{
  "bundle": {
    "windows": {
      "webviewInstallMode": {
        "type": "embedBootstrapper"
      }
    }
  }
}
```

Enable Windows 7 notification support in `Cargo.toml`:
```toml
[dependencies]
tauri = { version = "2", features = ["windows7-compat"] }
```

### FIPS Compliance

Set environment variable before building:

**PowerShell:**
```powershell
$env:TAURI_BUNDLER_WIX_FIPS_COMPLIANT = "true"
npm run tauri build
```

**Command Prompt:**
```cmd
set TAURI_BUNDLER_WIX_FIPS_COMPLIANT=true
npm run tauri build
```

## Microsoft Store Distribution

### Requirements

1. Microsoft account with developer enrollment
2. Offline installer WebView2 mode (required by Store policy)
3. Publisher name different from product name

### Store-Specific Configuration

Create `tauri.microsoftstore.conf.json`:
```json
{
  "bundle": {
    "windows": {
      "webviewInstallMode": {
        "type": "offlineInstaller"
      }
    }
  },
  "identifier": "com.yourcompany.yourapp",
  "publisher": "Your Company Name"
}
```

### Generate Store Icons

```bash
npm run tauri icon /path/to/app-icon.png
```

This generates all required icon sizes including Microsoft Store assets.

### Build for Store

```bash
npm run tauri build -- --config tauri.microsoftstore.conf.json
```

### Submission Process

1. Build with offline installer configuration
2. Sign installer with valid code signing certificate
3. Create app listing in Partner Center (Apps and Games)
4. Reserve unique app name
5. Upload installer to distribution service
6. Link installer URL in Store listing
7. Submit for certification

### Publisher Name Constraint

Your publisher name cannot match your product name. If your bundle identifier is `com.myapp.myapp`, explicitly set a different publisher:

```json
{
  "identifier": "com.myapp.myapp",
  "publisher": "MyApp Software Inc"
}
```

## Code Signing

### Using Certificate Thumbprint

```json
{
  "bundle": {
    "windows": {
      "certificateThumbprint": "YOUR_CERTIFICATE_THUMBPRINT",
      "timestampUrl": "http://timestamp.digicert.com"
    }
  }
}
```

### Environment Variables

```bash
# Certificate path
export TAURI_SIGNING_PRIVATE_KEY_PASSWORD="your-password"

# Or via tauri.conf.json
```

### Timestamp Servers

Common timestamp servers:
- DigiCert: `http://timestamp.digicert.com`
- Sectigo: `http://timestamp.sectigo.com`
- GlobalSign: `http://timestamp.globalsign.com/tsa/r6advanced1`

## Troubleshooting

### MSI Build Fails on Non-Windows

MSI files can only be built on Windows using WiX Toolset. Use NSIS for cross-platform builds.

### WebView2 Not Installing

1. Check webview install mode configuration
2. Verify internet connectivity for bootstrapper modes
3. For offline mode, ensure installer size is acceptable

### NSIS Cross-Compilation Errors

1. Verify NSIS is installed and in PATH
2. Check LLVM/clang installation
3. Ensure Windows Rust target is installed
4. Verify cargo-xwin is installed

### Certificate Not Found

1. Verify certificate is installed in Windows certificate store
2. Check thumbprint matches exactly (no spaces)
3. Ensure certificate has private key access

Overview

This skill guides developers through distributing Tauri v2 applications on Windows. It explains how to produce MSI and NSIS installers, customize installer behavior, manage WebView2 installation modes, and prepare packages for Microsoft Store submission. Practical examples cover cross-platform NSIS builds, WiX customization, signing, and troubleshooting.

How this skill works

The skill walks through configuration options in the Tauri bundle settings and shows how to swap WiX templates, add WiX fragments, and inject NSIS hooks. It explains WebView2 modes (bootstrapper, embedded, offline, fixed) and how each affects installer size and network requirements. It also details store-specific build settings, code signing, and build commands for local and cross-platform builds.

When to use it

  • Shipping a desktop Windows app with a traditional MSI installer for enterprise customers.
  • Creating a single EXE installer via NSIS that can be built on Linux or macOS.
  • Distributing apps through the Microsoft Store with offline WebView2 support and required metadata.
  • Needing custom registry entries, install hooks, or localized installers.
  • Building for multiple CPU targets (x86_64, i686, aarch64) and handling cross-compilation.

Best practices

  • Choose NSIS for cross-platform developer builds and WiX/MSI for Windows-native enterprise installers.
  • Select a WebView2 install mode based on connectivity: downloadBootstrapper for smallest installers, offlineInstaller for air-gapped deployments.
  • Sign installers with a valid code-signing certificate and include a timestamp URL to prevent signature expiration issues.
  • Use WiX fragments and NSIS hooks for custom registry entries, VC++ runtime installation, and pre/post install tasks.
  • Test both perUser and perMachine modes and provide clear language selection for international users.

Example use cases

  • Build an NSIS installer on macOS using cargo-xwin and include an installer hook to install prerequisites.
  • Create an MSI for enterprise deployment with custom WiX fragments that write registry keys and set install directories.
  • Prepare a Microsoft Store package using an offline WebView2 installer, custom publisher name, and generated store icons.
  • Require a minimum WebView2 version in the NSIS config to ensure runtime compatibility.
  • Enable Windows 7 support by embedding the WebView2 bootstrapper and enabling windows7-compat in Cargo.toml.

FAQ

Can I build MSI on Linux or macOS?

No. MSI builds using WiX must be performed on Windows. Use NSIS for cross-platform builds.

Which WebView2 mode is best for offline environments?

Use offlineInstaller or fixedVersion to bundle the runtime and avoid network dependency.

How do I submit to the Microsoft Store?

Build with an offline WebView2 mode, sign the installer, generate store icons, create a Partner Center listing, upload the installer URL, and submit for certification.