gpt4 book ai didi

c - C 中的随机排列数组

转载 作者:太空狗 更新时间:2023-10-29 16:20:54 25 4
gpt4 key购买 nike

我正在寻找 ANSI C 中的函数,它可以像 PHP 的 shuffle() 那样随机化数组。有这样的功能还是必须自己写?如果我必须自己编写,最好/性能最好的方法是什么?

到目前为止我的想法:

  • 遍历数组,比如 100 次,并将一个随机索引与另一个随机索引交换
  • 创建一个新数组并用第一个数组中的随机索引填充它,每次检查索引是否已被采用(性能 = 0 复杂性 = 严重)

最佳答案

粘贴自 AsmodiellinkBen Pfaff's Writings , 对于持久性:

#include <stdlib.h>

/* Arrange the N elements of ARRAY in random order.
Only effective if N is much smaller than RAND_MAX;
if this may not be the case, use a better random
number generator. */
void shuffle(int *array, size_t n)
{
if (n > 1)
{
size_t i;
for (i = 0; i < n - 1; i++)
{
size_t j = i + rand() / (RAND_MAX / (n - i) + 1);
int t = array[j];
array[j] = array[i];
array[i] = t;
}
}
}

编辑:这是一个通过memcpy 适用于任何类型(intstruct ...)的通用版本。对于要运行的示例程序,它需要 VLA,并非每个编译器都支持它,因此您可能希望将其更改为 malloc(这将执行得很糟糕)或一个足够大的静态缓冲区以容纳您抛出的任何类型在它:

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

/* compile and run with
* cc shuffle.c -o shuffle && ./shuffle */

#define NELEMS(x) (sizeof(x) / sizeof(x[0]))

/* arrange the N elements of ARRAY in random order.
* Only effective if N is much smaller than RAND_MAX;
* if this may not be the case, use a better random
* number generator. */
static void shuffle(void *array, size_t n, size_t size) {
char tmp[size];
char *arr = array;
size_t stride = size * sizeof(char);

if (n > 1) {
size_t i;
for (i = 0; i < n - 1; ++i) {
size_t rnd = (size_t) rand();
size_t j = i + rnd / (RAND_MAX / (n - i) + 1);

memcpy(tmp, arr + j * stride, size);
memcpy(arr + j * stride, arr + i * stride, size);
memcpy(arr + i * stride, tmp, size);
}
}
}

#define print_type(count, stmt) \
do { \
printf("["); \
for (size_t i = 0; i < (count); ++i) { \
stmt; \
} \
printf("]\n"); \
} while (0)

struct cmplex {
int foo;
double bar;
};

int main() {
srand(time(NULL));

int intarr[] = { 1, -5, 7, 3, 20, 2 };

print_type(NELEMS(intarr), printf("%d,", intarr[i]));
shuffle(intarr, NELEMS(intarr), sizeof(intarr[0]));
print_type(NELEMS(intarr), printf("%d,", intarr[i]));

struct cmplex cmparr[] = {
{ 1, 3.14 },
{ 5, 7.12 },
{ 9, 8.94 },
{ 20, 1.84 }
};

print_type(NELEMS(intarr), printf("{%d %f},", cmparr[i].foo, cmparr[i].bar));
shuffle(cmparr, NELEMS(cmparr), sizeof(cmparr[0]));
print_type(NELEMS(intarr), printf("{%d %f},", cmparr[i].foo, cmparr[i].bar));

return 0;
}

关于c - C 中的随机排列数组,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/6127503/

25 4 0
Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
广告合作:1813099741@qq.com 6ren.com