打开APP
userphoto
未登录

开通VIP,畅享免费电子书等14项超值服

开通VIP
Linkers and Loaders(Sandeep Grover, LinuxJournal.com, November 2002)

Linkers and Loaders

Linking is theprocess of combining various pieces of code and data together toform a single executable that can be loaded in memory. Linking canbe done at compile time, at load time (by loaders) and also at runtime (by application programs). The process of linking dates backto late 1940s, when it was done manually. Now, we have linkers that support complex features, such asdynamically linked shared libraries. This article is a succinctdiscussion of all aspects of linking, ranging from relocation andsymbol resolution to supporting position-independent sharedlibraries. To keep things simple and understandable, I target allmy discussions to ELF (executable and linking format) executableson the x86 architecture (Linux) and use the GNU compiler (GCC) andlinker (ld). However, the basic concepts of linking remain thesame, regardless of the operating system, processor architecture orobject file format being used.

Compiler, Linker and Loader in Action: theBasics

Consider two program files, a.c and b.c. As we invoke the GCCon a.c b.c at the shell prompt, the following actions takeplace:

gcc a.c b.c
  • Run preprocessor on a.c and store the result in intermediate preprocessed file.

    cpp  other-command-line options  a.c /tmp/a.i
  • Run compiler proper on a.i and generate the assembler code in a.s

    cc1  other-command-line options  /tmp/a.i  -o /tmp/a.s
  • Run assembler on a.s and generate the object file a.o

    as  other-command-line options  /tmp/a.s  -o /tmp/a.o

cpp, cc1 and as are the GNU's preprocessor, compiler properand assembler, respectively. They are a part of the standard GCCdistribution.

Repeat the above steps for file b.c. Now we have anotherobject file, b.o. The linker's job is to take these input objectfiles (a.o and b.o) and generate the final executable:

   ld  other-command-line-options  /tmp/a.o /tmp/b.o -o a.out

The final executable (a.out) then is ready to be loaded. Torun the executable, we type its name at the shell prompt:

./a.out

The shell invokes the loader function, which copies the codeand data in the executable file a.out into memory, and thentransfers control to the beginning of the program. The loader is aprogram called execve, which loads the code and data of theexecutable object file into memory and then runs the program byjumping to the first instruction.

a.out was first coined as the Assembler OUTput in a.outobject files. Since then, object formats have changed variedly, butthe name continues to be used.

Linkers vs. Loaders

Linkers and loaders perform various related but conceptuallydifferent tasks:

  • Program Loading. This refers to copying a program image from hard disk to the main memory in order to put the program in a ready-to-run state. In some cases, program loading also might involve allocating storage space or mapping virtual addresses to disk pages.

  • Relocation. Compilers and assemblers generate the object code for each input module with a starting address of zero. Relocation is the process of assigning load addresses to different parts of the program by merging all sections of the same type into one section. The code and data section also are adjusted so they point to the correct runtime addresses.

  • Symbol Resolution. A program is made up of multiple subprograms; reference of one subprogram to another is made through symbols. A linker's job is to resolve the reference by noting the symbol's location and patching the caller's object code.

So a considerable overlap exists between the functions oflinkers and loaders. One way to think of them is: the loader doesthe program loading; the linker does the symbol resolution; andeither of them can do the relocation.

Object Files

Object files comes in three forms:

  • Relocatable object file, which contains binary code and data in a form that can be combined with other relocatable object files at compile time to create an executable object file.

  • Executable object file, which contains binary code and data in a form that can be directly loaded into memory and executed.

  • Shared object file, which is a special type of relocatable object file that can be loaded into memory and linked dynamically, either at load time or at run time.

Compilers and assemblers generate relocatable object files(also shared object files). Linkers combine these object filestogether to generate executable object files.

Object files vary from system to system. The first UNIXsystem used the a.out format. Early versions of System V used theCOFF (common object file format). Windows NT uses a variant of COFFcalled PE (portable executable) format; IBM uses its own IBM 360format. Modern UNIX systems, such as Linux and Solaris use the UNIXELF (executable and linking format). This article concentratesmainly on ELF.

ELF Header

.text

.rodata

.data

.bss

.symtab

.rel.text

.rel.data

.debug

.line

.strtab

The above figure shows the format of a typical ELFrelocatable object file. The ELF header starts with a 4-byte magicstring, \177ELF. The various sections in the ELF relocatable objectfile are:

  • .text, the machine code of the compiled program.

  • .rodata, read-only data, such as the format strings in printf statements.

  • .data, initialized global variables.

  • .bss, uninitialized global variables. BSS stands for block storage start, and this section actually occupies no space in the object file; it is merely a placer holder.

  • .symtab, a symbol table with information about functions and global variables defined and referenced in the program. This table does not contain any entries for local variables; those are maintained on the stack.

  • .rel.text, a list of locations in the .text section that need to be modified when the linker combines this object file with other object files.

  • .rel.data, relocation information for global variables referenced but not defined in the current module.

  • .debug, a debugging symbol table with entries for local and global variables. This section is present only if the compiler is invoked with a -g option.

  • .line, a mapping between line numbers in the original C source program and machine code instructions in the .text section. This information is required by debugger programs.

  • .strtab, a string table for the symbol tables in the .symtab and .debug sections.

