如何在c#中找到调用方法的全名。我见过解决方案:
How I can get the calling methods in C#
How can I find the method that called the current method?
Get Calling function name from Called function
但他们只给我顶级水平。考虑一下这个例子:
namespace Sandbox
{
class Program
{
static void Main(string[] args)
{
test();
}
static void test()
{
var stackTrace = new StackTrace();
var methodBase = stackTrace.GetFrame(1).GetMethod();
Console.WriteLine(methodBase.Name);
}
}
}
这只是输出'Main'如何让它打印'Sandbox.Program.Main'?
在任何人开始询问我为什么需要使用它之前,它是一个我正在处理的简单日志框架。
修改
添加到Matzi的答案:
以下是解决方案:
namespace Sandbox
{
class Program
{
static void Main(string[] args)
{
test();
}
static void test()
{
var stackTrace = new StackTrace();
var methodBase = stackTrace.GetFrame(1).GetMethod();
var Class = methodBase.ReflectedType;
var Namespace = Class.Namespace; //Added finding the namespace
Console.WriteLine(Namespace + "." + Class.Name + "." + methodBase.Name);
}
}
}
生成'Sandbox.Program.Main'就像它应该
答案 0 :(得分:29)
类似于here。
MethodBase method = stackTrace.GetFrame(1).GetMethod();
string methodName = method.Name;
string className = method.ReflectedType.Name;
Console.WriteLine(className + "." + methodName);
答案 1 :(得分:4)
我认为获得全名的最佳方式是:
this.GetType().FullName + "." + System.Reflection.MethodBase.GetCurrentMethod().Name;
或试试这个
string method = string.Format("{0}.{1}", MethodBase.GetCurrentMethod().DeclaringType.FullName, MethodBase.GetCurrentMethod().Name);
如果要显示最近的函数调用,可以使用:
StackTrace st = new StackTrace();
StackFrame sf = st.GetFrame(0);
var methodName = sf.GetMethod();
,但如果要显示调用函数树,可以这样做:
if (st.FrameCount >1)
{
// Display the highest-level function call
// in the trace.
StackFrame sf = st.GetFrame(st.FrameCount-1);
Console.WriteLine(" Original function call at top of call stack):");
Console.WriteLine(" {0}", sf.GetMethod());
}
了解更多info
答案 2 :(得分:0)
在System.Reflection.MethodBase
方法GetCurrentMethod
中,您可以找到有关使用类等的callstack的完整信息
答案 3 :(得分:0)
使用此方法,您可以可靠地获取全名
public void HandleException(Exception ex, [CallerMemberName] string caller = "")
{
if (ex != null)
{
while (ex.InnerException != null)
ex = ex.InnerException;
foreach (var method in new StackTrace().GetFrames())
{
if (method.GetMethod().Name == caller)
{
caller = $"{method.GetMethod().ReflectedType.Name}.{caller}";
break;
}
}
Console.WriteLine($"Exception: {ex.Message} Caller: {caller}()");
}
}
答案 4 :(得分:0)
与当前名称空间不相等的当前调用名称空间
var mNamespace = new StackTrace().GetFrames()?.Select(x =>
{
try
{
return x.GetMethod().ReflectedType?.Namespace;
}
catch (Exception)
{
return string.Empty;
}
}).First(x => x != new StackTrace().GetFrame(0).GetMethod().ReflectedType?.Namespace);