Я использую UNAME := $(shell uname)
в моем Makefile
для определения платформы (Linux или MS-Windows).
Ниже приведен полный пример на основе make
и gcc
для создания общей библиотеки: *.so
или *.dll
в зависимости от платформы.
Пример простой / простой / глупый, чтобы быть более понятным :-)
Для использования make
и gcc
в MS-Windows можно установить Cygwin или MinGW .
В примере используются пять файлов:
├── app
│ └── Makefile
│ └── main.c
└── lib
└── Makefile
└── hello.h
└── hello.c
Makefiles
app/Makefile
app.exe: main.o
gcc -o $@ $^ -L../lib -lhello
# '-o $@' => output file => $@ = the target file (app.exe)
# ' $^' => no options => Link all depended files
# => $^ = main.o and other if any
# '-L../lib' => look for libraries in directory ../lib
# '-lhello => use shared library hello (libhello.so or hello.dll)
%.o: %.c
gcc -o $@ -c $< -I ../lib
# '-o $@' => output file => $@ = the target file (main.o)
# '-c $<' => COMPILE the first depended file (main.cpp)
# '-I ../lib' => look for headers (*.h) in directory ../lib
clean:
rm -f *.o *.so *.dll *.exe
lib/Makefile
UNAME := $(shell uname)
ifeq ($(UNAME), Linux)
TARGET = libhello.so
else
TARGET = hello.dll
endif
$(TARGET): hello.o
gcc -o $@ $^ -shared
# '-o $@' => output file => $@ = libhello.so or hello.dll
# ' $^' => no options => Link all depended files => $^ = hello.o
# '-shared' => generate shared library
%.o: %.c
gcc -o $@ -c $< -fPIC
# '-o $@' => output file => $@ = the target file (main.o)
# '-c $<' => compile the first depended file (main.cpp)
# '-fPIC' => Position-Independent Code (required for shared lib)
clean:
rm -f *.o *.so *.dll *.exe
Исходный код
app/main.c
#include "hello.h" //hello()
#include <stdio.h> //puts()
int main()
{
const char* str = hello();
puts(str);
}
lib/hello.h
#ifndef __HELLO_H__
#define __HELLO_H__
const char* hello();
#endif
lib/hello.c
#include "hello.h"
const char* hello()
{
return "hello";
}
Сборка
Исправить копирование-вставку Makefiles
(заменить начальные пробелы табуляцией).
> sed -i 's/^ */\t/' */Makefile
Команда make
одинакова на обеих платформах. Данный вывод предназначен для MS-Windows (лишние строки удалены).
> cd lib
> make clean
> make
gcc -o hello.o -c hello.c -fPIC
gcc -o hello.dll hello.o -shared
> cd ../app
> make clean
> make
gcc -o main.o -c main.c -I ../lib
gcc -o app.exe main.o -L../lib -lhello
Пробег
Приложение должно знать, где находится общая библиотека.
В MS-Windows простой / простой / глупый способ - скопировать библиотеку, в которой находится приложение:
> cp -v lib/hello.dll app
`lib/hello.dll' -> `app/hello.dll'
В Linux используйте переменную окружения LD_LIBRARY_PATH
:
> export LD_LIBRARY_PATH=lib
Командная строка запуска и вывод одинаковы на обеих платформах:
> app/app.exe
hello