移除字符串中元音(C++)
下面这个 C++ 程序说明了如何从一个给定的字符串中移除元音 (a、e、i、u、o)。在此上下文中,我们创建了一个新的字符串并逐个字符处理输入字符串,如果找到元音则将其排除在新字符串中,否则在字符串末尾添加该字符,字符串结束后我们将新字符串复制到原始字符串中。该算法如下;
算法
START Step-1: Input the string Step-3: Check vowel presence, if found return TRUE Step-4: Copy it to another array Step-5: Increment the counter Step-6: Print END
根据上述算法,用 c++ 编写的以下代码如下所示;
示例
#include <iostream> #include <string.h> #include <conio.h> #include <cstring> using namespace std; int vowelChk(char); int main(){ char s[50], t[50]; int c, d = 0; cout<<"Enter a string to delete vowels\n"; cin>>s; for(c = 0; s[c] != '\0'; c++) { // check for If not a vowel if(vowelChk(s[c]) == 0){ t[d] = s[c]; d++; } } t[d] = '\0'; strcpy(s, t); cout<<"String after delete vowels:"<<s; return 0; } int vowelChk(char ch){ if (ch == 'a' || ch == 'A' || ch == 'e' || ch == 'E' || ch == 'i' || ch == 'I' || ch =='o' || ch=='O' || ch == 'u' || ch == 'U') return 1; else return 0; }
这个 C++ 程序从一个字符串中删除元音:如果输入字符串是 "ajaykumar",它的结果将是 "jykmr"。最后,我们得到一个没有元音的字符串。
输出
Enter a string to delete vowels ajaykumar String after delete vowels:jykmr
广告