我的任务是这样的:我需要strcpy
在以下约束下实现该功能:
- 该函数最多可以有七个语句。
- 它应该尽可能快。
- 它应该使用尽可能少的内存。
- 在将调用 my 的函数中
strcpy
,目标地址将按如下方式保存:char* newDestination = NULL;
- 该
strcpy
函数的原型应该是:void myStrcp(void** dst, void* src);
我提出了这个解决方案,它uint64_t
用于复制每个迭代八个字节。如果是这样,我的问题是:
- 有没有比我更好的解决方案 - 如果有,请解释为什么它更好?
- 我们在哪个操作系统上运行程序(
Windows
Vs.Linux
)和/或平台是否重要?
我的解决方案(在 Windows 上):
#include <stdio.h>
#include <stdlib.h>
#include <stdint.h>
#include <string.h>
#include <conio.h>
void strCpy(void **dst, void *src);
int main()
{
char *newLocation = NULL;
strCpy((void **)&newLocation, "stringToBeCopied");
printf("after my strcpy dst has the string: %s \n", newLocation);
free(newLocation);
getch();
return 0;
}
void strCpy(void** dst, void* src)
{
// Allocating memory for the dst string
uint64_t i, length = strlen((char *)src), *locDst =
(uint64_t *) malloc(length + 1), *locSrc = (uint64_t *) src;
*dst = locDst;
// Copy 8 Bytes each iteration
for (i = 0; i < length / 8; *locDst++ = *locSrc++, ++i);
// In case the length of the string is not alligned to 8 Bytes - copy the remainder
// (last iteration)
char *char_dst = (char *)locDst, *char_src = (char *)locSrc;
for (; *char_src != '\0'; *char_dst++ = *char_src++);
// NULL terminator
*char_dst = '\0';
}