-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathMockHelper.cs
461 lines (384 loc) · 21.9 KB
/
MockHelper.cs
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
using System;
using System.Collections.Generic;
using System.Linq;
using System.Linq.Expressions;
using System.Reflection;
using System.Runtime.CompilerServices;
using System.Runtime.InteropServices;
using CommunityToolkit.Diagnostics;
using CommunityToolkit.HighPerformance.Helpers;
// So now this supports: Static methods, Generic methods, Virtual methods, Extension Methods!!
/// Example of how to use
MockHelper.RedirectGenericMethodUnsafe(() => Fake.Deserialize<int>(""), () => Fake2.Deserialize<int>("")); // values in the expression do not matter
Fake.Deserialize<int>(""); // will invoke Fake2
Fake2.Deserialize<int>(""); // will invoke Fake2
public static class Fake
{
public static TValue? Deserialize<TValue>(string json) where TValue: struct
{
return default;
}
}
public static class Fake2
{
public static TValue Deserialize<TValue>(string json) where TValue : struct
{
return default;
}
}
///////////////////////////////////////////
/// <summary>
/// For the provided type, create an expression to invoke the method. The values you provide are not used: they are only provided
/// to disambiguate which method from a set of overloads you wish to pic
/// </summary>
/// <typeparam name="T"></typeparam>
/// <param name="obj"></param>
public delegate void PickMethod<in T>(T obj);
/// <summary>
/// Create a function that takes in an instance of the type and modifies one or more fields
/// </summary>
/// <typeparam name="T"></typeparam>
/// <param name="index"></param>
/// <param name="obj"></param>
/// <returns></returns>
public delegate T MutateFn<T>(int index, T obj);
/// <summary>
/// Create an expression where you select a property on the specified object
/// </summary>
/// <typeparam name="T"></typeparam>
/// <typeparam name="TProperty"></typeparam>
/// <param name="obj"></param>
/// <returns></returns>
public delegate TProperty PickProperty<in T, out TProperty>(T obj);
public static class MockHelper
{
[UnsafeAccessor(UnsafeAccessorKind.Method, Name = "MemberwiseClone")]
private static extern object ShallowCloneInstance(object o);
/// <summary>
/// Performs a shallow clone of the specified object.
/// ⚠️ WARNING: Do not clone an empty instance created directly from <see cref="CreateEmptyObject{T}"/> without having
/// at least one field initialized or the Code Coverage report will fail.
/// </summary>
/// <typeparam name="T">Type to clone</typeparam>
/// <param name="obj">Instance of type to clone</param>
/// <returns>A shallow clone of the provided instance</returns>
public static T Clone<T>(T obj) where T : notnull => (T)ShallowCloneInstance(obj);
/// <summary>
/// Instantiates an instance of the type, bypassing the constructor. Helps when needing fake
/// instances of types having deep constructor arguments
/// </summary>
/// <typeparam name="T"></typeparam>
/// <returns></returns>
public static T CreateEmptyObject<T>()
{
if (typeof(T) is { IsValueType: true }) return default(T)!;
return (T)RuntimeHelpers.GetUninitializedObject(typeof(T));
}
/// <summary>
/// Forcefully sets the value of a property, even if it has no public setter
/// </summary>
/// <typeparam name="T">Type having property</typeparam>
/// <typeparam name="TP">Type of the property selected</typeparam>
/// <param name="obj">Instance of the type</param>
/// <param name="pickProperty">Create an expression that selects the property on the type</param>
/// <param name="value">The value you wish to set the property to</param>
/// <exception cref="ArgumentException">If expression is invalid</exception>
public static void SetProperty<T, TP>(T obj, Expression<PickProperty<T, TP>> pickProperty, TP value)
{
if (pickProperty is not { Body: MemberExpression { Member: PropertyInfo pi } })
throw new ArgumentException("Expression is not picking a property on the object", nameof(pickProperty));
pi.SetValue(obj, value);
}
/// <summary>
/// Instantiates one or more uninitialized instances of the type
/// </summary>
/// <typeparam name="T"></typeparam>
/// <param name="howMany">How many instances to create</param>
/// <returns></returns>
public static IEnumerable<T> MakeObjects<T>(int howMany) =>
Enumerable.Range(0, howMany).Select(static _ => CreateEmptyObject<T>());
/// <summary>
/// Instantiates one or more uninitialized instances of the type, providing a mutator method to set one or more fields.
/// This mutator method works best for record types or structs
/// </summary>
/// <typeparam name="T"></typeparam>
/// <param name="howMany"></param>
/// <param name="mutate"></param>
/// <returns></returns>
public static IEnumerable<T> MakeObjects<T>(int howMany, MutateFn<T> mutate) =>
Enumerable.Repeat(mutate, howMany).Select(static (mutateFn, index) => mutateFn(index, CreateEmptyObject<T>()));
/// <summary>
/// Used to mock methods for dependencies that are otherwise un-mockable, such as static methods or sealed methods.
/// Should be used as a last resort when other attempts to mock the dependency have failed
/// </summary>
/// <typeparam name="TSource">The type containing the method to redirect</typeparam>
/// <typeparam name="TDestination">The type containing the method being redirected</typeparam>
/// <param name="pickSourceMethod">Expression to pick the correct overload of the method to redirect</param>
/// <param name="destMethodName">The name of the method on the destination type to redirect the source method to</param>
/// <returns>A disposable object that when disposed will restore the method back to the original location</returns>
/// <exception cref="ArgumentException">If the methods are incompatible</exception>
public static IDisposable RedirectMethodUnsafe<TSource, TDestination>(Expression<PickMethod<TSource>> pickSourceMethod,
string destMethodName) where TSource : class where TDestination : class
{
const BindingFlags allMethods = BindingFlags.Public | BindingFlags.NonPublic | BindingFlags.Instance | BindingFlags.Static;
Guard.IsNotNull(pickSourceMethod);
Guard.IsNotNullOrEmpty(destMethodName);
if (pickSourceMethod is not { Body: MethodCallExpression mce })
throw new ArgumentException("Source expression is not a method invocation", nameof(pickSourceMethod));
var argumentTypes = mce.Arguments.Select(x => x.Type);
var destMethods = typeof(TDestination).GetMethods(allMethods)
.Where(x => x.Name == destMethodName)
.Where(x => x.GetParameters()
.Select(p => p.ParameterType)
.SequenceEqual(argumentTypes))
.Where(x => x.ReturnType == mce.Method.ReturnType)
.ToList();
if (destMethods is not [{} destMethod])
throw new ArgumentException("No matching method found in destination type", nameof(destMethodName));
if (mce.Method is { IsAbstract: true } or { IsVirtual: true })
return RedirectVirtualMethod(typeof(TSource), mce.Method, destMethod);
return ReplaceFunction(mce.Method, destMethod);
}
/// <summary>
/// Used to mock static. It patches the type method table to cause a method call to be redirected to the destination method you choose.
/// Use the expressions to select the source and destination methods.
/// </summary>
/// <param name="pickSourceMethod"></param>
/// <param name="pickDestinationMethod"></param>
/// <returns></returns>
/// <exception cref="ArgumentException"></exception>
public static IDisposable RedirectStaticMethodUnsafe(Expression<Action> pickSourceMethod, Expression<Action> pickDestinationMethod)
{
if ((pickSourceMethod, pickDestinationMethod) is not (
{ Body: MethodCallExpression { Arguments: {} srcArgs, Method: {} srcMethod } },
{ Body: MethodCallExpression { Arguments: {} destArgs, Method: {} destMethod } }))
throw new ArgumentException("Both expressions must be a method call");
if (srcMethod.DeclaringType is { IsValueType: true } || destMethod.DeclaringType is { IsValueType: true })
throw new ArgumentException("The source and destination methods must belong to a reference type");
if (!srcArgs.Select(static x => x.Type).SequenceEqual(destArgs.Select(static x => x.Type)))
throw new ArgumentException("The methods provided do not have the same arguments");
if (srcMethod.ReturnType != destMethod.ReturnType)
throw new ArgumentException("The methods provided do not return the same type");
return ReplaceFunction(srcMethod, destMethod);
}
public static IDisposable RedirectMethodUnsafe<TSource, TDestination>(string sourceMethodName, string destMethodName)
where TSource : class where TDestination : class
{
const BindingFlags allMethods = BindingFlags.Public | BindingFlags.NonPublic | BindingFlags.Instance | BindingFlags.Static;
Guard.IsNotNullOrEmpty(sourceMethodName);
Guard.IsNotNullOrEmpty(destMethodName);
var sourceMethodMatches = typeof(TSource).GetMethods(allMethods)
.Where(x=>x.Name == sourceMethodName).ToList();
if (sourceMethodMatches is not [{} match])
throw new ArgumentException(
sourceMethodMatches.Count is 0 ?
"Source has no matching method names" : "Source has more than one method matching the name provided", nameof(sourceMethodName));
var argumentTypes = match.GetParameters().Select(p => p.ParameterType).ToList();
var destMethods = typeof(TDestination).GetMethods(allMethods)
.Where(x => x.Name == destMethodName)
.Where(x => x.GetParameters()
.Select(p => p.ParameterType)
.SequenceEqual(argumentTypes))
.Where(x => x.ReturnType == match.ReturnType)
.ToList();
if (destMethods is not [{ } dest])
throw new ArgumentException("No matching method found in destination type", nameof(destMethodName));
return ReplaceFunction(match, dest);
}
/// <summary>
/// Used to mock methods for dependencies that are otherwise un-mockable, such as static methods or sealed methods.
/// Should be used as a last resort when other attempts to mock the dependency have failed
/// </summary>
/// <typeparam name="TSource">The type containing the method to redirect</typeparam>
/// <typeparam name="TDestination">The type containing the method being redirected</typeparam>
/// <param name="pickSourceMethod">Expression to pick the correct overload of the method to redirect</param>
/// <param name="pickDestinationMethod">Expression to pick the correct overload of the target method</param>
/// <returns>A disposable object that when disposed will restore the method back to the original location</returns>
/// <exception cref="ArgumentException">If the methods are incompatible</exception>
public static IDisposable RedirectMethodUnsafe<TSource, TDestination>(Expression<Action<TSource>> pickSourceMethod,
Expression<Action<TDestination>> pickDestinationMethod) where TSource : class where TDestination : class
{
if ((pickSourceMethod, pickDestinationMethod) is not (
{ Body: MethodCallExpression {Arguments: { } srcArgs, Method: { } srcMethod}},
{ Body: MethodCallExpression { Arguments: { } destArgs, Method: {} destMethod} }))
throw new ArgumentException("Both expressions must be a method call");
if (!srcArgs.Select(static x => x.Type).SequenceEqual(destArgs.Select(static x => x.Type)))
throw new ArgumentException("The methods provided do not have the same arguments");
if (srcMethod.ReturnType != destMethod.ReturnType)
throw new ArgumentException("The methods provided do not return the same type");
if (srcMethod is { IsAbstract: true } or { IsVirtual: true })
return RedirectVirtualMethod(typeof(TSource), srcMethod, destMethod);
return ReplaceFunction(srcMethod, destMethod);
}
// ⭐ NEW: Support for Generics
public static IDisposable RedirectGenericMethodUnsafe(Expression<Action> pickSourceMethod, Expression<Action> pickDestinationMethod)
{
if ((pickSourceMethod, pickDestinationMethod) is not (
{ Body: MethodCallExpression { Method: { } srcMethod } },
{ Body: MethodCallExpression { Method: { } destMethod } }))
throw new ArgumentException("Both expressions must be a method call");
return RedirectGenericMethod(srcMethod, destMethod);
}
private static IDisposable RedirectGenericMethod(MethodInfo source, MethodInfo dest)
{
// get all generic arguments
var (srcGenArgs, dstGenArgs) = (source.GetGenericArguments(), dest.GetGenericArguments());
// get the source generic method from the parent type
(source, dest) = (source.GetGenericMethodDefinition(), dest.GetGenericMethodDefinition());
// apply the generic arguments to make them bound to do the specific generic arguments
(source, dest) = (source.MakeGenericMethod(srcGenArgs), dest.MakeGenericMethod(dstGenArgs));
// Trigger the runtime to JiT the source and destination methods, passing the in type handles for the generic arguments
// The 2nd argument tells the runtime exactly what generic types of the method are to be JiT compiled, so excluding it will
// result in the pre-compile stub being called rather than the JIT offset
RuntimeHelpers.PrepareMethod(source.MethodHandle, [..srcGenArgs.Select(x=>x.TypeHandle)]);
RuntimeHelpers.PrepareMethod(dest.MethodHandle, [..dstGenArgs.Select(x => x.TypeHandle)]);
// For generic methods, the function pointers must come from the method handle directly
var (srcAddress, destAddress) = (source.MethodHandle.GetFunctionPointer(), dest.MethodHandle.GetFunctionPointer());
// Overwrite the JiT-compiled entry in the Method Descriptor with the redirect x64 assembly-code stub
OverwriteSourcePreambleWithStub(srcAddress, destAddress, out var binaryBackup);
return new MethodRestorer(srcAddress, binaryBackup);
}
/// <summary>
/// Configures all public constructors to do nothing so that you can bypass any
/// argument checks when instantiating the type
/// </summary>
/// <typeparam name="T">The type with constructors to Noop</typeparam>
/// <returns>Disposable object that restores all constructors</returns>
public static DisposeAggregate MakeNoOpCtor<T>()
{
const int jitCompiledOffset = 8 * 2; const byte RET_OPCODE = 0xC3; // x64 RET opcode
var disposableAggregate = new DisposeAggregate();
foreach (var ctor in typeof(T).GetConstructors(BindingFlags.Public | BindingFlags.Instance))
{
var methodHandle = ctor.MethodHandle;
RuntimeHelpers.PrepareMethod(methodHandle);
var ctorAddress = Marshal.ReadIntPtr(methodHandle.Value, jitCompiledOffset);
// Change memory protection to allow writing
RuntimeInterop.UnlockPage(ctorAddress);
disposableAggregate += new CtorRestorer(Marshal.ReadByte(ctorAddress), ctorAddress);
Marshal.WriteByte(ctorAddress, RET_OPCODE);
}
return disposableAggregate;
}
public static IDisposable ReplaceFunction(MethodInfo source, MethodInfo destination)
{
GetJiTMethodAddress(source, out var sourceAddress);
// allow writing to the destination to prevent a segmentation fault
RuntimeInterop.UnlockPage(sourceAddress);
// overwrite the function body of the source function with
GetJiTMethodAddress(destination, out var targetAddress);
OverwriteSourcePreambleWithStub(sourceAddress, targetAddress, out var binaryBackup);
return new MethodRestorer(sourceAddress, binaryBackup);
}
// Performs a long jump to another function
private static void OverwriteSourcePreambleWithStub(IntPtr sourceAddress, IntPtr targetAddress, out byte[] binaryBackup)
{
const byte MOV = 0x48, MOV_RAX = 0xB8, JMP = 0xFF, JMP_RAX = 0xE0;
const int preambleSize = 12;
ReadFrom(binaryBackup = new byte[preambleSize], sourceAddress);
Span<byte> preamble = stackalloc byte[preambleSize];
preamble[0] = MOV; preamble[1] = MOV_RAX;
BitConverter.GetBytes(targetAddress).AsSpan().CopyTo(preamble.Slice(2,8));
preamble[10] = JMP; preamble[11] = JMP_RAX;
CopyBytesToSource(ref preamble, sourceAddress);
}
static void ReadFrom(byte[] buffer, IntPtr address) =>
Marshal.Copy(address, buffer, 0, buffer.Length);
static void CopyBytesToSource(ref Span<byte> bytes, IntPtr destination) =>
Marshal.Copy(bytes.ToArray(), 0, destination, bytes.Length);
static void GetJiTMethodAddress(MethodInfo source, out IntPtr address)
{
const int jitCompiledOffset = 8 * 2;
var (methodHandle, methodHandleValue) = (source.MethodHandle, source.MethodHandle.Value);
RuntimeHelpers.PrepareMethod(methodHandle);
address = Marshal.ReadIntPtr(methodHandleValue, jitCompiledOffset);
}
static MethodInfo FindMatchingMethodInfo(Type type, MethodInfo mi) =>
type.GetMethods()
.Where(x => x.Name == mi.Name && x.Attributes == mi.Attributes)
.Where(x => x.ReturnType == mi.ReturnType)
.Where(x => x.GetParameters().Select(p => p.ParameterType)
.SequenceEqual(mi.GetParameters().Select(x => x.ParameterType)))
.ToList() is [{ } first] ? first : null;
private static IDisposable RedirectVirtualMethod(Type source, MethodInfo sourceMi, MethodInfo targetMethod)
{
const int methodTableFirstMethodOffset = 64;
var sourceMethod = FindMatchingMethodInfo(source, sourceMi);
ArgumentNullException.ThrowIfNull(sourceMethod, "Could not find matching virtual method in source");
// Prepare the method to ensure it's JIT-compiled
RuntimeHelpers.PrepareMethod(sourceMethod.MethodHandle);
// Get the slot index of the virtual method
var methodTable = source.TypeHandle.Value;
var firstMethodIndex = Marshal.ReadIntPtr(methodTable + methodTableFirstMethodOffset);
// Calculate the vtable slot address
RuntimeInterop.GetSlot(sourceMethod, out var slotIndex);
var vtableSlotPtr = firstMethodIndex + (8 * slotIndex);
var sourceAddress = Marshal.ReadIntPtr(vtableSlotPtr);
GetJiTMethodAddress(targetMethod, out var targetAddress);
OverwriteSourcePreambleWithStub(sourceAddress, targetAddress, out var binaryBackup);
return new MethodRestorer(sourceAddress, binaryBackup);
}
}
public sealed class DisposeAggregate: IDisposable
{
private readonly List<IDisposable> _disposables;
public DisposeAggregate() => _disposables = [];
public DisposeAggregate(List<IDisposable> disposables) => _disposables = disposables;
public void Dispose() => _disposables.ForEach(x => x.Dispose());
public static DisposeAggregate operator +(DisposeAggregate lhs, IDisposable rhs) => new([..lhs._disposables, rhs]);
}
file sealed class CtorRestorer(byte originalByte, IntPtr address): IDisposable
{
public void Dispose() => Marshal.WriteByte(address,originalByte);
public static DisposeAggregate operator +(CtorRestorer lhs, IDisposable rhs) => new([lhs, rhs]);
}
file sealed class MethodRestorer(IntPtr sourceAddress, byte[] backUpPreamble): IDisposable
{
public void Dispose() => Marshal.Copy(backUpPreamble, 0, sourceAddress, backUpPreamble.Length);
public static DisposeAggregate operator +(MethodRestorer lhs, IDisposable rhs) => new ([lhs, rhs]);
}
file static class RuntimeInterop
{
private static Type _iRuntimeMethodInfoType = Type.GetType("System.IRuntimeMethodInfo, System.Private.CoreLib");
private static readonly MethodInfo GetSlotMi = typeof(RuntimeMethodHandle)
.GetMethods(BindingFlags.NonPublic | BindingFlags.Static)
.Where(x => x.Name == "GetSlot")
.Where(x => x.GetParameters() is [{ } input] &&
input.ParameterType == _iRuntimeMethodInfoType)
.ToList() is [{ } mi] ? mi : null;
public static void GetSlot(MethodInfo method, out int slot) =>
GetSlotMi.Invoke(null, [method]).TryUnbox(out slot);
private enum PageAttributes : uint
{
//PAGE_NOACCESS = 0x01,
//PAGE_READONLY = 0x02,
//PAGE_READWRITE = 0x04,
//PAGE_WRITECOPY = 0x08,
//PAGE_EXECUTE = 0x10,
//PAGE_EXECUTE_READ = 0x20,
PAGE_EXECUTE_READWRITE = 0x40,
//PAGE_EXECUTE_WRITECOPY = 0x80,
//PAGE_GUARD = 0x100,
//PAGE_NOCACHE = 0x200,
//PAGE_WRITECOMBINE = 0x400
}
[DllImport("kernel32.dll", EntryPoint = "VirtualProtect", SetLastError = true)]
static extern bool VirtualProtectWindows(IntPtr lpAddress, uint dwSize, uint flNewProtect, out uint lpflOldProtect);
[DllImport("libc", EntryPoint = "mprotect", SetLastError = true)]
static extern int VirtualProtectLinux(IntPtr lpAddress, uint dwSize, uint flags);
public static bool UnlockPage(IntPtr address)
{
if (OperatingSystem.IsWindows()) return UnlockPageWindows(address);
return OperatingSystem.IsLinux() && UnlockPageLinux(address);
}
private static bool UnlockPageLinux(IntPtr address)
{
const int linuxReadWriteExecuteFlag = 1 | 2 | 4;
// Align address to 4K boundary
var newAddress = address & (long)(~0 << 12);
var (na,length) = ((IntPtr)newAddress, (long)address + 6 - newAddress);
return VirtualProtectLinux(na, (uint)length, linuxReadWriteExecuteFlag) == 0;
}
private static bool UnlockPageWindows(IntPtr address) =>
VirtualProtectWindows(address, 6, (uint)PageAttributes.PAGE_EXECUTE_READWRITE, out _);
}