10 October 2017

Creating own library in C

To create your own library in C please follow this steps:


  1. Create two folders, name the first folder 'utils' and the second folder 'headers'
  2. Write your functions in a .c file and put it in the utils folder. 
  3. Create a .h file with the same name as the .c file that contains the functions. Put the header files in the headers folder. The .h file should contains following code. 
  4. /*
    header for myFunctions.c
    */
    #ifndef MYFUNCTIONS_H // check if there is already a header with this name.
    #define MYFUNCTIONS_H // if not, define one
    // list of functions we one to use from the myFunctions.c
    double firstFunction(double);
    int secondFunction(double, int);
    #endif
    view raw myFunctions.h hosted with ❤ by GitHub
  5. Open terminal and go to the utils folder and compile the .c files using this command gcc -c *.c
  6. Build the library by putting all the .o files in an archive using this command ar -cvq yourlibraryname.a *.o library name starts with lib, and don't froget the .a extension at the end
  7. Now you can use the library in your program by adding a file header #include "headers/yourLibraryName.h"
  8. Compile your program by providing the library name gcc -o programName programSourceCode.c utils/libraryName.a
  9. If youre using C-Lion IDE, you can simply add your .c and .h paths to the CMakeList.txt like this:
  10. cmake_minimum_required(VERSION 3.8)
    project(Tutorial2)
    set(CMAKE_C_STANDARD 99)
    set(SOURCE_FILES main.c)
    #You have to add your .c and .h paths here.
    add_executable(Tutorial2 ${SOURCE_FILES} utils/add.c headers/add.h)
    view raw CMakeList.txt hosted with ❤ by GitHub