大写功能无法正常工作



我正在学习 c++ 的基础知识,我正在尝试编写一个简单的函数,将给定输入中每个单词的每个字母大写。我写了什么:

#include <iostream>
#include <string>
#include <vector>
#include <cctype>
int main()
{
std::cout << "Please enter a sentence: ";
std::vector<std::string> words;
std::string x;
while (std::cin >> x) {
words.push_back((std::string) x);
}
std::cout << std::endl;
std::vector<std::string>::size_type size;
size = words.size();
for (int j = 0; j != size; j++) {
std::string &r = words[j];
for (int i = 0; i != r.length(); i++) {
r = toupper(r[i]);
std::cout << r << std::endl;
}
}
}

返回每个大写单词的首字母。例如,如果我写hello world,程序返回:

H
W

有人可以告诉我我做错了什么以及如何解决它。

for (int j = 0; j != size; j++) {
std::string &r = words[j];
for (int i = 0; i != r.length(); i++) {
r = toupper(r[i]);
std::cout << r << std::endl;
}
}

r = toupper(r[i]);时,您将覆盖r为长度为 1 的字符串。所以你的内for循环条件变得假,你离开了内循环。因此,只打印出每个单词的首字母。

若要解决此问题,请将toupper的返回值保存到其他变量。

for (int j = 0; j != size; j++) {
std::string &r = words[j];
for (int i = 0; i != r.length(); i++) {
char c = toupper(r[i]);
std::cout << c << std::endl;
}
}

你对每个单词的处理都是错误的:

for (int i = 0; i != r.length(); i++) {
r = toupper(r[i]);
std::cout << r << std::endl;
}

您实际需要的是仅修改第一个字母:

r[0] = toupper(r[0]);
std::cout << r << 'n';

为了简化,您的循环:

std::vector<std::string>::size_type size;
size = words.size();
for (int j = 0; j != size; j++) {
std::string &r = words[j];

可以更简洁:

for (std::string &r : words) {

我有一个实用程序类,它只包含static用于执行字符串操作的函数或方法。以下是我的类使用toUppertoLower静态方法的样子:

效用

#ifndef UTILITY_H
#define UTILITY_H
#include <string>
class Utility {
public:
static std::string toUpper( const std::string& str );
static std::string toLower( const std::string& str );
private:
Utility();
};
#endif // UTILITY_H

#include "Utility.h"
#include <algorithm>
std::string Utility::toUpper( const std::string& str ) {
std::string result = str;
std::transform( str.begin(), str.end(), result.begin(), ::toupper );
return result;
}
std::string Utility::toLower( const std::string& str ) {
std::string result = str;
std::transform( str.begin(), str.end(), result::begin(), ::tolower );
return result;
}

用法:

#include <string>
#include <iostream>
#include "Utility.h"
int main() {
std::string strMixedCase = std::string( "hEllO WOrlD" );
std::string lower = Utility::toLower( strMixedCase );
std::string upper = Utility::toUpper( strMixedCase );
std::cout << lower << std::endl;
std::cout << upper << std::endl;
return 0;
}

注意:- 这将对传入的字符串进行完整的字符串操作。如果您尝试在字符串中执行特定字符;您可能需要做一些不同的事情,但这是从如何将<algorithm>'sstd::transform()::toupper一起使用的开始,::tolower

相关内容

  • 没有找到相关文章

最新更新