Created
January 3, 2024 14:23
-
-
Save attractivechaos/9838c7ecfd54ccac559c4487f0550287 to your computer and use it in GitHub Desktop.
Alternative matmul with N+1 allocations per matrix
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
// see also: https://github.com/attractivechaos/plb2/blob/master/src/c/matmul.c | |
#include <stdio.h> | |
#include <stdlib.h> | |
double **mat_alloc(int n_row, int n_col) | |
{ | |
double **mat, *a; | |
int i; | |
mat = (double**)malloc(n_row * sizeof(void*)); | |
for (i = 0; i < n_row; ++i) | |
mat[i] = (double*)calloc(n_col, sizeof(double)); | |
return mat; | |
} | |
void mat_free(int n_row, double **mat) | |
{ | |
int i; | |
for (i = 0; i < n_row; ++i) | |
free(mat[i]); | |
free(mat); | |
} | |
double **mat_gen(int n) | |
{ | |
double **a, tmp = 1.0 / n / n; | |
int i, j; | |
a = mat_alloc(n, n); | |
for (i = 0; i < n; ++i) | |
for (j = 0; j < n; ++j) | |
a[i][j] = tmp * (i - j) * (i + j); | |
return a; | |
} | |
double **mat_mul(int n, int p, double **a, int m, double **b) | |
{ | |
double **c; | |
int i, j, k; | |
c = mat_alloc(n, m); | |
for (i = 0; i < n; ++i) | |
for (k = 0; k < p; ++k) | |
for (j = 0; j < m; ++j) | |
c[i][j] += a[i][k] * b[k][j]; | |
return c; | |
} | |
int main(int argc, char *argv[]) | |
{ | |
int n = 1500; | |
double **a, **b, **c; | |
if (argc > 1) n = atoi(argv[1]); | |
a = mat_gen(n); | |
b = mat_gen(n); | |
c = mat_mul(n, n, a, n, b); | |
printf("%f\n", c[n>>1][n>>1]); | |
mat_free(n, c); mat_free(n, b); mat_free(n, a); | |
return 0; | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment