Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Get maximum value from all matrices in a list

Tags:

list

r

max

matrix

I've created a List of matrices, and now I want to get the maximum values of row in all matrices, how do I get them?

Here is the code for the list:

i <- 1
tryList <- list()
treeList <- list()
accList <- list()

for(t_mtry in 1:40){
  for(t_ntree in 20:300{
    rf <- randomForest(class ~., data=training, mtry=t_mtry, ntree=t_ntree)
    tbl <- table(predicted = predict(rf,evalSet,type="class"),actual=evalSet$class)

    #get the accuracy of the classification as a list
    retVal <- accuracy(tbl)

    tryList <- c(tryList,t_mtry)
    treeList <- c(treeList,t_ntree)
    accList <- c(accList,mean(retVal))
   }
   matrixList[[i]] <- matrix(c(tryList,treeList,accList),length(accList)
   i <- i + 1
   tryList <- list()
   treeList <- list()
   accList <- list()
 }

Now I want to the maximum values of the accList from every matrix. if I have one matrix i use:

lapply(matrix,max)
max(unlist(matrix[,3]))

But how can I use it with the list?

like image 241
CoolKiffings Avatar asked Mar 12 '12 07:03

CoolKiffings


1 Answers

Your question is a bit unclear, anyway here's something useful:

m1 <- cbind(c(1,2,3),c(7,2,4))
m2 <- cbind(c(-1,19,13),c(21,3,5),c(3,3,0),c(4,5,6))
m3 <- cbind(c(1,2,3,4,5),c(8,18,4,6,7))

mylist <- list(M1=m1,M2=m2,M3=m3)

# get the maximum value for each matrix
lapply(mylist,FUN=max)

# get the global maximum
max(unlist(lapply(mylist,FUN=max)))

# get the maximum value for each row of each matrix
lapply(mylist,FUN=function(x)apply(x,MARGIN=1,FUN=max))


##### OUTPUT #####
> lapply(mylist,FUN=max)
$M1
[1] 7
$M2
[1] 21
$M3
[1] 18

> max(unlist(lapply(mylist,FUN=max)))
[1] 21

> lapply(mylist,FUN=function(x)apply(x,MARGIN=1,FUN=max))
$M1
[1] 7 2 4
$M2
[1] 21 19 13
$M3
[1]  8 18  4  6  7
like image 66
digEmAll Avatar answered Sep 16 '22 13:09

digEmAll