I'm using the following C++ code to do matrix multiplication and it runs fine for SIZE = 500. But when SIZE = 600 or above the code fails. (Runtime Error)
I ran it on Ideone.com It ouputs "Runtime error time: 0 memory: 3292 signal:11"
and also In my local machine too it is giving me an error
#include <cstdlib>
#include<iostream>
#include <stdio.h>
#include <sys/time.h>
using namespace std;
class Timer {
private:
timeval startTime;
public:
void start(){
gettimeofday(&startTime, NULL);
}
double stop(){
timeval endTime;
long seconds, useconds;
double duration;
gettimeofday(&endTime, NULL);
seconds = endTime.tv_sec - startTime.tv_sec;
useconds = endTime.tv_usec - startTime.tv_usec;
duration = seconds + useconds/1000000.0;
return duration;
}
static void printTime(double duration){
printf("%5.6f seconds\n", duration);
}
};
using namespace std;
const int SIZE = 600; // for size*size matrix
void MultiplyMatricesSequential(double a[][SIZE],double b[][SIZE],double ans[][SIZE]);
int i,j,k;
double s;
/*
*
*/
int main(int argc, char** argv) {
double a[SIZE][SIZE], b[SIZE][SIZE], ans[SIZE][SIZE];
// assign the numbers for matrix a and b
for (i = 0; i < SIZE; i++) {
for (j = 0; j < SIZE; j++) {
a[i][j]=(double)rand()/RAND_MAX;
b[i][j]=(double)rand()/RAND_MAX;
}
}
MultiplyMatricesSequential(a,b,ans);
return 0;
}
void MultiplyMatricesSequential(double a[][SIZE],double b[][SIZE],double ans[][SIZE])
{
Timer timer = Timer();
timer.start();
for (i = 0; i < SIZE; i++) {
for (j = 0; j < SIZE; j++) {
for (k = 0; k < SIZE; k++)
s += a[i][k] * b[k][j];
ans[i][j] = s;
s = 0.0;
}
}
double duration = timer.stop();
cout << "Sequential Method time elapsed for SIZE " << SIZE << " : ";
timer.printTime(duration);
}
So what am I doing wrong here ?
NOTE : It is still the same when timer is not used.
#include <cstdlib>
#include<iostream>
#include <stdio.h>
#include <sys/time.h>
using namespace std;
const int SIZE = 500; // for size*size matrix
void MultiplyMatricesSequential(double a[][SIZE],double b[][SIZE],double ans[][SIZE]);
int i,j,k;
double s;
/*
*
*/
int main(int argc, char** argv) {
double a[SIZE][SIZE], b[SIZE][SIZE], ans[SIZE][SIZE];
// assign the numbers for matrix a and b
for (i = 0; i < SIZE; i++) {
for (j = 0; j < SIZE; j++) {
a[i][j]=(double)rand()/RAND_MAX;
b[i][j]=(double)rand()/RAND_MAX;
}
}
MultiplyMatricesSequential(a,b,ans);
return 0;
}
void MultiplyMatricesSequential(double a[][SIZE],double b[][SIZE],double ans[][SIZE])
{
for (i = 0; i < SIZE; i++) {
for (j = 0; j < SIZE; j++) {
for (k = 0; k < SIZE; k++)
s += a[i][k] * b[k][j];
ans[i][j] = s;
s = 0.0;
}
}
}