Symbols and Symbol Resolution

Every relocatable object file has a symbol table andassociated symbols. In the context of a linker, the following kindsof symbols are present:

  • Global symbols defined by the module and referenced by other modules. All non-static functions and global variables fall in this category.

  • Global symbols referenced by the input module but defined elsewhere. All functions and variables with extern declaration fall in this category.

  • Local symbols defined and referenced exclusively by the input module. All static functions and static variables fall here.

The linker resolves symbol references by associating eachreference with exactly one symbol definition from the symbol tablesof its input relocatable object files. Resolution of local symbolsto a module is straightforward, as a module cannot have multipledefinitions of local symbols. Resolving references to globalsymbols is trickier, however. At compile time, the compiler exportseach global symbol as either strong or weak. Functions andinitialized global variables get strong weight, while globaluninitialized variables are weak. Now, the linker resolves thesymbols using the following rules:

  1. Multiple strong symbols are not allowed.

  2. Given a single strong symbol and multiple weak symbols, choose the strong symbol.

  3. Given multiple weak symbols, choose any of the weak symbols.

For example, linking the following two programs produceslinktime errors:

/* foo.c */               /* bar.c */
int foo () { int foo () {
return 0; return 1;
} }
int main () {
foo ();
}

The linker will generate an error message because foo (strongsymbol as its global function) is defined twice.

gcc foo.c bar.c
/tmp/ccM1DKre.o: In function 'foo':
/tmp/ccM1DKre.o(.text+0x0): multiple definition of 'foo'
/tmp/ccIhvEMn.o(.text+0x0): first defined here
collect2: ld returned 1 exit status

Collect2 is a wrapper over linker ld that is called byGCC.

A static library is a collection of concatenated object filesof similar type. These libraries are stored on disk in an archive.An archive also contains some directory information that makes itfaster to search for something. Each ELF archive starts with themagic eight character string !<arch>\n, where \n is anewline.

Static libraries are passed as arguments to compiler tools(linker), which copy only the object modules referenced by theprogram. On UNIX systems, libc.a contains all the C libraryfunctions, including printf and fopen, that are used by most of theprograms.

gcc foo.o bar.o /usr/lib/libc.a /usr/lib/libm.a

libm.a is the standard math library on UNIX systems thatcontains the object modules for math functions such as like sqrt,sin, cos and so on.

During the process of symbol resolution using staticlibraries, linker scans the relocatable object files and archivesfrom left to right as input on the command line. During this scan,linker maintains a set of O, relocatable object files that go intothe executable; a set U, unresolved symbols; and a set of D,symbols defined in previous input modules. Initially, all threesets are empty.

  • For each input argument on the command line, linker determines if input is an object file or an archive. If input is a relocatable object file, linker adds it to set O, updates U and D and proceeds to next input file.

  • If input is an archive, it scans through the list of member modules that constitute the archive to match any unresolved symbols present in U. If some archive member defines any unresolved symbol that archive member is added to the list O, and U and D are updated per symbols found in the archive member. This process is iterated for all member object files.

  • After all the input arguments are processed through the above two steps, if U is found to be not empty, linker prints an error report and terminates. Otherwise, it merges and relocates the object files in O to build the output executable file.

This also explains why static libraries are placed at the endof the linker command. Special care must be taken in cases ofcyclic dependencies between libraries. Input libraries must beordered so each symbol is referenced by a member of an archive andat least one definition of a symbol is followed by a reference toit on the command line. Also, if an unresolved symbol is defined inmore than one static library modules, the definition is picked fromthe first library found in the command line.

Relocation

Once the linker has resolved all the symbols, each symbolreference has exactly one definition. At this point, linker startsthe process of relocation, which involves the following twosteps:

  • Relocating sections and symbol definitions. Linker merges all the sections of the same type into a new single section. For example, linker merges all the .data sections of all the input relocatable object files into a single .data section for the final executable. A similar process is carried out for the .code section. The linker then assigns runtime memory addresses to new aggregate sections, to each section defined by the input module and also to each symbol. After the completion of this step, every instruction and global variable in the program has a unique loadtime address.

  • Relocating symbol reference within sections. In this step, linker modifies every symbol reference in the code and data sections so they point to the correct loadtime addresses.

