MSBuild - 如何创建“关键部分”

Ond*_*dar 6 msbuild mutex

我有多个项目的并行构建,每个项目在某个时间点都会调用<Exec />任务。此 exec 任务正在运行 3pty 工具,如果该工具的另一个实例正在运行,该工具就会崩溃。是否有一些本地方法如何在 msbuild 中实现“互斥”?

明显的解决方案(有效)是使构建同步 - 但这会减慢整个构建的速度。

Ond*_*dar 2

最后我最终编写了自己的 msbuild 扩展库,如下所示

msbuild部分:

<UsingTask TaskName="MutexExec" AssemblyFile="$(CommonTasksAssembly)" />
Run Code Online (Sandbox Code Playgroud)

C#部分:

// <PackageReference Include="Microsoft.Build.Utilities.Core" Version="16.9.0" />
// <PackageReference Include="Microsoft.Build.Tasks.Core" Version="16.9.0" />
// <PackageReference Include="Microsoft.Build.Framework" Version="16.9.0" />

using System;
using System.Diagnostics;
using System.Threading;
using Microsoft.Build.Framework;
using Microsoft.Build.Tasks;

/// <summary>
/// Like a Exec task, but with critical section
/// </summary>
public class MutexExec : Exec
{
    /// <summary>
    ///     Gets or sets mutex name
    /// </summary>
    [Required]
    public string MutexName { get; set; }

    /// <inheritdoc />
    public override bool Execute()
    {
        var timeout = TimeSpan.FromMinutes(5);
        var stopwatch = Stopwatch.StartNew();
        while (stopwatch.Elapsed < timeout)
        {
            bool createdNew;
            using (var mutex = new Mutex(true, this.MutexName, out createdNew))
            {
                if (createdNew)
                {
                    bool result = base.Execute();
                    try
                    {
                        this.Log.LogMessage(MessageImportance.Normal, "Releasing {0}", this.MutexName);
                        mutex.ReleaseMutex();
                    }
                    catch (Exception e)
                    {
                        this.Log.LogError("Failure releasing {0} - {1}", this.MutexName, e);
                    }

                    return result;
                }
            }

            this.Log.LogMessage(MessageImportance.Normal, "Waiting for {0} - ellapsed {1}", this.MutexName, stopwatch.Elapsed);
            Thread.Sleep(5000);
            continue;
        }

        this.Log.LogError("Failed to acquire {0} in {1}.", this.MutexName, timeout);
        return false;
    }
}
Run Code Online (Sandbox Code Playgroud)