c++ 编写一段程序,读入一个包含标点符号的字符串,将标点符号去除后输出字 符串剩余的部分。
时间: 2024-05-06 10:21:41 浏览: 141
好的,您可以输入以下代码来实现这个需求:
```c
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
int main()
{
char str[1000];
char punctuations[] = {'.', ',', ':', ';', '?', '!'};
int i, j;
printf("请输入包含标点符号的字符串:\n");
fgets(str, 1000, stdin); // 读入字符串
for(i = 0; str[i] != '\0'; i++)
{
for(j = 0; j < strlen(punctuations); j++)
{
if(str[i] == punctuations[j]) // 如果是标点符号
{
str[i] = ' '; // 将其替换为空格
break;
}
}
}
printf("去除标点符号后的字符串为:\n%s", str);
return 0;
}
```
该程序将读入一个包含标点符号的字符串,并利用两重循环遍历字符串中的每一个字符。当发现某个字符是标点符号时,将其替换为空格。最后输出经过处理后的字符串。
相关问题
用 C++ 编写一段程序,读入一个包含标点符号的字符串,将标点符号去除后输出字 符串剩余的部分。
好的,我可以回答您的问题。以下是用 C 语言编写的程序,可以读入一个包含标点符号的字符串,将标点符号去除后输出字符串剩余的部分:
```
#include <stdio.h>
#include <string.h>
#include <ctype.h>
int main() {
char str[1000], newstr[1000];
int i,j;
printf("请输入一个字符串:\n");
fgets(str, 1000, stdin); // 读入字符串,包括空格和换行符
j = 0; // 记录新字符串的长度
for (i = 0; i < strlen(str); i++) {
if (!ispunct(str[i])) { // 如果不是标点符号
newstr[j] = str[i]; // 将字符存入新字符串
j++; // 新字符串长度加1
}
}
newstr[j] = '\0'; // 添加字符串结束符
printf("去除标点符号后的字符串为:%s\n", newstr);
return 0;
}
```
这个程序首先定义了两个字符数组,一个用于存储用户输入的字符串,另一个用于存储去除标点符号后的字符串。然后程序使用 `fgets` 函数从标准输入中读入用户输入的字符串。
接着程序使用一个循环遍历字符串中的每一个字符,如果字符不是标点符号,就将它存入新字符串中,并让新字符串的长度加1。最后程序添加一个字符串结束符,并输出去除标点符号后的字符串。
希望这个程序能够帮助您解决您的问题。如果您还有其他问题,可以随时问我。
C++程序:编写一段程序,读入一个包含标点符号的字符串,将标点符号去除后输出字 符串剩余的部分
以下是一个简单的 C++ 程序,能够实现去除标点符号的功能:
```c++
#include <iostream>
#include <string>
#include <algorithm>
using namespace std;
int main() {
string s;
getline(cin, s);
s.erase(remove_if(s.begin(), s.end(), [](char c) { return ispunct(c); }), s.end());
cout << s << endl;
return 0;
}
```
这个程序使用了 C++ 的标准库函数 `erase()` 和 `remove_if()`。前者用于删除指定位置的字符,后者用于删除满足某个条件的字符,这里我们使用 `ispunct()` 函数来判断是否为标点符号。
程序首先读入一行字符串,然后使用 `remove_if()` 函数将其中的标点符号删除,最后输出剩余的部分。
阅读全文