为什么将函数参数复制到局部变量?

时间:2013-01-25 10:05:40

标签: c string.h

strlcpy.c将参数复制到局部变量的原因是什么:

size_t
strlcpy(char *dst, const char *src, size_t siz)
{
    char *d = dst;
    const char *s = src;
    size_t n = siz;

    /* Copy as many bytes as will fit */
    if (n != 0) {
        while (--n != 0) {
            if ((*d++ = *s++) == '\0')
                break;
        }
    }

    /* Not enough room in dst, add NUL and traverse rest of src */
    if (n == 0) {
        if (siz != 0)
            *d = '\0';      /* NUL-terminate dst */
        while (*s++)
            ;
    }

    return(s - src - 1);    /* count does not include NUL */
}

更新

我添加了身体。

5 个答案:

答案 0 :(得分:5)

一个非常常见的原因是变量在函数中被修改,然后在表达式中与参数一起使用。

例如,该函数可能会修改变量n,稍后会执行此操作。 return siz - n;

答案 1 :(得分:1)

实际上在其余代码中需要siz和src来计算一些东西:

/* Not enough room in dst, add NUL and traverse rest of src */
if (n == 0) {
    if (siz != 0)
        *d = '\0';      /* NUL-terminate dst */
    while (*s++)
        ;
}

return(s - src - 1);    /* count does not include NUL */

但我不明白为什么dst会在本地复制。也许只是为了对称。

答案 2 :(得分:1)

至少对于src参数,它用于计算返回的长度。该函数的最后一行显示:

return(s - src - 1);

dst参数而言,它实际上并不需要,但可能已经完成了一致性。它可能并不重要,因为一个体面的优化编译器可能不会受到这个看似额外的变量的影响。

答案 3 :(得分:1)

对于dstd,我认为,仅适用于simmetry。对于其他变量,它们在“代码”中使用它们的初始值和更新值。

答案 4 :(得分:0)

size_t
strlcpy(char *dst, const char *src, size_t siz)
{                     ^-------------------------->constant so must not be modified. that's why a temp variable is needed for modification.     
    char *d = dst;     <-- useless may be.
    const char *s = src;
    size_t n = siz;      

    /* Copy as many bytes as will fit */
    if (n != 0) {        
        while (--n != 0) {
            if ((*d++ = *s++) == '\0')
                break;
        }
    }

    /* Not enough room in dst, add NUL and traverse rest of src */
    if (n == 0) {                    <-- new n arg.
        if (siz != 0)              <---  original siz arg
            *d = '\0';      /* NUL-terminate dst */
        while (*s++)
            ;
    }

    return(s - src - 1);    /* count does not include NUL */  <-- using the original and modified values of s and src together.
}