0

我不明白为什么它没有正确编译,链接器报告缺少符号:

架构 x86_64 的未定义符号:“bool swinadventure::Utils::is_last<__gnu_cxx::__normal_iterator > >, std::vector > >(__gnu_cxx::__normal_iterator > >, std::vector > const&)”,引用自:swinadventure ::Inventory::get_item_list(std::string, std::string) 在 Inventory.cpp.o

因为在这个过程的早期我也看到了这个错误:/usr/bin/ranlib: file: liblibswinadventure.a(Utils.cpp.o) has no symbols我认为它由于某种原因没有正确编译 utils 文件。

作为参考,我在安装和链接大多数自制工具的 Mac OS X 10.7 系统上使用 CMake。

实用程序.h

#ifndef UTILS_H_
#define UTILS_H_

#include <vector>

namespace swinadventure {

/**
 * Static class for various utilities and helper functions
 */
class Utils {
public:
    template <typename Iter>
    static Iter next_iterator(Iter iter);
    template <typename Iter, typename Cont>
    static bool is_last(Iter iter, const Cont& cont);
};

} /* namespace swinadventure */
#endif /* UTILS_H_ */

实用程序.cpp

#include "Utils.h"

namespace swinadventure {

/**
 * Returns the next iterator
 * http://stackoverflow.com/questions/3516196/testing-whether-an-iterator-points-to-the-last-item
 * @param iter
 * @return
 */
template <typename Iter>
Iter Utils::next_iterator(Iter iter) {
    return ++iter;
}

/**
 * Checks if the iterator is the last of the vector array
 * http://stackoverflow.com/questions/3516196/testing-whether-an-iterator-points-to-the-last-item
 * @param iter  iterator
 * @param cont  vector array
 * @return
 */
template <typename Iter, typename Cont>
bool Utils::is_last(Iter iter, const Cont& cont)
{
    return (iter != cont.end()) && (next_iterator(iter) == cont.end());
}

} /* namespace swinadventure */
4

2 回答 2

1

将模板函数定义移动到标题。

链接器告诉您,在编译Inventory.cpp时,需要一个特殊的实例化Utils::is_last,但无法创建它的定义。

在编译Utils.cpp时, 的定义Utils::is_last是可用的,但不需要实例化。

因此,两个源文件都无法在编译时创建该函数。

于 2012-09-15T16:04:09.297 回答
1

当你声明一个模板时,<> 中的变量会成为传递的类型的替身,因此这些变量的使用方式与类相同,只需要声明一次。因此template <typename Iter, typename Cont>can 应该被视为一个类定义,并移到class Utils {定义之外。的其他实例也template应该被删除,尤其是在Utils::func()定义之前。就目前而言,您基本上是在告诉它“创建一个名为 Iter 的类。创建一个名为 Iter 的类。创建一个名为 Iter 的类,等等。” 一旦遇到“Iter”类型的变量,它就不知道应该使用哪个变量。这个网站应该有助于模板,值得一看:

http://www.parashift.com/c++-faq/templates.html

于 2012-09-15T16:17:02.723 回答