February 2006
Intermediate to advanced
648 pages
14h 53m
English
Extension modules are used to extend the Python interpreter with functions in C. For example, suppose you had some C code in a file spam.c that you wanted to access from Python as a module named spam. To do this, you first need to know something about the original C code. The following listing shows some sample C functions that we are going to access from Python:
/* file: spam.c */
/* Compute the greatest common divisor of positive
integers x and y */
int gcd(int x, int y) {
int g;
g = y;
while (x > 0) {
g = x;
x = y % x;
y = g;
}
return g;
}
/* Print some data */
void print_data(char *name, char *email, char *phone) {
printf("Name : %s\n", name);
printf("Email : %s\n", email);
printf("Phone : %s\n", phone);
}To access ...