GNU make が Linux OS または Windows OS で実行されているかどうかを makefile で知る方法はありますか?
アプリをビルドするためのメイクファイルを生成する bash スクリプトを作成しましたが、Debian マシンで正常に動作します。MinGW/MSYS でビルドしたいのですが、問題は、ソース コードのエラーをチェックするテスト プログラムをビルドして実行する必要があり、Windows で実行するには、.exe サフィックスを追加する必要があることです。
GNU make が Linux OS または Windows OS で実行されているかどうかを makefile で知る方法はありますか?
アプリをビルドするためのメイクファイルを生成する bash スクリプトを作成しましたが、Debian マシンで正常に動作します。MinGW/MSYS でビルドしたいのですが、問題は、ソース コードのエラーをチェックするテスト プログラムをビルドして実行する必要があり、Windows で実行するには、.exe サフィックスを追加する必要があることです。
更新
この同様のより良い答えを読んでください:
https://stackoverflow.com/a/14777895/938111
make
(および) CygwinまたはMinGWgcc
を使用して MS-Windows に簡単にインストールできます。
@ldigas が言うように、make
使用してプラットフォームを検出できますUNAME:=$(shell uname)
(コマンドuname
は Cygwin または MinGW インストーラーによってもインストールされます)。
make
以下に、 (および) に基づいた完全な例を示しgcc
、共有ライブラリを構築する方法を説明します:*.so
または*.dll
プラットフォームによって異なります。
例は、簡単に理解できるように基本的/単純です:-)
5 つのファイルを見てみましょう。
├── 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.c)
# '-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 (hello.o)
# '-c $<' => compile the first depended file (hello.c)
# '-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