我在声明字符串变量时遇到了一些麻烦。代码和错误在这里:http://pastebin.com/TEQCxpZd对我做错了什么的想法?另外,请保持平台独立。谢谢!
#include <stdio.h>
#include <string>
using namespace std;
int main()
{
string input; //Declare variable holding a string
input = scanf; //Get input and assign it to variable
printf(input); //Print text
return 0;
}
Getting this from GCC:
main.cpp: In function ‘int main()’:
main.cpp:53:10: error: invalid conversion from ‘int (*)(const char*, ...)’ to ‘char’
main.cpp:53:10: error: initializing argument 1 of ‘std::basic_string<_CharT, _Traits, _Alloc>& std::basic_string<_CharT, _Traits, _Alloc>::operator=(_CharT) [with _CharT = char, _Traits = std::char_traits<char>, _Alloc = std::allocator<char>, std::basic_string<_CharT, _Traits, _Alloc> = std::basic_string<char>]’
main.cpp:54:14: error: cannot convert ‘std::string’ to ‘const char*’ for argument ‘1’ to ‘int printf(const char*, ...)’
答案 0 :(得分:8)
您正在混合使用c ++和c I / O.在C ++中,这是,
#include <string>
#include <iostream>
int main(void)
{
std::string input;
std::cin >> input;
std::cout << input;
return 0;
}
答案 1 :(得分:2)
无法将'std :: string'转换为'const char *'用于参数'1'到'int printf(const char *,...)'
input = scanf; //Get input and assign it to variable
您正尝试将函数指针分配给scanf
到字符串变量。你不能这样做,这就是你得到第一个错误的原因。正确的语法是。
char buffer[BIG_ENOUGH_SIZE];
scanf("%*s", sizeof(buffer) - 1, buffer);
input = buffer;
但这是一种非常C风格的做事方式。正如Nathan建议的那样,用C ++读取输入的惯用方法是std::cin >> input
。
无法将'std :: string'转换为'const char *'用于参数'1'到'int printf(const char *,...)'
printf(input); //Print text
printf
将const char*
作为其第一个参数,而不是std::string
。您可以使用.c_str()
转换为C风格的字符串。但从不将用户输入作为printf
的第一个参数传递;用户可以通过将%
放入字符串中来做些讨厌的事情。如果你坚持使用C风格的输出,正确的语法是:
printf("%s", input.c_str());
但C ++风格的替代方案是std::cout << input;
。
答案 2 :(得分:1)
我理解的问题是:如何在C ++中创建字符串声明? 这是一个简短的演示程序:
#include<iostream>
#include<cstdlib>
using namespace std;
int main()
{
string your_name;
cout << "Enter your name: ";
cin >> your_name;
cout << "Hi, " << your_name << "!\n";
return 0;
}
因此,在程序开头包含cstdlib。实际上,这意味着键入字符串而不是std :: string,cout而不是std :: cout等等。字符串变量本身(在示例中,字符串变量是your_name)用字符串声明。
我们假设您已使用文件名&#39; str_example.cpp&#39;保存了程序。 要在命令行(在Linux中)编译程序:
g++ -o str_example str_example.cpp
这将创建一个名为str_example的可执行对象文件(无文件扩展名)。 最后,假设您与程序位于同一目录中,运行它:
./str_example
g ++的手册页很多,但默认情况下不包括在内。要使用aptitude包管理器安装g ++文档:
sudo apt-get install gcc-7-doc
请注意&#39; 7&#39;是指版本7;在撰写本文时的当前版本。希望有所帮助。