2023-06-19 06:51:56 +02:00
|
|
|
#include "../Core/PS4/Loader/Elf.h"
|
2023-07-04 11:29:28 +02:00
|
|
|
#include "Memory.h"
|
2023-06-23 03:48:55 +02:00
|
|
|
|
|
|
|
#ifdef _WIN64
|
|
|
|
#include <windows.h>
|
|
|
|
#else
|
|
|
|
#include <sys/mman.h>
|
|
|
|
#endif
|
|
|
|
|
2023-07-07 12:49:46 +02:00
|
|
|
#if !defined(_WIN64)
|
|
|
|
enum PosixPageProtection
|
|
|
|
{
|
|
|
|
PAGE_NOACCESS = 0,
|
|
|
|
PAGE_READONLY = PROT_READ,
|
|
|
|
PAGE_READWRITE = PROT_READ | PROT_WRITE,
|
|
|
|
PAGE_EXECUTE = PROT_EXEC,
|
|
|
|
PAGE_EXECUTE_READ = PROT_EXEC | PROT_READ,
|
|
|
|
PAGE_EXECUTE_READWRITE = PROT_EXEC | PROT_READ | PROT_WRITE
|
|
|
|
};
|
|
|
|
#endif
|
|
|
|
|
2023-05-17 18:29:05 +02:00
|
|
|
#include "../Util/Log.h"
|
|
|
|
|
|
|
|
namespace Memory
|
|
|
|
{
|
|
|
|
namespace VirtualMemory {
|
2023-07-07 12:49:46 +02:00
|
|
|
static u32 convertMemoryMode(MemoryMode mode)
|
2023-07-04 11:29:28 +02:00
|
|
|
{
|
|
|
|
switch (mode)
|
|
|
|
{
|
|
|
|
case MemoryMode::Read: return PAGE_READONLY;
|
|
|
|
case MemoryMode::Write:
|
|
|
|
case MemoryMode::ReadWrite: return PAGE_READWRITE;
|
|
|
|
|
|
|
|
case MemoryMode::Execute: return PAGE_EXECUTE;
|
|
|
|
case MemoryMode::ExecuteRead: return PAGE_EXECUTE_READ;
|
|
|
|
case MemoryMode::ExecuteWrite:
|
|
|
|
case MemoryMode::ExecuteReadWrite: return PAGE_EXECUTE_READWRITE;
|
|
|
|
|
|
|
|
case MemoryMode::NoAccess: return PAGE_NOACCESS;
|
|
|
|
default:
|
|
|
|
return PAGE_NOACCESS;
|
|
|
|
}
|
|
|
|
}
|
2023-05-17 18:29:05 +02:00
|
|
|
|
2023-07-04 11:29:28 +02:00
|
|
|
u64 memory_alloc(u64 address, u64 size, MemoryMode mode)
|
2023-05-17 18:29:05 +02:00
|
|
|
{
|
2023-06-23 03:48:55 +02:00
|
|
|
#ifdef _WIN64
|
|
|
|
auto ptr = reinterpret_cast<uintptr_t>(VirtualAlloc(reinterpret_cast<LPVOID>(static_cast<uintptr_t>(address)),
|
|
|
|
size,
|
|
|
|
static_cast<DWORD>(MEM_COMMIT) | static_cast<DWORD>(MEM_RESERVE),
|
2023-07-04 11:29:28 +02:00
|
|
|
convertMemoryMode(mode)));
|
2023-05-17 18:29:05 +02:00
|
|
|
|
2023-06-23 03:48:55 +02:00
|
|
|
if (ptr == 0)
|
|
|
|
{
|
|
|
|
auto err = static_cast<u32>(GetLastError());
|
|
|
|
LOG_ERROR_IF(true, "VirtualAlloc() failed: 0x{:X}\n", err);
|
|
|
|
}
|
|
|
|
#else
|
|
|
|
auto ptr = reinterpret_cast<uintptr_t>(mmap(reinterpret_cast<void *>(static_cast<uintptr_t>(address)),
|
|
|
|
size,
|
|
|
|
PROT_EXEC | PROT_READ | PROT_WRITE,
|
|
|
|
MAP_ANONYMOUS | MAP_PRIVATE,
|
|
|
|
-1,
|
|
|
|
0));
|
|
|
|
|
|
|
|
if (ptr == reinterpret_cast<uintptr_t>MAP_FAILED)
|
|
|
|
{
|
|
|
|
LOG_ERROR_IF(true, "mmap() failed: {}\n", std::strerror(errno));
|
|
|
|
}
|
|
|
|
#endif
|
2023-05-17 18:29:05 +02:00
|
|
|
return ptr;
|
|
|
|
}
|
|
|
|
}
|
2023-06-23 03:48:55 +02:00
|
|
|
}
|