Python中有一个以这种方式运行的函数:
itertools.product("abc", repeat = 2)
返回以下内容:
("a", "a")
("a", "b")
("a", "c")
("b", "a")
("b", "b")
("b", "c")
("c", "a")
("c", "b")
("c", "c")
更改重复变量将更改元组中返回的项目数。 如何用C语言编写它来返回一组字符数组? (字符串数组)
更新:我现在已经写了这个函数:
void cartesian(char *a, int al, char *b, int bl){
int i, j;
char c[al * bl][2];
for(i = 0; i < al; i++){
for(j = 0; j < bl; j++){
c[(i * bl) + j][0] = *(a + i);
c[(i * bl) + j][1] = *(b + j);
printf("%c%c\n", *(a + i), *(b + j));
}
}
}
int main(){
char a[] = "abc";
char b[] = "ab";
cartesian(a, strlen(a), b, strlen(b));
return 0;
}
如何更改此功能以便它可以接收一系列char数组并制作笛卡尔积?数组可以包含任意数量的字符,并且可以有任意数量的数组
该功能应如下所示:
void cartesian(char *a, int l){
/*Do cartesian*/
}
示例数组:
[
['a', 'b', 'c', '\0'],
['a', 'b', 'c', '\0'],
['a', 'b', 'c', '\0']
]
(包括空值以计算数组的长度) 应该产生
[
['a', 'a', 'a'],
['a', 'a', 'b'],
['a', 'a', 'c'],
['a', 'b', 'a'],
['a', 'b', 'b'],
['a', 'b', 'c'],
['a', 'c', 'a'],
['a', 'c', 'b'],
['a', 'c', 'c'],
['b', 'a', 'a'],
['b', 'a', 'b'],
['b', 'a', 'c'],
['b', 'b', 'a'],
['b', 'b', 'b'],
['b', 'b', 'c'],
['b', 'c', 'a'],
['b', 'c', 'b'],
['b', 'c', 'c'],
['c', 'a', 'a'],
['c', 'a', 'b'],
['c', 'a', 'c'],
['c', 'b', 'a'],
['c', 'b', 'b'],
['c', 'b', 'c'],
['c', 'c', 'a'],
['c', 'c', 'b'],
['c', 'c', 'c'],
]
答案 0 :(得分:1)
根据您的规范,这是笛卡尔积的C实现。请注意,参数为char **a
,而不是char *a
,因为它是一个字符串数组。
void cartesian(char **a, unsigned int l)
{
unsigned int *indices = calloc(l, sizeof(int));
unsigned int changed;
do {
unsigned int finished = 0;
unsigned int i;
changed = 0;
/* Print the current tuple */
for (i = 0; i < l; i++) {
putchar(a[i][indices[i]]);
}
putchar('\n');
/* Loop over the arrays in reverse order */
for (i = l - 1; !changed && !finished; i--) {
/* Increment */
indices[i]++;
if (a[i][indices[i]]) {
/* We moved to the next character */
changed = 1;
}
else {
/* End of string, so roll over */
indices[i] = 0;
}
finished = i == 0;
}
} while (changed);
free(indices);
}
答案 1 :(得分:0)
以下C程序会创建“abc”的所有可能排列。
#include <stdio.h>
#include <string.h>
/* Function to swap values at two pointers */
void swap(char *x, char *y)
{
char temp;
temp = *x;
*x = *y;
*y = temp;
}
void permute(char *a, int l, int r)
{
int i;
if (l == r)
printf("%s\n", a);
else
{
for (i = l; i <= r; i++)
{
swap((a+l), (a+i));
permute(a, l+1, r);
swap((a+l), (a+i)); //backtrack
}
}
}
int main()
{
char str[] = "abc";
int n = strlen(str);
permute(str, 0, n-1);
return 0;
}
可能有更快的方法对此进行编码。运行时间O(n * n!)。我后来才注意到你要求笛卡尔积。但是可以找到几个具有类似请求的堆栈溢出条目。 Generate the Cartesian Product of 2 vector<string>s In-Place?