Python and C with ctypes
Calling C code from Python is very simple using ctypes. Here is a very simple example to get you started and to serve as a reminder for me!
Let's say you have this C file, defining 3 functions:
foo
which prints something tostdout
;bar
which returns andint
;baz
which takes a parameter and returns a value.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
#include <stdio.h> | |
void foo() { | |
printf("Hello world\n"); | |
} | |
int bar() { | |
return 1; | |
} | |
int baz(int n) { | |
int sum = 0; | |
for (int i = 0; i < n; i++) { | |
sum += i; | |
} | |
return sum; | |
} |
First, you want to compile this C file into a shared object. Here is a Makefile
to do just this: simple type make all
and you're done.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
all: go.so | |
go.o: go.c | |
gcc -std=c99 -c -fPIC go.c -o go.o | |
go.so: go.o | |
gcc -shared -Wl,-soname,libgo.so -o libgo.so go.o |
Finally, you can call these C functions from Python using ctypes:
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
import ctypes | |
libgo = ctypes.cdll.LoadLibrary('./libgo.so') | |
libgo.foo() | |
print(libgo.bar()) | |
print(libgo.baz(100)) |
Obviously, there is much more to it and things get more complicated soon, but, as you can see, for simple tasks like this using ctypes is pretty straitforward.