我可以从当前正在执行的函数中程序地获取参数名称/值吗?

我想要做这样的事情:

public MyFunction(int integerParameter, string stringParameter){ //Do this: LogParameters(); //Instead of this: //Log.Debug("integerParameter: " + integerParameter + // ", stringParameter: " + stringParameter); } public LogParameters(){ //Look up 1 level in the call stack (if possible), //Programmatically loop through the function's parameters/values //and log them to a file (with the function name as well). //If I can pass a MethodInfo instead of analyzing the call stack, great. } 

我甚至不确定我想要做什么是可能的,但能够在运行时将参数名称/值自动输出到文件而不显式编写代码以logging它们将是非常好的。

可能吗?

我意识到有人提到PostSharp提到的其他问题,但是我无法帮助发布解决我的问题的代码(使用PostSharp),所以其他人可以从中受益。

 class Program { static void Main(string[] args) { Trace.Listeners.Add(new TextWriterTraceListener(Console.Out)); new MyClass().MyMethod(44, "asdf qwer 1234", 3.14f, true); Console.ReadKey(); } } public class MyClass { public MyClass() { } [Trace("Debug")] public int MyMethod(int x, string someString, float anotherFloat, bool theBool) { return x + 1; } } [Serializable] public sealed class TraceAttribute : OnMethodBoundaryAspect { private readonly string category; public TraceAttribute(string category) { this.category = category; } public string Category { get { return category; } } public override void OnEntry(MethodExecutionArgs args) { Trace.WriteLine(string.Format("Entering {0}.{1}.", args.Method.DeclaringType.Name, args.Method.Name), category); for (int x = 0; x < args.Arguments.Count; x++) { Trace.WriteLine(args.Method.GetParameters()[x].Name + " = " + args.Arguments.GetArgument(x)); } } public override void OnExit(MethodExecutionArgs args) { Trace.WriteLine("Return Value: " + args.ReturnValue); Trace.WriteLine(string.Format("Leaving {0}.{1}.", args.Method.DeclaringType.Name, args.Method.Name), category); } } 

简单地将Trace属性添加到方法中会导致输出非常好的debugging信息,如下所示:

 Debug: Entering MyClass.MyMethod. x = 44 someString = asdf qwer 1234 anotherFloat = 3.14 theBool = True Return Value: 45 Debug: Leaving MyClass.MyMethod. 

从理论上讲,closuresdebugging构build和优化是可能的,但实际上,我build议你想要一些源代码重写通过。

人们会一直告诉你,reflection会在没有的时候起作用,所以这里的函数实际上能够获得参数值 。 在启用优化的情况下,不太可能可靠地工作(例如,在内联时,甚至可能没有堆栈框架),并且安装了一个debugging器,因此您可以调用该函数并不像您期望的那么简单。

 StackTrace stackTrace = new StackTrace(); ParameterInfo[] parameters = stackTrace.GetFrame(1).GetMethod().GetParameters(); 

请注意,GetFrame(1)获取调用方法而不是当前的方法。 这应该给你你想要的结果,并允许你在LogParameters()中执行下面的代码。

您将需要像下面调用LogParameters,因为您将无法从ParameterInfo获取integerParameter和stringParameter的reflection值。

 LogParameters(integerParameter, stringParameter); 

除非使用debugging器API ,否则无法循环调用堆栈上不同方法的参数 。 尽pipe可以从callstack中获取参数名称 (如其他人所提到的)。

最接近的是:

 public MyFunction(int integerParameter, string stringParameter){ LogParameters(integerParameter, stringParameter); } public void LogParameters(params object[] values){ // Get the parameter names from callstack and log names/values } 

这是创build日志的Utility类。

 internal class ParamaterLogModifiedUtility { private String _methodName; private String _paramaterLog; private readonly JavaScriptSerializer _serializer; private readonly Dictionary<String, Type> _methodParamaters; private readonly List<Tuple<String, Type, object>>_providedParametars; public ParamaterLogModifiedUtility(params Expression<Func<object>>[] providedParameters) { try { _serializer = new JavaScriptSerializer(); var currentMethod = new StackTrace().GetFrame(1).GetMethod(); /*Set class and current method info*/ _methodName = String.Format("Class = {0}, Method = {1}", currentMethod.DeclaringType.FullName, currentMethod.Name); /*Get current methods paramaters*/ _methodParamaters = new Dictionary<string, Type>(); (from aParamater in currentMethod.GetParameters() select new { Name = aParamater.Name, DataType = aParamater.ParameterType }) .ToList() .ForEach(obj => _methodParamaters.Add(obj.Name, obj.DataType)); /*Get provided methods paramaters*/ _providedParametars = new List<Tuple<string, Type, object>>(); foreach (var aExpression in providedParameters) { Expression bodyType = aExpression.Body; if (bodyType is MemberExpression) { AddProvidedParamaterDetail((MemberExpression)aExpression.Body); } else if (bodyType is UnaryExpression) { UnaryExpression unaryExpression = (UnaryExpression)aExpression.Body; AddProvidedParamaterDetail((MemberExpression)unaryExpression.Operand); } else { throw new Exception("Expression type unknown."); } } /*Process log for all method parameters*/ ProcessLog(); } catch (Exception exception) { throw new Exception("Error in paramater log processing.", exception); } } private void ProcessLog() { try { foreach (var aMethodParamater in _methodParamaters) { var aParameter = _providedParametars.Where( obj => obj.Item1.Equals(aMethodParamater.Key) && obj.Item2 == aMethodParamater.Value).Single(); _paramaterLog += String.Format(@" ""{0}"":{1},", aParameter.Item1, _serializer.Serialize(aParameter.Item3)); } _paramaterLog = (_paramaterLog != null) ? _paramaterLog.Trim(' ', ',') : string.Empty; } catch (Exception exception) { throw new Exception("MathodParamater is not found in providedParameters."); } } private void AddProvidedParamaterDetail(MemberExpression memberExpression) { ConstantExpression constantExpression = (ConstantExpression) memberExpression.Expression; var name = memberExpression.Member.Name; var value = ((FieldInfo) memberExpression.Member).GetValue(constantExpression.Value); var type = value.GetType(); _providedParametars.Add(new Tuple<string, Type, object>(name, type, value)); } public String GetLog() { return String.Format("{0}({1})", _methodName, _paramaterLog); } } 

使用实用程序

 class PersonLogic { public bool Add(PersonEntity aPersonEntity, ushort age = 12, String id = "1", String name = "Roy") { string log = new ParamaterLogModifiedUtility(() => aPersonEntity, () => age, () => id, () => name).GetLog(); return true; } } 

现在叫用法

 class Program { static void Main(string[] args) { try { PersonLogic personLogic = new PersonLogic(); personLogic.Add(id: "1", age: 24, name: "Dipon", aPersonEntity: new PersonEntity() { Id = "1", Name = "Dipon", Age = 24 }); } catch (Exception exception) { Console.WriteLine("Error."); } Console.ReadKey(); } } 

结果日志:

  Class = MethodParamatersLog.Logic.PersonLogic, Method = Add("aPersonEntity":{"CreatedDateTime":"\/Date(1383422468353)\/","Id":"1","Name":"Dipon","Age":24}, "age":24, "id":"1", "name":"Dipon") 

我按照说明创build了这个类:

 public static class Tracer { public static void Parameters(params object[] parameters) { #if DEBUG var jss = new JavaScriptSerializer(); var stackTrace = new StackTrace(); var paramInfos = stackTrace.GetFrame(1).GetMethod().GetParameters(); var callingMethod = stackTrace.GetFrame(1).GetMethod(); Debug.WriteLine(string.Format("[Func: {0}", callingMethod.DeclaringType.FullName + "." + callingMethod.Name + "]")); for (int i = 0; i < paramInfos.Count(); i++) { var currentParameterInfo = paramInfos[i]; var currentParameter = parameters[i]; Debug.WriteLine(string.Format(" Parameter: {0}", currentParameterInfo.Name)); Debug.WriteLine(string.Format(" Value: {0}", jss.Serialize(currentParameter))); } Debug.WriteLine("[End Func]"); #endif } } 

像这样调用它:

 public void Send<T>(T command) where T : Command { Tracer.Parameters(command); } 

输出看起来像这样

 [Func: SimpleCQRS.FakeBus.Send] Parameter: command Value: {"InventoryItemId":"f7005197-bd20-42a6-b35a-15a6dcc23c33","Name":"test record"} [End Func] 

编辑

………

而且我扩展了我的追踪function,为我做了一件很棒的工作。 要跟踪每个函数及其调用函数等,可以使用StrackTrace.GetFrame(2)来使用附加function。 而现在我的输出更丰富。 我也使用Json.NET的库来输出漂亮的格式化JSON对象。 另外,输出可以粘贴在一个空的JavaScript文件中,并看到彩色输出。

现在我的输出如下所示:

 //Func: HomeController(Constructor): CQRSGui.Controllers.HomeController(Constructor) //From: RuntimeTypeHandle.CreateInstance: System.RuntimeTypeHandle.CreateInstance var parameters = {} //Func: HomeController.Add: CQRSGui.Controllers.HomeController.Add //From: System.Object lambda_method(System.Runtime.CompilerServices.Closure, System.Web.Mvc.ControllerBase, System.Object[]) var parameters = { "name": "car" } //Func: Command(Constructor): SimpleCQRS.Command(Constructor) //From: CreateInventoryItem(Constructor): SimpleCQRS.CreateInventoryItem(Constructor) var parameters = {} //Func: CreateInventoryItem(Constructor): SimpleCQRS.CreateInventoryItem(Constructor) //From: HomeController.Add: CQRSGui.Controllers.HomeController.Add var parameters = { "inventoryItemId": "d974cd27-430d-4b22-ad9d-22ea0e6a2559", "name": "car" } //Func: FakeBus.Send: SimpleCQRS.FakeBus.Send //From: HomeController.Add: CQRSGui.Controllers.HomeController.Add var parameters = { "command": { "InventoryItemId": "d974cd27-430d-4b22-ad9d-22ea0e6a2559", "Name": "car" } } //Func: InventoryCommandHandlers.Handle: SimpleCQRS.InventoryCommandHandlers.Handle //From: FakeBus.Send: SimpleCQRS.FakeBus.Send var parameters = { "message": { "InventoryItemId": "d974cd27-430d-4b22-ad9d-22ea0e6a2559", "Name": "car" } } //Func: AggregateRoot(Constructor): SimpleCQRS.AggregateRoot(Constructor) //From: InventoryItem(Constructor): SimpleCQRS.InventoryItem(Constructor) var parameters = {} //Func: InventoryItem(Constructor): SimpleCQRS.InventoryItem(Constructor) //From: InventoryCommandHandlers.Handle: SimpleCQRS.InventoryCommandHandlers.Handle var parameters = { "id": "d974cd27-430d-4b22-ad9d-22ea0e6a2559", "name": "car" } //Func: Event(Constructor): SimpleCQRS.Event(Constructor) //From: InventoryItemCreated(Constructor): SimpleCQRS.InventoryItemCreated(Constructor) var parameters = {} //Func: InventoryItemCreated(Constructor): SimpleCQRS.InventoryItemCreated(Constructor) //From: InventoryItem(Constructor): SimpleCQRS.InventoryItem(Constructor) var parameters = { "id": "d974cd27-430d-4b22-ad9d-22ea0e6a2559", "name": "car" } //Func: AggregateRoot.ApplyChange: SimpleCQRS.AggregateRoot.ApplyChange //From: InventoryItem(Constructor): SimpleCQRS.InventoryItem(Constructor) var parameters = { "event": { "Id": "d974cd27-430d-4b22-ad9d-22ea0e6a2559", "Name": "car", "Version": 0 } } 

强大,不是吗? 我只需要看到输出,并不需要一次又一次地打破应用程序,并不需要检查进入手表和本地窗口。 我喜欢这种方式。 我已经把tracker.Parameters函数放在我的应用程序的每个地方,现在我已经自动debugging了这个应用程序。

我添加到我的输出函数的一件事情是在序列化中调用错误事件。 并从Json.NET处理。 其实你可能会陷入循环引用错误。 我抓到了 而且如果还有更多的序列化错误,你可以捕获它们,然后你可以在参数对象输出下面显示序列化错误。