incremental-build
How MSBuild Incremental Build Works
MSBuild's incremental build mechanism allows targets to be skipped when their outputs are already up to date, dramatically reducing build times on subsequent runs.
- Targets with
InputsandOutputsattributes: MSBuild compares the timestamps of all files listed inInputsagainst all files listed inOutputs. If every output file is newer than every input file, the target is skipped entirely. - Without
Inputs/Outputs: The target runs every time the build is invoked. This is the default behavior and the most common cause of slow incremental builds. Incrementalattribute on targets: Targets can explicitly opt in or out of incremental behavior. SettingIncremental="false"forces the target to always run, even ifInputsandOutputsare specified.- Timestamp-based comparison: MSBuild uses file system timestamps (last write time) to determine staleness. It does not use content hashes. This means touching a file (updating its timestamp without changing content) will trigger a rebuild.
<!-- This target is incremental: skipped if Output is newer than all Inputs -->
<Target Name="Transform"
Inputs="@(TransformFiles)"
Outputs="@(TransformFiles->'$(OutputPath)%(Filename).out')">
<!-- work here -->
</Target>
<!-- This target always runs because it has no Inputs/Outputs -->
<Target Name="PrintMessage">
<Message Text="This runs every build" />
</Target>
Why Incremental Builds Break (Top Causes)
-
Missing Inputs/Outputs on custom targets — Without both attributes, the target always runs. This is the single most common cause of unnecessary rebuilds.
-
Volatile properties in Outputs path — If the output path includes something that changes between builds (e.g., a timestamp, build number, or random GUID), MSBuild will never find the previous output and will always rebuild.
-
File writes outside of tracked Outputs — If a target writes files that aren't listed in its
Outputs, MSBuild doesn't know about them. The target may be skipped (because its declared outputs are up to date), but downstream targets may still be triggered. -
Missing FileWrites registration — Files created during the build but not registered in the
FileWritesitem group won't be cleaned bydotnet clean. Over time, stale files can confuse incremental checks. -
Glob changes — When you add or remove source files, the item set (e.g.,
@(Compile)) changes. Since these items feed intoInputs, the set of inputs changes and triggers a rebuild. This is expected behavior but can be surprising. -
Property changes — Properties that feed into
InputsorOutputspaths (e.g.,$(Configuration),$(TargetFramework)) will cause rebuilds when changed. Switching between Debug and Release is a full rebuild by design. -
NuGet package updates — Changing a package version updates
project.assets.jsonand potentially many resolved assembly paths. This changes the inputs toResolveAssemblyReferencesandCoreCompile, triggering a rebuild. -
Build server VBCSCompiler cache invalidation — The Roslyn compiler server (
VBCSCompiler) caches compilation state. If the server is recycled (timeout, crash, or manual kill), the next build may be slower even though MSBuild's incremental checks pass, because the compiler must repopulate its in-memory caches.
Diagnosing "Why Did This Rebuild?"
Use binary logs (binlogs) to understand exactly why targets ran instead of being skipped.
Step-by-step using binlog
-
Build twice with binlogs to capture the incremental build behavior:
dotnet build /bl:first.binlog dotnet build /bl:second.binlogThe first build establishes the baseline. The second build is the one you want to be incremental. Analyze
second.binlog. -
Replay the second binlog to a diagnostic text log:
dotnet msbuild second.binlog -noconlog -fl -flp:v=diag;logfile=second-full.log;performancesummaryThen search for targets that actually executed:
grep 'Building target\|Target.*was not skipped' second-full.logIn a perfectly incremental build, most targets should be skipped.
-
Inspect non-skipped targets by looking for their execution messages in the diagnostic log. Check for "out of date" messages that indicate why a target ran.
-
Look for key messages in the binlog:
"Building target 'X' completely"— means MSBuild found no outputs or all outputs are missing; this is a full target execution."Building target 'X' incrementally"— means some (but not all) outputs are out of date."Skipping target 'X' because all output files are up-to-date"— target was correctly skipped.
-
Search for "is newer than output" messages to find the specific input file that triggered the rebuild:
grep "is newer than output" second-full.logThis reveals exactly which input file's timestamp caused MSBuild to consider the target out of date.
Additional diagnostic techniques
- Compare
first.binlogandsecond.binlogside by side in the MSBuild Structured Log Viewer to see what changed. - Use
grep 'Target Performance Summary' -A 30 second-full.logto see which targets consumed the most time in the second build — these are your optimization targets. - Check for targets with zero-duration that still ran — they may have unnecessary dependencies causing them to execute.
FileWrites and Clean Build
The FileWrites item group is MSBuild's mechanism for tracking files generated during the build. It powers dotnet clean and helps maintain correct incremental behavior.
FileWritesitem: Register any file your custom targets create so thatdotnet cleanknows to remove them. Without this, generated files accumulate across builds and may confuse incremental checks.FileWritesShareableitem: Use this for files that are shared across multiple projects (e.g., shared generated code). These files are tracked but not deleted if other projects still reference them.- If not registered: Files accumulate in the output and intermediate directories.
dotnet cleanwon't remove them, and they may cause stale data issues or confuse up-to-date checks.
Pattern for registering generated files
Add generated files to FileWrites inside the target that creates them:
<Target Name="MyGenerator" Inputs="..." Outputs="$(IntermediateOutputPath)generated.cs">
<!-- Generate the file -->
<WriteLinesToFile File="$(IntermediateOutputPath)generated.cs" Lines="@(GeneratedLines)" />
<!-- Register for clean -->
<ItemGroup>
<FileWrites Include="$(IntermediateOutputPath)generated.cs" />
</ItemGroup>
</Target>
Visual Studio Fast Up-to-Date Check
Visual Studio has its own up-to-date check (Fast Up-to-Date Check, or FUTDC) that is separate from MSBuild's Inputs/Outputs mechanism. Understanding the difference is critical for diagnosing "it rebuilds in VS but not on the command line" issues.
- VS FUTDC is faster because it runs in-process and checks a known set of items without invoking MSBuild at all. It compares timestamps of well-known item types (Compile, Content, EmbeddedResource, etc.) against the project's primary output.
- It can be wrong if your project uses custom build actions, custom targets that generate files, or non-standard item types that FUTDC doesn't know about.
- Disable FUTDC to force Visual Studio to use MSBuild's full incremental check:
<PropertyGroup> <DisableFastUpToDateCheck>true</DisableFastUpToDateCheck> </PropertyGroup> - Diagnose FUTDC decisions by viewing the Output window in VS: go to Tools → Options → Projects and Solutions → SDK-Style Projects and set Up-to-date Checks logging level to Verbose or above. FUTDC will log exactly which file it considers out of date.
- Common VS FUTDC issues:
- Custom build actions not registered with the FUTDC system
CopyToOutputDirectoryitems that are newer than the last build- Items added dynamically by targets that FUTDC doesn't evaluate
ContentorNoneitems withCopyToOutputDirectory="PreserveNewest"that have been modified
Making Custom Targets Incremental
The following is a complete example of a well-structured incremental custom target:
<Target Name="GenerateConfig"
Inputs="$(MSBuildProjectFile);@(ConfigInput)"
Outputs="$(IntermediateOutputPath)config.generated.cs"
BeforeTargets="CoreCompile">
<!-- Generate file only if inputs changed -->
<WriteLinesToFile File="$(IntermediateOutputPath)config.generated.cs" Lines="..." />
<ItemGroup>
<FileWrites Include="$(IntermediateOutputPath)config.generated.cs" />
<Compile Include="$(IntermediateOutputPath)config.generated.cs" />
</ItemGroup>
</Target>
Key points in this example:
Inputsincludes$(MSBuildProjectFile): This ensures the target reruns if the project file itself changes (e.g., a property that affects generation is modified).Inputsincludes@(ConfigInput): The actual source files that drive generation.Outputsuses$(IntermediateOutputPath): Generated files go in theobj/directory, which is managed by MSBuild and cleaned automatically.BeforeTargets="CoreCompile": The generated file is available before the compiler runs.FileWritesregistration: Ensuresdotnet cleanremoves the generated file.Compileinclusion: Adds the generated file to the compilation without requiring it to exist at evaluation time.
Common mistakes to avoid
<!-- BAD: No Inputs/Outputs — runs every build -->
<Target Name="BadTarget" BeforeTargets="CoreCompile">
<Exec Command="generate-code.exe" />
</Target>
<!-- BAD: Volatile output path — never finds previous output -->
<Target Name="BadTarget2"
Inputs="@(Compile)"
Outputs="$(OutputPath)gen_$([System.DateTime]::Now.Ticks).cs">
<Exec Command="generate-code.exe" />
</Target>
<!-- GOOD: Stable paths, registered outputs -->
<Target Name="GoodTarget"
Inputs="@(Compile)"
Outputs="$(IntermediateOutputPath)generated.cs"
BeforeTargets="CoreCompile">
<Exec Command="generate-code.exe -o $(IntermediateOutputPath)generated.cs" />
<ItemGroup>
<FileWrites Include="$(IntermediateOutputPath)generated.cs" />
<Compile Include="$(IntermediateOutputPath)generated.cs" />
</ItemGroup>
</Target>
Performance Summary and Preprocess
MSBuild provides built-in tools to understand what's running and why.
-
/clp:PerformanceSummary— Appends a summary at the end of the build showing time spent in each target and task. Use this to quickly identify the most expensive operations:dotnet build /clp:PerformanceSummaryThis shows a table of targets sorted by cumulative time, making it easy to spot targets that shouldn't be running in an incremental build.
-
/pp:preprocess.xml— Generates a single XML file with all imports inlined, showing the fully evaluated project. This is invaluable for understanding what targets, properties, and items are defined and where they come from:dotnet msbuild /pp:preprocess.xmlSearch the preprocessed output to find where
InputsandOutputsare defined for any target, or to understand the full chain of imports. -
Use both together to understand what's running (
PerformanceSummary) and what's imported (/pp), then cross-reference with binlog analysis for a complete picture.
Common Fixes
- Always add
InputsandOutputsto custom targets — This is the single most impactful change for incremental build performance. Without both attributes, the target runs every time. - Use
$(IntermediateOutputPath)for generated files — Files inobj/are tracked by MSBuild's clean infrastructure and won't leak between configurations. - Register generated files in
FileWrites— Ensuresdotnet cleanremoves them and prevents stale file accumulation. - Avoid volatile data in build — Don't embed timestamps, random values, or build counters in file paths or generated content unless you have a deliberate strategy for managing staleness. If you must use volatile data, isolate it to a single file with minimal downstream impact.
- Use
Returnsinstead ofOutputswhen you need to pass items without creating incremental build dependency —Outputsserves double duty: it defines the incremental check AND the items returned from the target. If you only need to pass items to calling targets without affecting incrementality, useReturnsinstead:<!-- Outputs: affects incremental check AND return value --> <Target Name="GetFiles" Outputs="@(DiscoveredFiles)">...</Target> <!-- Returns: only affects return value, no incremental check --> <Target Name="GetFiles" Returns="@(DiscoveredFiles)">...</Target>