动态链接是指在生成可执行文件时不将所有程序用到的函数链接到一个文件,因为有许多函数在操作系统带的dll文件中,当程序运行时直接从操作系统中找。
而静态链接就是把所有用到的函数全部链接到exe文件中。
动态链接是只建立一个引用的接口,而真正的代码和数据存放在另外的可执行模块中,在运行时再装入;
而静态链接是把所有的代码和数据都复制到本模块中,运行时就不再需要库了。
1.生成 静态链接库 newdll) win32项目 -> dll
添加.h文件
betabinlib.h
- #ifndef BETABINLIB_H
- #define BETABINLIB_H
- #ifdef NEWDLL_EXPORTS //自动添加的宏 右键工程-属性-配置属性-预处理器-..定义
- #define MYDLL_API extern "C" __declspec(dllexport)
- #else
- #define MYDLL_API extern "C" __declspec(dllimport)
- #endif
- MYDLL_API int add(int x, int y); // 必须加前缀
- #endif
#ifndef BETABINLIB_H #define BETABINLIB_H #ifdef NEWDLL_EXPORTS //自动添加的宏 右键工程-属性-配置属性-预处理器-..定义 #define MYDLL_API extern "C" __declspec(dllexport) #else #define MYDLL_API extern "C" __declspec(dllimport) #endif MYDLL_API int add(int x, int y); // 必须加前缀 #endif
添加.cpp文件 betabinlib.cpp
- #include "stdafx.h"
- #include "betabinlib.h"
- int add(int x, int y)
- {
- return x + y;
- }
#include "stdafx.h" #include "betabinlib.h" int add(int x, int y) { return x + y; }
编译生成 .dll 和 .(1)dll的静态加载--将整个dll文件 加载到 .exe文件中
特点:程序较大,占用内存较大,但速度较快(免去 调用函数LOAD
- #include <stdio.h>
- #include "betabinlib.h"
- #include <Windows.h>
- #pragma comment(lib, "newdll.lib")
- int main()
- {
- printf("2 + 3 = %d ", add(2, 3));
- return 0;
- }
#include <stdio.h> #include "betabinlib.h" #include <Windows.h> #pragma comment(lib, "newdll.lib") int main() { printf("2 + 3 = %d ", add(2, 3)); return 0; }
- #include <stdio.h>
- #include <Windows.h>
- int main()
- {
- HINSTANCE h=LoadLibraryA("newdll.dll");
- typedef int (* FunPtr)(int a,int b);//定义函数指针
- if(h == NULL)
- {
- FreeLibrary(h);
- printf("load lib error ");
- }
- else
- {
- FunPtr funPtr = (FunPtr)GetProcAddress(h,"add");
- if(funPtr != NULL)
- {
- int result = funPtr(3, 3);
- printf("3 + 3 = %d ", result);
- }
- else
- {
- printf("get process error ");
- printf("%d",GetLastError());
- }
- FreeLibrary(h);
- }
- return 0;
- }