tags:

views:

43

answers:

3

I have build my code for two different platforms at once using two different compilers and libraries. How can I do this with single make file.

Currently my makefile contents are given below. How can instruct it to change the compiler to gcc with in the same make file

VPATH = /root/Documents/project/src 

CROSS_COMPILE  = /opt/compilers/bin/compiler1
CXX = $(CROSS_COMPILE)-g++
CC = $(CROSS_COMPILE)-gcc
AS = $(CROSS_COMPILE)-as
AR = $(CROSS_COMPILE)-ar
NM = $(CROSS_COMPILE)-nm
LD = $(CROSS_COMPILE)-ld
OBJDUMP = $(CROSS_COMPILE)-objdump
OBJCOPY = $(CROSS_COMPILE)-objcopy
RANLIB = $(CROSS_COMPILE)-ranlib
STRIP = $(CROSS_COMPILE)-strip


CFLAGS       = -c -Wall -D_REENTRANT -DACE_HAS_AIO_CALLS -D_GNU_SOURCE -DACE_HAS_EXCEPTIONS -D__ACE_INLINE__  
LDFLAGS      = -L. -L/etc/ACE_wrappers/lib 
CPPFLAGS     += -I/etc/ACE_wrappers -I/etc/ACE_wrappers/ace 
LDLIBS       = -lACE

OUTPUT_DIRECTORY=/root/Documents/bin
OBJ=/root/Documents/obj

ifneq ($(OUTPUT_DIRECTORY),)
all: $(OUTPUT_DIRECTORY)
$(OUTPUT_DIRECTORY):
    -@$(MKDIR) "$(OUTPUT_DIRECTORY)"
endif

ifneq ($(OBJ),)
all: $(OBJ)
$(OBJ_DIR):
    -@$(MKDIR) "$(OBJ)"
endif

SOURCES=File_1.cpp File_2.cpp 

OBJECTS=$(SOURCES:%.cpp=$(OBJ)/%.o)

$(OBJ)/%.o: %.cpp
    @echo Building Objects
    $(CC) $(CFLAGS) $(CPPFLAGS) $(CXXFLAGS) -c -o $@ $<


EXECUTABLE=MyExecutable

all: $(SOURCES) $(EXECUTABLE)

$(EXECUTABLE): $(OBJECTS) 
    @echo $(SOURCES)
    $(CC) $(LDFLAGS) $(OBJECTS) $(LDLIBS) -o $(OUTPUT_DIRECTORY)/$@

File_1.o:File_1.cpp
File_1.o:File_1.cpp


.PHONY: clean
clean:
    rm $(OBJECTS) $(OUTPUT_DIRECTORY)/$(EXECUTABLE) 
A: 

That would be a lot easier to read if the linebreaks were properly preserved in your post.

Anyway, I expect that you're going to have to have two copies of a number of things in the Makefile, such that it's of the form

all : all-platform1 all-platform2

stuff-platform1 : requirements
    $(CC1) whatever
stuff-platform2 : requirements
    $(CC2) whatever

It's possible that you might be able to auto-generate a makefile like this, to save some effort though.

zebediah49
+1  A: 

Use autoconf. When you configure the project with ./configure, it will automatically choose the one available.

Phong
But I have both the compilers available, I want to define makefile so that I can tell it which compiler to use
siri
You can do `./configure CC="your compiler"` and it will be configured with the one you specify
Phong
+1  A: 

I'd start by putting all the platform-specific defines in a separate makefile. That way you can do:

include $(TARGET).make

Where $(TARGET).make defines CC and other variables for each particular platform. Then you can call make recursively setting TARGET to what you want. Something like:

build:
    $(MAKE) TARGET=platform1 all
    $(MAKE) TARGET=platform2 all

But really there are many, many ways in which you can achieve the same thing.

vanza