一、前言html
爲了使程序方便擴展,具有通用性,能夠採用插件形式。採用異步事件驅動模型,保證主程序邏輯不變,將各個業務已動態連接庫的形式加載進來,這就是所謂的插件。linux提供了加載和處理動態連接庫的系統調用,很是方便。本文先從使用上進行總結,涉及到基本的操做方法,關於動態連接庫的本質及如何加載進來,須要進一步學習,後續繼續補充。如何將程序設計爲插件形式,挖掘出主題和業務之間的關係,須要進一步去學習。linux
二、生產動態連接庫異步
編譯參數 gcc -fPIC -shared 函數
例如將以下程序編譯爲動態連接庫libcaculate.so,程序以下:學習
int add(int a,int b) { return (a + b); } int sub(int a, int b) { return (a - b); } int mul(int a, int b) { return (a * b); } int div(int a, int b) { return (a / b); }
編譯以下: gcc -fPIC -shared caculate.c -o libcaculate.so 測試
三、dlopen、dlsym函數介紹ui
在linux上man dlopen能夠看到使用說明,函數聲明以下:spa
#include <dlfcn.h>
void *dlopen(const char *filename, int flag); char *dlerror(void); void *dlsym(void *handle, const char *symbol); int dlclose(void *handle);
dlopen以指定模式打開指定的動態鏈接庫文件,並返回一個句柄給調用進程,dlerror返回出現的錯誤,dlsym經過句柄和鏈接符名稱獲取函數名或者變量名,dlclose來卸載打開的庫。 dlopen打開模式以下:.net
RTLD_LAZY 暫緩決定,等有須要時再解出符號
RTLD_NOW 當即決定,返回前解除全部未決定的符號。
插件
採用上面生成的libcaculate.so,寫個測試程序以下:
1 #include <stdio.h> 2 #include <stdlib.h> 3 #include <dlfcn.h> 4 5 //動態連接庫路徑 6 #define LIB_CACULATE_PATH "./libcaculate.so" 7 8 //函數指針 9 typedef int (*CAC_FUNC)(int, int); 10 11 int main() 12 { 13 void *handle; 14 char *error; 15 CAC_FUNC cac_func = NULL; 16 17 //打開動態連接庫 18 handle = dlopen(LIB_CACULATE_PATH, RTLD_LAZY); 19 if (!handle) { 20 fprintf(stderr, "%s\n", dlerror()); 21 exit(EXIT_FAILURE); 22 } 23 24 //清除以前存在的錯誤 25 dlerror(); 26 27 //獲取一個函數 28 *(void **) (&cac_func) = dlsym(handle, "add"); 29 if ((error = dlerror()) != NULL) { 30 fprintf(stderr, "%s\n", error); 31 exit(EXIT_FAILURE); 32 } 33 printf("add: %d\n", (*cac_func)(2,7)); 34 35 cac_func = (CAC_FUNC)dlsym(handle, "sub"); 36 printf("sub: %d\n", cac_func(9,2)); 37 38 cac_func = (CAC_FUNC)dlsym(handle, "mul"); 39 printf("mul: %d\n", cac_func(3,2)); 40 41 cac_func = (CAC_FUNC)dlsym(handle, "div"); 42 printf("div: %d\n", cac_func(8,2)); 43 44 //關閉動態連接庫 45 dlclose(handle); 46 exit(EXIT_SUCCESS); 47 }
編譯選項以下:gcc -rdynamic -o main main.c -ldl
測試結果以下所示:
參考資料:
http://blog.chinaunix.net/uid-26285146-id-3262288.html
http://www.360doc.com/content/10/1213/22/4947005_77867631.shtml