我正在努力去除可能存在于字符串的开头或结尾的标点符号,或者可能两者都存在。 恩。 “!!你好**” 我希望输出:“Hello”,删除所有标点符号。
char s[] = "!!Hello**";
ch [] = NULL;
int i = 0;
for (i = 0; i < length; i++) {
if ( isalpha(s[i]) ) {
ch[i]=s[i];
} else {
continue;
}
ch[i] = '\0';
}
代码块似乎没有将字符串复制到ch。不知道为什么!!
答案 0 :(得分:3)
您可以在原地进行更改:
#include <ctype.h>
#include <stdio.h>
int main() {
char s[] = "!!Hello**";
size_t pos = 0;
for (char *p = s; *p; ++p)
if (isalpha(*p))
s[pos++] = *p;
s[pos] = '\0';
printf("'%s'\n", s);
}
'Hello'
或仅使用指针:
#include <ctype.h>
#include <stdio.h>
void filter_alpha(char *s) {
for (char *p = s; *p; ++p)
if (isalpha(*p))
*s++ = *p;
*s = '\0';
}
int main() {
char s[] = "!!Hello**";
filter_alpha(s);
printf("'%s'\n", s);
}
#include <assert.h>
#include <ctype.h> // isalpha()
#include <stdio.h>
#include <string.h> // strlen()
char* strip_nonalpha_inplace(char *s) {
for ( ; *s && !isalpha(*s); ++s)
; // skip leading non-alpha chars
if (*s == '\0')
return s; // there are no alpha characters
assert(isalpha(*s));
char *tail = s + strlen(s);
for ( ; !isalpha(*tail); --tail)
; // skip trailing non-alpha chars
assert(isalpha(*tail));
*++tail = '\0'; // truncate after the last alpha
return s;
}
int main() {
char s[] = "!!Hello**";
printf("'%s'\n", strip_nonalpha_inplace(s));
}
答案 1 :(得分:1)
你有一些正确的想法,但在C中处理字符串时你已经错过了一些基本的东西(比如strlen)
此应删除任何前导和尾随的非字母数字ASCII字符。
#include <string.h>
char * remove_outer_punctuation( char * text )
{
int i = 0;
size_t len = 0;
char * start = text;
if ( text == NULL ) return NULL;
len = strlen(text);
if ( len < 1 ) return start;
// advance start to the first alphanum character
for ( i = 0 ; i < len; i++ ){
if ( !isalpha(text[i]) ) {
start++;
} else {
continue;
}
}
// find the final alphanumeric character and
// put a NUL after it
for ( i = len; i > 0; i-- ){
if ( isalpha(text[i] ) continue;
}
text[i+1] = 0x0;
return start;
}
但请注意,这将修改输入字符串(我们插入NUL)。如果您不想这样做,请先使用strcpy。
答案 2 :(得分:0)
您的代码存在一些问题:
ch [] = NULL;
这应该有一个类型的定义:
char ch[15];
不要定义未定义大小的char
数组。
此外,代码中的length
是什么?您可以使用strlen(s)
代替length
,但我认为没有定义。
对于标记化,您可以使用strtok
。
要将字符串从一个数组复制到另一个数组,请使用strcpy_s
。
答案 3 :(得分:0)
删除初始内容:
char * rm_head(char *str) {
while(!isalpha(*str)) str++;
return str;
}
并使用它:
char *rest = rm_head(original);