如何将字符串类型参数传递给c ++方法

时间:2013-07-22 16:00:16

标签: c++ string arguments

我是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)

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

此致 菲利克斯

1 个答案:

答案 0 :(得分:1)

C ++标准库类型std::string位于标题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引用可能会执行。