moving some loading functionality to dpmdk

This commit is contained in:
Chris Punches
2025-03-28 22:04:27 -04:00
parent 7b29824e40
commit 56e471e227
6 changed files with 384 additions and 66 deletions

View File

@@ -33,6 +33,8 @@
#include <iostream>
#include <string>
#include <cstdlib>
#include <sys/stat.h>
#include <dlfcn.h>
// All implementations must be inline to prevent multiple definition errors when included in multiple files
/**
@@ -93,10 +95,102 @@ inline void dpm_set_logging_level(int level) {
*/
inline const char* dpm_get_module_path(void) {
// Get from environment variable or use default
const char* env_path = getenv("DPM_MODULE_PATH");
const char* env_path = dpm_get_config("modules", "modules_path");
return env_path ? env_path : "/usr/lib/dpm/modules/";
}
/**
* @brief Standalone implementation of dpm_module_exists
*/
inline bool dpm_module_exists(const char* module_name) {
if (!module_name) return false;
// Get the module path
const char* module_path = dpm_get_module_path();
if (!module_path) return false;
// Build path to the module
std::string module_file = std::string(module_path) + "/" + module_name + ".so";
// Check if file exists
struct stat buffer;
return (stat(module_file.c_str(), &buffer) == 0);
}
/**
* @brief Standalone implementation of dpm_load_module
*/
inline int dpm_load_module(const char* module_name, void** module_handle) {
if (!module_name || !module_handle) return 1;
// Get the module path
const char* module_path = dpm_get_module_path();
if (!module_path) return 1;
// Build path to the module
std::string module_file = std::string(module_path) + "/" + module_name + ".so";
// Check if the file exists
if (!dpm_module_exists(module_name)) return 1;
// Load the module
*module_handle = dlopen(module_file.c_str(), RTLD_LAZY);
if (!*module_handle) return 1;
return 0;
}
/**
* @brief Standalone implementation of dpm_symbol_exists
*/
inline bool dpm_symbol_exists(void* module_handle, const char* symbol_name) {
if (!module_handle || !symbol_name) return false;
// Clear any error
dlerror();
// Look up the symbol
void* symbol = dlsym(module_handle, symbol_name);
// Check for errors
const char* error = dlerror();
if (error) return false;
return (symbol != NULL);
}
/**
* @brief Standalone implementation of dpm_execute_symbol
*/
inline int dpm_execute_symbol(void* module_handle, const char* symbol_name, void* args) {
if (!module_handle || !symbol_name) return 1;
// Clear any error
dlerror();
// Look up the symbol
void* symbol = dlsym(module_handle, symbol_name);
// Check for errors
const char* error = dlerror();
if (error || !symbol) return 1;
// Cast to function pointer and call
typedef int (*FunctionPtr)(void*);
FunctionPtr func = (FunctionPtr)symbol;
return func(args);
}
/**
* @brief Standalone implementation of dpm_unload_module
*/
inline void dpm_unload_module(void* module_handle) {
if (module_handle) {
dlclose(module_handle);
}
}
/**
* @brief Standalone module main function
*