如何使Makefile可执行?

如何使Makefile可执行?

我有一个 Makefile,我想make在双击它时自动运行(从 Ubuntu 文件管理器)。因此,我使这个 Makefile 可执行,并在其顶部添加了以下 shebang 行:

#!/usr/bin/make -f

当我跑步时/usr/bin/make -f Makefile,我得到了想要的结果。

但是,当我双击 Makefile 或只是运行 时./Makefile,出现错误:

: No such file or directory
clang-9      -o .o
clang: error: no input files
make: *** [<builtin>: .o] Error 1

使我的 Makefile 可执行的正确方法是什么?

以下是我的 makefile 的全部内容:

#!/usr/bin/make -f

# A makefile for building pdf files from the text (odt files) and slides (odp files).
# Author: Erel Segal-Halevi
# Since: 2019-02

SOURCES_ODP=$(shell find . -name '*.odp')
TARGETS_ODP=$(subst .odp,.pdf,$(SOURCES_ODP))
SOURCES_ODT=$(shell find . -name '*.odt')
TARGETS_ODT=$(subst .odt,.pdf,$(SOURCES_ODT))
SOURCES_DOC=$(shell find . -name '*.doc*')
TARGETS_DOC=$(subst .doc,.pdf,$(subst .docx,.pdf,$(SOURCES_DOC)))
SOURCES_ODS=$(shell find . -name '*.ods')
TARGETS_XSLX=$(subst .ods,.xlsx,$(SOURCES_ODS))

all: $(TARGETS_ODP) $(TARGETS_ODT) $(TARGETS_DOC) $(TARGETS_XSLX)
    #
    -git commit -am "update pdf files"
    -git push
    echo Done!
    sleep 86400

%.pdf: %.odt
    #
    libreoffice --headless --convert-to pdf $< --outdir $(@D)
    -git add $@
    -git add $<
    
%.pdf: %.doc*
    #
    libreoffice --headless --convert-to pdf $< --outdir $(@D)
    -git add $@
    -git add $<

%.pdf: %.odp
    #
    libreoffice --headless --convert-to pdf $< --outdir $(@D)
    -git add $@
    -git add $<

%.xlsx: %.ods
    #
    libreoffice --headless --convert-to xlsx $< --outdir $(@D)
    -git add $@
    -git add $<

clean:
    rm -f *.pdf

答案1

#!/usr/bin/make -f是一个允许执行 Makefile 的有效 shebang。 Makefile 的问题不在于它的 shebang,而在于它使用了 Windows 行结束符;如果你解决这个问题例如

sed -i $'s/\r$//' Makefile

你的 Makefile 将正确运行。

make使用运行这样的 Makefile 和直接运行它之间的区别在于,在后一种情况下,由于 Windows 行结尾,make被调用为

make -f $'\r'Makefile

这会产生“没有这样的文件或目录”错误,因为不存在名称由单个回车符组成的文件。当 Make 被要求将一个文件作为 Makefile 处理时,它会尝试生成该文件或在必要时更新该文件;由于 Make 在这里查找的文件丢失,因此它会尝试创建它。这会调用Make的内置规则,这就是 C 编译器调用的来源。

相关内容