更改数组中的字母为3个不同的字母

时间:2015-01-19 21:46:41

标签: c arrays char

我需要以某种方式更改数组中的文本,无论我有a个字符,我都需要将其更改为123

示例:对于给定的文字:ayasxka我应该这样:12123k123或此12323k123文字。

我几乎可以使用它,但数字之间没有k,而是s,我的意思是,这是我的结果:12123s123

int main()
{
    int i, j = 0;
    char t[] = "ayasxka";
    char *r = malloc(sizeof(char) * (strlen(t) + 2));
    memset(r, '\0', (strlen(t) + 1));

    for(i=0; t[i] != '\0'; i++)
    {
        if(t[i] == 'a')
        {
            r[i] = '1';
            r[i+1] = '2';
            r[i+2] = '3';
        }
        else
            r[i+2] = t[i];
    }

    printf("%s\n", r);
    free(r);

    return 0;
}

3 个答案:

答案 0 :(得分:2)

问题是strlen(t) + 2是不够的,考虑最坏的情况,即字符串只是由a个字符组成,那么它应该是

char *r = malloc(3 * strlen(t) + 1);

szieof(char) == 1顺便说一句是疯狂的。

你需要一个计数器来表示r字符串中的位置,比如j

试试这个

#include <stdlib.h>
#include <string.h>
#include <stdio.h>

int main()
{
    int i, j = 0;
    char t[] = "ayasxka";
    /* don't call strlen multiple times, store the value if it wont change */
    size_t length = strlen(t);

    /* it doesn't matter how unlikely malloc will fail, check that + */
    char *r = malloc(3 * length + 1); /*                           | */
    if (r == NULL) /* <--------------------------------------------+ */
        return -1;
    for (i = 0 ; t[i] != '\0' ; i++)
    {
        if(t[i] == 'a')
        {
            r[j++] = '1';
            r[j++] = '2';
            r[j++] = '3';
        }
        else
            r[j++] = t[i];
    }
    /* you don't need the memset */
    r[j] = '\0';

    printf("%s\n", r);
    free(r);

    return 0;
}

答案 1 :(得分:2)

在您的算法中,您应该使用:

for(i=0; t[i] != '\0'; i++)
{
    if(t[i] == 'a')
    {
        j = i;
        r[j++] = '1';
        r[j++] = '2';
        r[j++] = '3';
    }
    else if(j==i)
        r[j++] = t[i];
}
r[j] = '\0';

并且在malloc中,您应该为'\0'添加+1个字符,因为strlen()不计算在内,所以

char *r = malloc(3 + strlen(t));

而不是

char *r = malloc(2 + strlen(t));

这将为您提供12123k123

答案 2 :(得分:0)

int i;// j = 0;//unused `j`
char t[] = "ayasxka";
char *r = calloc(strlen(t) + 2 + 1, sizeof(char));//change size, +2: for last a, +1: for NUL
//memset(r, '\0', (strlen(t) + 1));//calloc initialize by 0

for(i=0; t[i] != '\0'; i++){
    if(t[i] == 'a'){
        r[i]   = '1';
        r[i+1] = '2';
        r[i+2] = '3';
    }
    else if(r[i] == '\0'){//Not yet been set to the value
        r[i] = t[i];
    }
}

printf("%s\n", r);//12123k123
free(r);

char t[] = "ayasxka";
int i, len = strlen(t);
char *r = calloc(len + 2 + 1, sizeof(char));

for(i=len-1; i>=0; --i){
    if(t[i] == 'a'){
        r[i]   = '1';
        r[i+1] = '2';
        r[i+2] = '3';
    }
    else if(r[i] == '\0'){
        r[i] = t[i];
    }
}

printf("%s\n", r);//12323k123
free(r);