Whenever assembler encounters an unresolved symbol, itgenerates a relocation entry for that object and places it in the.relo.text/.relo.data sections. A relocation entry containsinformation about how to resolve the reference. A typical ELFrelocation entry contains the following members:

  • Offset, a section offset of the reference that needs to be relocated. For a relocatable file, this value is the byte offset from the beginning of the section to the storage unit affected by relocation.

  • Symbol, a symbol the modified reference should point to. It is the symbol table index with respect to which the relocation must be made.

  • Type, the relocation type, normally R_386_PC32, that signifies PC-relative addressing. R_386_32 signifies absolute addressing.

The linker iterates over all the relocation entries presentin the relocatable object modules and relocates the unresolvedsymbols depending on the type. For R_386_PC32, the relocatingaddress is calculated as S + A - P; for R_386_32 type, the addressis calculated as S + A. In these calculations, S denotes the valueof the symbol from the relocation entry, P denotes the sectionoffset or address of the storage unit being relocated (computedusing the value of offset from relocation entry) and A is theaddress needed to compute the value of the relocatablefield.

Static libraries above have some significant disadvantages;for example, consider standard functions such as printf and scanf.They are used almost by every application. Now, if a system isrunning 50-100 processes, each process has its own copy ofexecutable code for printf and scanf. This takes up significantspace in the memory. Shared libraries, on the other hand, addressthe disadvantages of static libraries. A shared library is anobject module that can be loaded at run time at an arbitrary memoryaddress, and it can be linked to by a program in memory. Sharedlibraries often are called as shared objects. On most UNIX systemsthey are denoted with a .so suffix; HP-UX uses a .sl suffix andMicrosoft refer to them as DLLs (dynamic link libraries).

To build a shared object, the compiler driver is invoked witha special option:

gcc -shared -fPIC -o libfoo.so a.o b.o

The above command tells the compiler driver to generate ashared library, libfoo.so, comprised of the object modules a.o andb.o. The -fPIC option tells the compiler to generate positionindependent code (PIC).

Now, suppose the main object module is bar.o, which hasdependencies on a.o and b.o. In this case, the linker is invokedwith:

gcc bar.o ./libfoo.so

This command creates an executable file, a.out, in a formthat can be linked to libfoo.so at load time. Here a.out does notcontain the object modules a.o and b.o, which would have beenincluded had we created a static library instead of a sharedlibrary. The executable simply contains some relocation and symboltable information that allow references to code and data inlibfoo.so to be resolved at run time. Thus, a.out here is apartially executable file that still has its dependency inlibfoo.so. The executable also contains a .interp section thatcontains the name of the dynamic linker, which itself is a sharedobject on Linux systems (ld-linux.so). So, when the executable isloaded into memory, the loader passes control to the dynamiclinker. The dynamic linker contains some start-up code that mapsthe shared libraries to the program's address space. It then doesthe following:

  • relocates the text and data of libfoo.so into memory segment; and

  • relocates any references in a.out to symbols defined by libfoo.so.

Finally, the dynamic linker passes control to theapplication. From this point on, location of shared object is fixedin the memory.

Loading Shared Libraries fromApplications

Shared libraries can be loaded from applications even in themiddle of their executions. An application can request a dynamiclinker to load and link shared libraries, even without linkingthose shared libraries to the executable. Linux, Solaris and othersystems provides a series of function calls that can be used todynamically load a shared object. Linux provides system calls, suchas dlopen, dlsym and dlclose, that can be used to load a sharedobject, to look up a symbol in that shared object and to close theshared object, respectively. On Windows, LoadLibrary andGetProcAddress functions replace dlopen and dlsym,respectively.

Here's a list of Linux tools that can be used to exploreobject/executable files.

  • ar: creates static libraries.

  • objdump: this is the most important binary tool; it can be used to display all the information in an object binary file.

  • strings: list all the printable strings in a binary file.

  • nm: lists the symbols defined in the symbol table of an object file.

  • ldd: lists the shared libraries on which the object binary is dependent.

  • strip: deletes the symbol table information.

Suggested Reading

Linkers andLoaders by John Levine

Linkersand Libraries Guide from Sun

Sandeep Grover works forQuickLogic Software(India) Pvt. Ltd.

[注]:潘爱民的《程序员的自我修养:链接、装载与库》亦可作参考


本站仅提供存储服务,所有内容均由用户发布,如发现有害或侵权内容,请点击举报
打开APP,阅读全文并永久保存 查看更多类似文章
猜你喜欢
类似文章
【热】打开小程序,算一算2024你的财运
What is the Symbol Table and What is the Global Offset Table? » Grant Curell
ELF文件格式解析
object-c Error --->>> duplicate symbol _kReachabilityChangedNotification in:
Introduction to PIC
[LLVMdev] Proposal: MCLinker
利用C语言创建和使用DLL文件
更多类似文章 >>
生活服务
热点新闻
分享 收藏 导长图 关注 下载文章
绑定账号成功
后续可登录账号畅享VIP特权!
如果VIP功能使用有故障,
可点击这里联系客服!

联系客服