使用makefile将时间戳插入可执行文件名

时间:2012-09-17 16:47:33

标签: c++ makefile

我有一个简单的make文件,我想将当前日期和时间插入它创建的可执行文件中。

类似于:NOW=$(date +"%c")附加到exe名称。最好的方法是什么?

谢谢!

1 个答案:

答案 0 :(得分:7)

我想你已经有了Makefile来创建应用程序。所以这是你可能会添加的内容:

# Use ':=' instead of '=' to avoid multiple evaluation of NOW.
# Substitute problematic characters with underscore using tr,
#   make doesn't like spaces and ':' in filenames.
NOW := $(shell date +"%c" | tr ' :' '__')

# Main target - your app + "date"
all: foo_$(NOW)

# Normal taget for your app which already have.
foo: foo.cpp

# Copy "normal" app to app_DATE
# You'll rater want copy then move, otherwise make will have
#   to link your app again during each execution (unless that's
#   exactly what you want).
foo_$(NOW): foo
    cp $^ $@

请注意将':'替换为'_'。如上所示here如果date包含冒号make,则可能无法解析Makefile。

目前我无法访问Mac OS X,所以这只是在Ubuntu上测试过,但我曾经在Mac机器上工作一次,我没有发现make有任何显着差异。所以它也适合你。

---编辑---

正如Beta正确评论的那样,上述方法每次调用make时都会创建包含当前日期的新副本。有时可能会有所需要,所以我会留下它,并提出以下情况的替代方案:

# Same as above...
NOW := $(shell date +"%c" | tr ' :' '__')

# Default target
all: foo  # <-- not foo_$(NOW) anymore, foo_$(NOW) target is removed altogether

OBJ := foo.o bar.o  # other ...

# Normal taget for your app which already have, but...
foo: $(OBJ)
    $(CXX) $(LDFLAGS) $^ -o $@
    cp $@ $@_$(NOW)  # <-- additional copy at the end (read on below)

为什么foo_$(NOW)目标已消失?因为想要创建应用的日期标记副本,如果您修改了应用程序本身。这意味着您无法创建目标,因为make 总是创建副本(如上图所示)。

然而,这意味着make不知道副本的存在。 make在启动时创建的依赖关系图中不存在该副本。因此,副本不能用作任何其他目标的先决条件。这不是一个缺点,但直接的结果是,如果我们要创建副本,我们不会提前知道。 (如果某人有办法克服这个问题而不进行二次制作,请放纵我:))。