2

我正在用 NASM 编写 Hello World,我可以让它回Hello World显到控制台,但是如果我不使用 Make 运行它,程序会出现段错误。

使用 Makefile 跟踪:

$ make
nasm -f macho -o hello.o --prefix _ hello.asm
ld -o hello hello.o -arch i386 -lc -macosx_version_min 10.6 -e _start -no_pie
./hello
Hello World!

使用手动命令进行跟踪:

$ nasm -f macho -o hello.o --prefix _ hello.asm
$ ld -o hello hello.o -arch i386 -lc -macosx_version_min 10.6 -e _start -no_pie
$ ./hello 
Segmentation fault: 11

你好.asm:

[bits 32]

section .data

msg: db "Hello World!", 0

section .text

global start
extern puts
extern exit

start:

push msg
call puts
add esp, 4

push 0
call exit

生成文件:

# Linux defaults

FORMAT=-f elf
MINV=
ARCH=-arch i386
LIBS=
RUN=./
EXECUTABLE=hello
PREFIX=
ENTRY=
PIE=

# Windows
ifeq (${MSYSTEM},MINGW32)
    FORMAT=-f win32
    EXECUTABLE=hello.exe
    PREFIX=--prefix _
    ENTRY=-e _start
    ARCH=
    LIBS=c:/strawberry/c/i686-w64-mingw32/lib/crt2.o -Lc:/strawberry/c/i686-w64-mingw32/lib -lmingw32 -lmingwex -lmsvcrt -lkernel32
    ENTRY=
    RUN=
endif

# Mac OS X
ifeq ($(shell uname -s),Darwin)
    FORMAT=-f macho
    PREFIX=--prefix _
    ENTRY=-e _start
    LIBS=-lc
    MINV=-macosx_version_min 10.6
    PIE=-no_pie
endif

all: test

test: $(EXECUTABLE)
    $(RUN)$(EXECUTABLE)

$(EXECUTABLE): hello.o
    ld -o $(EXECUTABLE) hello.o $(ARCH) $(LIBS) $(MINV) $(ENTRY) $(PIE)

hello.o: hello.asm
    nasm $(FORMAT) -o hello.o $(PREFIX) hello.asm

clean:
    -rm $(EXECUTABLE)
    -rm hello.o

眼镜:

  • ld 64-134.9
  • LLVM 3.1svn
  • NASM 0.98.40
  • 制作 3.81
  • Xcode 4.5
  • Mac OS X 10.8.1
  • MacBook Pro 2009
4

2 回答 2

3

两件事,你的 hello world 字符串不是 NULL 终止的,正如我在另一篇文章中提到的,当你使用 C 函数时,你必须在每次调用后调整 esp

于 2012-09-30T01:16:01.573 回答
2

您两次拆除了堆栈框架:

mov esp, ebp
pop ebp
...
leave

你只需要其中一个,因为leave它相当于mov esp, ebp; pop ebp.

有关几个示例 hello world 程序,请参见http://michaux.ca/articles/assembly-hello-world-for-os-x 。请注意,所有这些都显式退出程序

; 2a prepare the argument for the sys call to exit
push dword 0              ; exit status returned to the operating system

; 2b make the call to sys call to exit
mov eax, 0x1              ; system call number for exit
sub esp, 4                ; OS X (and BSD) system calls needs "extra space" on stack
int 0x80                  ; make the system call

因为你不能ret从一个入口点(没有什么可以返回)。

另请注意,如果您调用该函数main并且不提供 的e选项ld,则将libc调用 的入口点。在这种情况下,这是允许的,ret因为您将控制权交还给(代表您libc调用)。exit

于 2012-09-30T01:14:08.720 回答