C++ 拷贝操作

目录

一 strcpy

  1. 头文件< cstring >

  2. 语法

    char* strcpy( char* dest, const char* src );
    
  3. 解释

    • 拷贝src到dest中,包括结束空字符
    • 如果dest不够大或者两个字符串的范围有重叠,其行为未定义
    • 返回值为dest
  4. demo

    // strcpy
    char *s1 = "1234";
    char s2[3] = {0};

    strcpy(s2, s1);

    std::cout << "s1: " << s1 << std::endl;
    std::cout << "s2: " << s2 << std::endl;

二 strncpy

  1. 头文件< cstring >

  2. 语法

    char *strncpy( char *dest, const char *src, std::size_t count );
    
  3. 解释

    • 拷贝src一定数量的字符到dest中,包括结束空字符
    • 如果count比src的长度小,则dest将不是以空字符结尾
    • 如果count比src的长度大,则继续填充空字符到dest中
  4. demo

    // strncpy
    char *s1 = "1234";
    char s2[10] = {0};

    strncpy(s2, s1, 5);

    std::cout << "s1: " << s1 << std::endl;
    std::cout << "s2: " << s2 << std::endl;

三 memcpy

  1. 头文件< cstring >

  2. 语法

    void* memcpy( void* dest, const void* src, std::size_t count );
    
  3. 解释

    • 从src中拷贝count个字节到dest中,过程中dest和src均被重新解释为unsigned char数组
    • 如果dest和src有重叠,则行为未定义
    • 如果dest或src为无效的或者空指针,其行为未定义,即使count为0
  4. demo

    // memcpy
    char *s1 = "1234";
    char s2[10] = {0};

    memcpy(s2, s1, 5);

    std::cout << "s1: " << s1 << std::endl;
    std::cout << "s2: " << s2 << std::endl;

四 std::copy std::copy_if std::copy_n std::copy_backward

  1. 头文件< algorithm >
  2. 参见 C++ 标准库 更易型算法

五 参考

  1. strcpy
  2. strncpy
  3. memcpy
  4. copy
  5. copy_n
  6. copy_backward
上一篇:[剑指offer]JT61---序列化二叉树(strcpy函数接口是 char类型,不能直接string哦!)


下一篇:C/C++ 对常见字符串库函数的实现