I know this question has been answered several times before but I checked all the previous answers to remedy my situation but it didn't help.
What i need to do is to parallelize my loop so that each city (or the inner loop) is processed parallel. But while using parfor i get the error "The variable A in a parfor cannot be classified". The 2d matrix has a fixed size of n X n. i don't know see the problem. kindly help me out...
the c implementation that i was provided was done using mpi.h . using mpicc. what i need to achieve is that there should be n processes, each responsible to find the shortest paths from its local city to all other cities.
Every case if different. In my case:
my_first_city=2;
my_last_city=n;
parpool(n-1);
parfor (int_city=2:n,n-1)
% broadcast all -- create threads to handle each city
for local_city=my_first_city:n
for city2=2:n
A(local_city,city2)=min(A(local_city,city2),A(local_city,int_city)+A(int_city,city2));
end
end
end
Here's my function to compute shortest paths:
function [ A,init ] = floydWarshall(input_matrix, n )
%% Floyd_Warshall algorithm is an analytical algorithm for finding shortest paths in weighted graph ,
% for example an adjacency matrix or a map graph.
% Floyd_Warshall algorithm compares all possible paths through a graph between each pair of vertices,
% The complexity of this algorithm is O(n^3) where n is the number of vertices, or nodes.
%% Floyd_Warshall
% inputs :
% n = number of vertices to initialize an adjacency matrix.
% input_matrix = the input matrix of initial weights or path costs. a nXn matrix
% outputs:
% A = the matrix after floydWarshall algo is applied and the matrix contains the shortest
% paths from each node to each other node
% init = The original matrix with all the costs from each node to each other node.
if(nargin<2)
n=size(input_matrix);
elseif (nargin<1)
n=size(input_matrix);
A=magic(n);
end
for i=1:n % marking the border rows and columns with cities
A(i,1)=i-1;
A(1,i)=i-1;
end
for i=1:n % making sure that the distance from a city i to city i is 0
A(i,i)=0;
end
for i=2:n
for j=2:n
A(i,j)=input_matrix(i,j); % input matrix, values
end
end
init=A; % temp variable to store the old matrix
for int_city=2:n
for city1=2:n
for city2=2:n
A(city1,city2)=min(A(city1,city2),A(city1,int_city)+A(int_city,city2));
end % floyd-warshall
end
end