我以为 .Net 代码会被编译成 MSIL,所以我一直想知道黄屏是如何产生错误代码的。如果它正在执行已编译的代码,编译器如何能够从错误消息中的源文件生成代码?
随意编辑这个问题/标题,我知道这没有任何意义。
我以为 .Net 代码会被编译成 MSIL,所以我一直想知道黄屏是如何产生错误代码的。如果它正在执行已编译的代码,编译器如何能够从错误消息中的源文件生成代码?
随意编辑这个问题/标题,我知道这没有任何意义。
.Net 程序集使用包含的字节码元数据进行编译,允许轻松反编译代码 - 这就是.Net Reflector等工具的工作方式。PDB 文件仅是调试符号 - 黄屏死机的不同之处在于您将在堆栈跟踪中获得行号。
换句话说,即使 PDB 文件丢失,您也会得到代码。
像这样。我做了一些更改,但它与 ms 所做的非常接近。
// reverse the stack
private static Stack<Exception> GenerateExceptionStack(Exception exception)
{
var exceptionStack = new Stack<Exception>();
// create exception stack
for (Exception e = exception; e != null; e = e.InnerException)
{
exceptionStack.Push(e);
}
return exceptionStack;
}
// render stack
private static string GenerateFormattedStackTrace(Stack<Exception> exceptionStack)
{
StringBuilder trace = new StringBuilder();
try
{
// loop through exception stack
while (exceptionStack.Count != 0)
{
trace.Append("\r\n");
// render exception type and message
Exception ex = exceptionStack.Pop();
trace.Append("[" + ex.GetType().Name);
if (!string.IsNullOrEmpty(ex.Message))
{
trace.Append(":" + ex.Message);
}
trace.Append("]\r\n");
// Load stack trace
StackTrace stackTrace = new StackTrace(ex, true);
for (int frame = 0; frame < stackTrace.FrameCount; frame++)
{
StackFrame stackFrame = stackTrace.GetFrame(frame);
MethodBase method = stackFrame.GetMethod();
Type declaringType = method.DeclaringType;
string declaringNamespace = "";
// get declaring type information
if (declaringType != null)
{
declaringNamespace = declaringType.Namespace ?? "";
}
// add namespace
if (!string.IsNullOrEmpty(declaringNamespace))
{
declaringNamespace += ".";
}
// add method
if (declaringType == null)
{
trace.Append(" " + method.Name + "(");
}
else
{
trace.Append(" " + declaringNamespace + declaringType.Name + "." + method.Name + "(");
}
// get parameter information
ParameterInfo[] parameters = method.GetParameters();
for (int paramIndex = 0; paramIndex < parameters.Length; paramIndex++)
{
trace.Append(((paramIndex != 0) ? "," : "") + parameters[paramIndex].ParameterType.Name + " " + parameters[paramIndex].Name);
}
trace.Append(")");
// get information
string fileName = stackFrame.GetFileName() ?? "";
if (!string.IsNullOrEmpty(fileName))
{
trace.Append(string.Concat(new object[] { " in ", fileName, ":", stackFrame.GetFileLineNumber() }));
}
else
{
trace.Append(" + " + stackFrame.GetNativeOffset());
}
trace.Append("\r\n");
}
}
}
catch
{
}
if (trace.Length == 0)
{
trace.Append("[stack trace unavailable]");
}
// return html safe stack trace
return HttpUtility.HtmlEncode(trace.ToString()).Replace(Environment.NewLine, "<br>");
}
我相信在您进行调试构建时输出的 pdb 文件包含对源代码文件位置的引用。
我认为这取决于编译程序集中可以包含的调试信息..(尽管我肯定是错的)
我相信将源映射到 MSIL 的信息存储在 PDB 文件中。如果这不存在,那么该映射将不会发生。
正是这种查找使异常成为如此昂贵的操作(“异常用于异常情况”)。