python效率提升:ctypes的使用

python运行效率缓慢,一直是为众人所诟病的。不过还好,python的ctypes库可以调用加载c/c++的函数库,这样python中需要效率的部分就用c/c++写,从而极大地提升python的运行效率。

1.不用ctypes的示例:

from time import time
 
t=time()
s=0
for i in xrange(1000):
    for j in xrange(10000):
        s += 1
print s
print time()-t

运行结果为:

10000000

4.33800005913

 

2. 接着将循环算法那段用c++写,然后通过python调用:

from time import time
from ctypes import *
 
t=time()
s=0
lib = CDLL('.\ctypes\Debug\ctypes.dll')
s=lib.sum(1000,10000)
print s
print time()-t

 

运行结果为:
10000000
0.118000030518

3.ctypes两种加载方式:

from ctypes import *
>>> libc = cdll . LoadLibrary ( "libc.so.6" )
>>> libc.printf("%d",2)
>>> from ctypes import *
>>> libc = CDLL ( "libc.so.6" )
>>> libc.printf("%d",2)

4.dll文件

用VC++ 6.0,新建Win32 Dynamic-Link Libraby工程,命名为ctypes;再新建C/C++ Header File与C++ Source File,分别命名为ctypes.h、ctypes.cpp

ctypes.h

#ifndef _MYDLL_H_
#define _MYDLL_H_
 
extern "C" _declspec (dllexport) int sum(int a,int b);  //添加.cpp中的定义的函数
 
    #endif

 

ctypes.cpp

#include "ctypes.h"  //.h 的名字
#include 
 
int sum(int a,int b)
{
	int s,i,j;
	s = 0;
	for(i=0;i

最后组建dll文件 保存

你可能感兴趣的:(python效率提升:ctypes的使用)