2

为了教育目的,我在一个简单的 C 代码中有一个奇怪的行为。

如果我用低于 -O2 的东西编译它,它会在链接编辑期间用这个输出中断。

$ make
clang -Wall -march=native -pipe -c -g -D_DEBUG_ main.c
clang -Wall -march=native -pipe -c -g -D_DEBUG_ functions.c
clang -Wall -o main main.o functions.o 
Undefined symbols for architecture x86_64:
  "_getbit", referenced from:
      _getValueFromMatrix in functions.o
  "_setbit", referenced from:
      _populateMatrix in functions.o
ld: symbol(s) not found for architecture x86_64
clang: error: linker command failed with exit code 1 (use -v to see invocation)
make: *** [main] Error 1

我不知道这是否有帮助,但这里是 setbit(); 的实现。和getbit();

inline void setbit(uint64_t *inteiro, unsigned char pos) {
    *(uint64_t*)inteiro |= (uint64_t)1 << pos;
}

inline bool getbit(uint64_t inteiro, unsigned char pos) {
    return (inteiro & ((uint64_t)1 << pos));
}

编辑:

函数.h

#ifndef __FUNCTIONS_H__
#define __FUNCTIONS_H__

/* Funções para manipulação de bits */

inline void setbit(uint64_t *, unsigned char);

inline void clearbit(uint64_t *, unsigned char);

inline bool getbit(uint64_t, unsigned char);

inline unsigned char getbitChar(uint64_t, unsigned char);

char *uint64_t2bin(uint64_t, char *, int);

#endif

包含在 main.c 中

#include <stdio.h>
#include <stdlib.h>
#include <stdint.h>
#include <stdbool.h>
#include <string.h>

#include "errors.h"
#include "const.h"
#include "types.h"
#include "functions.h"
4

2 回答 2

1

inline只有在 .h 文件中有函数定义时才可以使用。它基本上告诉编译器它不应该在每个编译单元(您的 .c 文件)中为函数生成代码。

如果 .h 文件中没有这样的定义,就像这里看起来的那样,根本不要使用inline,这没有任何意义。

如果您担心定义inline函数的单元中其他函数的效率,那么您真的不需要它。编译器将内联它拥有的任何函数,并且它的标准表明它值得这样做。

如果您真的想将定义放在头文件中,以便所有单元都可以看到定义,使用inline. 在这种情况下,您必须在一个单元中包含您的函数的“实例化”,以确保代码只发布一次:

extern inline void setbit(uint64_t *, unsigned char);
extern inline void clearbit(uint64_t *, unsigned char);
extern inline bool getbit(uint64_t, unsigned char);
extern inline unsigned char getbitChar(uint64_t, unsigned char);
于 2013-09-22T07:12:36.670 回答
0

内联函数没有任何外部定义,因此当编译器无法内联它们时(它不会在 处做-O0),链接器无法找到定义,并导致错误。最简单的解决方法是更改inline​​为static inline. 非静态内联很难使用、令人困惑并且通常没有用处。

于 2013-09-22T03:27:38.887 回答