7

我正在使用 CLR 内存诊断库来获取正在运行的进程中所有线程的堆栈跟踪:

        var result = new Dictionary<int, string[]>();

        var pid = Process.GetCurrentProcess().Id;

        using (var dataTarget = DataTarget.AttachToProcess(pid, 5000, AttachFlag.Passive))
        {
            string dacLocation = dataTarget.ClrVersions[0].TryGetDacLocation();
            var runtime = dataTarget.CreateRuntime(dacLocation); //throws exception

            foreach (var t in runtime.Threads)
            {
                result.Add(
                    t.ManagedThreadId,
                    t.StackTrace.Select(f =>
                    {
                        if (f.Method != null)
                        {
                            return f.Method.Type.Name + "." + f.Method.Name;
                        }

                        return null;
                    }).ToArray()
                );
            }
        }

我从这里得到了这段代码,它似乎对其他人有用,但它在指示的行上为我抛出了一个异常,并带有消息This runtime is not initialized and contains no data.

dacLocation设置为C:\\Windows\\Microsoft.NET\\Framework\\v4.0.30319\\mscordacwks.dll

4

2 回答 2

10

ClrMD 当前不支持 .NET 4.6。GitHub 上有一个开放的拉取请求,只需一行即可解决此问题。您当然可以克隆该项目并构建您自己的不出现此问题的 ClrMD。

或者,我可以分享一个我过去几周一直在使用的临时技巧:

public static ClrRuntime CreateRuntimeHack(this DataTarget target, string dacLocation, int major, int minor)
{
    string dacFileNoExt = Path.GetFileNameWithoutExtension(dacLocation);
    if (dacFileNoExt.Contains("mscordacwks") && major == 4 && minor >= 5)
    {
        Type dacLibraryType = typeof(DataTarget).Assembly.GetType("Microsoft.Diagnostics.Runtime.DacLibrary");
        object dacLibrary = Activator.CreateInstance(dacLibraryType, target, dacLocation);
        Type v45RuntimeType = typeof(DataTarget).Assembly.GetType("Microsoft.Diagnostics.Runtime.Desktop.V45Runtime");
        object runtime = Activator.CreateInstance(v45RuntimeType, target, dacLibrary);
        return (ClrRuntime)runtime;
    }
    else
    {
        return target.CreateRuntime(dacLocation);
    }
}

我知道,这很可怕,并且依赖于反射。但至少它现在可以工作,而且您不必更改代码。

于 2015-07-31T12:00:46.127 回答
6

Microsoft.Diagnostics.Runtime.dll您可以通过下载(v0.8.31-beta)的最新版本来解决此问题: https ://www.nuget.org/packages/Microsoft.Diagnostics.Runtime

v0.8.31-beta 版标记了许多已过时的功能,因此正如 Alois Kraus 所提到的,runtime.GetHeap()可能会中断。我可以通过如下创建运行时来解决此问题:

DataTarget target = DataTarget.AttachProcess(pid, timeout, mode);
ClrRuntime runtime = target.ClrVersions.First().CreateRuntime();
ClrHeap heap = runtime.GetHeap();

现在所有的废话TryGetDacLocation()都没有必要了。

于 2016-01-24T02:11:54.893 回答