strcpy_s 함수

errno_t strcpy_s ( char * dest, size_t size, const char * source ); 문자열을 복사하는 함수

입력 매개 변수 리스트

dest 문자열을 복사할 버퍼

size dest 버퍼의 크기

source 복사할 원본 문자열

반환 값

에러 번호

strcpy 함수에는 dest 버퍼의 크기를 전달하지 않습니다. 만약 source 문자열의 길이가 dest 버퍼의 크기-1보다 크면 버퍼 오버플로우 버그가 발생합니다. strcpy_s는 이와 같은 문제를 개선한 함수입니다.

사용 예

//C언어 표준 라이브러리 함수 가이드
//errno_t strcpy_s ( char * dest, size_t size, const char * source ); 문자열을 복사하는 함수
//문자열을 복사한 후 표준 출력 스트림에 출력

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

void ehstrcpy_s(char *dest,size_t size, const char *source)
{
    for (; (*dest = *source)&&(size); dest++, source++,size--);//거짓인 문자를 복사할 때까지 반복
}
int main(void)
{
    char *src = "hello world";
    char name[50] = "abc";
    char name2[50] = "abc";

    strcpy_s(name, sizeof(name), src);//문자열 복사
    printf("<strcpy_s 이용> name: %s \n", name);
    ehstrcpy_s(name2, sizeof(name2), src);//문자열 복사
    printf("<ehstrcpy_s 이용>name: %s \n",name2 );
    return 0;
}

출력

<strcpy_s 이용> name: hello world
<ehstrcpy_s 이용> name: hello world