私はこのようなことをしたいと思います:
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.
}
私がしたいことは可能かどうかさえわかりませんが、ログにコードを明示的に記述せずに、実行時にパラメーターの名前/値をファイルに自動的に出力できれば非常に便利です。
出来ますか?
他の人々が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
属性を追加するだけで、次のように非常に素晴らしいデバッグ情報が出力されます。
Debug: Entering MyClass.MyMethod.
x = 44
someString = asdf qwer 1234
anotherFloat = 3.14
theBool = True
Return Value: 45
Debug: Leaving MyClass.MyMethod.
理論的にはデバッグビルドと最適化をオフにしても可能ですが、実際には、ソースコードの書き換えパスが必要になることをお勧めします。
人々は、リフレクションが機能しないときに機能することを伝え続けるので、 これは実際に引数値を取得できる関数です です。最適化が有効になっていると確実に機能しない可能性があります(たとえば、スタックがbeインライン化がオンのときのフレーム)とデバッガーをインストールして、その関数を呼び出すことができるようにすることは、期待していたほど簡単ではありません。
StackTrace stackTrace = new StackTrace();
ParameterInfo[] parameters = stackTrace.GetFrame(1).GetMethod().GetParameters();
GetFrame(1)は、現在のメソッドではなく呼び出しメソッドを取得することに注意してください。これにより、目的の結果が得られ、LogParameters()で以下のコードを実行できるようになります。
ParameterInfoからintegerParameterおよびstringParameterの反映された値を取得できないため、以下のようにLogParametersを呼び出す必要があります。
LogParameters(integerParameter, stringParameter);
デバッガー [〜#〜] api [〜#〜] を使用しない限り、パラメーターvaluesをループすることはできません。呼び出しスタック上の別のメソッド。あなたはできますがパラメータnamesをコールスタックから取得します(他の人が持っているように)言及されています)。
最も近いものは次のようになります:
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
}
これは、ログを作成するユーティリティクラスです。
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")
私は指示に従い、このクラスを作成しました:
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]
編集
.........
そして、トレーサー機能を拡張して、本当に素晴らしい仕事をしてくれました。すべての関数とその呼び出し関数などをトレースするには、StrackTrace.GetFrame(2)を使用して追加機能を使用できます。そして今、私の出力ははるかに豊富です。私も Json.NET's ライブラリを使用して、見栄えの良いフォーマットの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
関数をアプリケーションのすべての場所で使用して、アプリケーションを自動的にデバッグしました。
出力関数に追加したのは、シリアル化でのエラーイベントの呼び出しです。そして、それをJson.NETから処理しました。実際、循環参照エラーに陥る可能性があります。釣った。また、シリアル化エラーがさらにある場合は、それらをキャッチして、parametersオブジェクトの出力のすぐ下にシリアル化エラーを表示できます。