c++ memcpy return value

前端 未结 5 1627
囚心锁ツ
囚心锁ツ 2021-02-05 02:20

according to http://en.cppreference.com/w/cpp/string/byte/memcpy c++\'s memcpy takes three parameters: destination, source and size/bytes. it also returns a pointer

5条回答
  •  日久生厌
    2021-02-05 02:41

    If a function has nothing specific to return, it is often customary to return one of the input parameters (the one that is seen as the primary one). Doing this allows you to use "chained" function calls in expressions. For example, you can do

    char buffer[1024];
    strcat(strcpy(buffer, "Hello"), " World");
    

    specifically because strcpy returns the original dst value as its result. Basically, when designing such a function, you might want to choose the most appropriate parameter for "chaining" and return it as the result (again, if you have noting else to return, i.e. if otherwise your function would return void).

    Some people like it, some people don't. It is a matter of personal preference. C standard library often supports this technique, memcpy being another example. A possible use case might be something along the lines of

    char *clone_buffer(const char *buffer, size_t size)
    {
       return memcpy(new char[size], buffer, size);
    }
    

    If memcpy did not return the destination buffer pointer, we'd probably have to implement the above as

    char *clone_buffer(const char *buffer, size_t size)
    {
       char *clone = new char[size];
       memcpy(clone, buffer, size);
       return clone;
    }
    

    which looks "longer". There's no reason for any difference in efficiency between these two implementations. And it is arguable which version is more readable. Still many people might appreciate the "free" opportunity to write such concise one-liners as the first version above.

    Quite often people find it confusing that memcpy returns the destination buffer pointer, because there is a popular belief that returning a pointer form a function should normally (or always) indicate that the function might allocate/reallocate memory. While this might indeed indicate the latter, there's no such hard rule and there has never been, so the often expressed opinion that returning a pointer (like memcpy does) is somehow "wrong" or "bad practice" is totally unfounded.

提交回复
热议问题