0

我是一个 C++ 菜鸟,几个小时以来一直在摆弄以下问题。希望有人能启发我。

我有一个内容如下的 cpp 文件:

test.cpp 文件内容

#include <iostream>
#include <exception>
#include <stdlib.h>
#include <string.h>
using std::cin; using std::endl;
using std::string;


string foobar(string bar) {
  return "foo" + bar;
}

int main(int argc, char* argv[])
{
    string bar = "bar";
    System::convCout << "Foobar: " << foobar(bar) << endl;
}

这个编译和运行良好。现在我想把 foobar 放到一个外部库中:

mylib.h 文件内容

string foobar(string bar);

mylib.cpp 文件内容

#include <string.h>
using std::cin; using std::endl;
using std::string;

string foobar(string bar) {
  return "foo" + bar;
}

test.cpp 文件内容

#include <iostream>
#include <exception>
#include <stdlib.h>
#include "mylib.h"

int main(int argc, char* argv[])
{
    string bar = "bar";
    System::convCout << "Foobar: " << foobar(bar) << endl;
}

我调整了我的 Makefile,以便 test.cpp 编译并链接 mylib,但我总是遇到错误:

test.cpp::8 undefined reference to `foobar(std::string)

我如何处理字符串参数?我的尝试在这里似乎完全错误。

问候菲利克斯

4

1 回答 1

1

C++ 标准库类型std::string在 header 中string。要使用它,您必须包含<string>,而不是<string.h>。你mylib.h应该看起来像

#ifndef MYLIB_H
#define MYLIB_H

#include <string>

std::string foobar(std::string bar);

#endif

mylib.cpp应该包括它:

#include "mylib.h"

std::string foobar(std::string bar) {
  return "foo" + bar;
}

请注意,可能不需要bar按值传递。查看您的代码,const参考可能会起作用。

于 2013-07-22T16:18:20.517 回答