[ Prev ] [ Index ] [ Next ]

Using system() API

Example program using the system() API call to interract with GPIOs
View Example in another window

// togglegpio.cpp
//
// Demonstrate gpio interaction on Raspberry Pi
//
// Author: Jim Merkle (jim@merkles.com)

#include <stdio.h> // printf(), sprintf()
#include <stdlib.h> // system()
#include <sys/types.h>
#include <sys/stat.h>
#include <sys/unistd.h>

#define IN 0
#define OUT 1

// millisecond sleep method
void msleep(int milliseconds)
{

for(int i = 0;i<milliseconds;i++)
usleep(1000);
}

void ExportGpio(int gpio)
{

char command[200];
char path[200];
struct stat statbuf;

// Only export the gpio if it doesn't already exist
sprintf(path,"/sys/class/gpio/gpio%d",gpio);
printf("%s: path: \"%s\"\n",__FUNCTION__,path);
int ret = stat(path,&statbuf);
if(ret < 0) {
// stat() failed, path doesn't exist
sprintf(command,"echo %d >> /sys/class/gpio/export",gpio);
printf("stat() failed, calling system(%s)\n",command);
system(command);
}
}

void UnExportGpio(int gpio)
{

char command[200];
char path[200];
struct stat statbuf;

// Only unexport the gpio if it already exists
sprintf(path,"/sys/class/gpio/gpio%d",gpio);
printf("%s: path: \"%s\"\n",__FUNCTION__,path);

int ret = stat(path,&statbuf);
if(ret == 0) {
sprintf(command,"echo %d >> /sys/class/gpio/unexport",gpio);
printf("stat() succeeded, calling system(%s)\n",command);
system(command);
}
}


// direction: 0: in, 1: out
void GpioDirection(int gpio, int direction)
{

char in[] = {"in"};
char out[] = {"out"};
char command[200];
sprintf(command,"echo %s >> /sys/class/gpio/gpio%d/direction",direction?out:in,gpio);
//printf("command: \"%s\"\n",command);
system(command);
}

// value: 0: low, 1: high
void GpioValue(int gpio, int value)
{

char command[200];
sprintf(command,"echo %d >> /sys/class/gpio/gpio%d/value",value,gpio);
//printf("command: \"%s\"\n",command);
system(command);
}



int main(int argc, char * argv[])
{

//printf("Function: %s, line: %d\n",__FUNCTION__,__LINE__);
ExportGpio(17);
GpioDirection(17,OUT);

// Toggle the gpio a few times
for(int i = 0; i< 10;i++) {
GpioValue(17,1);
msleep(200);
GpioValue(17,0);
msleep(200);
}

// Cleanup - release gpio
UnExportGpio(17);

return 0;
}