在R中实现算法X.

问题描述 投票:1回答:2

我希望在R中实现类似Knuth's Algorithm X的东西。

问题:我有一个n x k矩阵A,n> = k,其中实值条目代表一个成本。 n和k一般都很小(n <10,k <5)。我想找到行到列的映射,最小化矩阵的总成本,受限于没有单行可以使用两次的约束。

我认为这有点像算法X,因为合理的方法似乎是:

  1. 在A中选择一列并在其中找到最小值。
  2. 删除该行和该列。现在你离开了Asub。
  3. 转到步骤1并重复Asub和新列选择,直到ncol(Asub)= 1。

但我无法弄清楚如何在R中创建一个递归数据结构,它将存储生成的单元级成本树。这是我到目前为止所做的,它只使一个分支失效,因此找不到最佳解决方案。

# This version of the algorithm always selects the first column. We need to make it 
# traverse all branches.
algorithmX <- function(A) {
  for (c in 1:ncol(A)) {
    r <- which.min(A[,c])
    memory <- data.frame(LP_Number = colnames(A)[c], 
                         Visit_Number = rownames(A)[r], 
                         cost = as.numeric(A[r,c]))
    if (length(colnames(A))>1) {
      Ared <- A[-r, -c, drop=FALSE]
      return( rbind(memory, algorithmX(Ared)) )
    }
    else {
      return(memory)
    }
  }
}

foo <- c(8.95,3.81,1.42,1.86,4.32,7.16,12.86,7.59,5.47,2.12,
         0.52,3.19,13.97,8.79,6.52,3.37,0.91,2.03)
colnames(foo) <- paste0("col",c(1:3))
rownames(foo) <- paste0("row",c(1:6))
algorithmX(foo)

我确定我在如何处理R函数中的递归方面缺少一些基本知识。如果这个算法实际上不是最合适的话,我也很高兴听到解决这个问题的其他方法。

r algorithm recursion knuth
2个回答
1
投票

您错过了将foo设置为矩阵,因此您无法设置colnames(foo)rownames(foo)。假设这只是一个错字,还有一个问题,你从来没有访问过c = 1以外的任何东西,因为内部测试的两个分支都返回了一些东西。您可能希望在循环中收集结果,选择最佳结果,然后返回。

例如,

algorithmX <- function(A) {
  bestcost <- Inf
  save <- NULL
  for (c in 1:ncol(A)) {
    r <- which.min(A[,c])
    memory <- data.frame(LP_Number = colnames(A)[c], 
                         Visit_Number = rownames(A)[r], 
                         cost = as.numeric(A[r,c]))
    if (length(colnames(A))>1) {
      Ared <- A[-r, -c, drop=FALSE]
      memory <- rbind(memory, algorithmX(Ared)) 
    }
    if (sum(memory$cost) < bestcost) {
      bestcost <- sum(memory$cost)
      save <- memory
    }
  }
  return(save)
}

1
投票

感谢上面的user2554330关于如何构造递归函数的一些指针,以便保留值。我修改了他们的代码如下,现在它似乎工作,捕获我之前确定的所有角落案例,这使得我必须首先编写这个函数!

algorithmX <- function(A) {
  best.match <- data.frame(LP_Number=numeric(), Visit_Number=numeric(), cost=numeric(), total.cost=numeric())
  for (c in 1:ncol(A)) {
    r <- which.min(A[,c])
    memory <- data.frame(LP_Number = colnames(A)[c], 
                         Visit_Number = rownames(A)[r], 
                         cost = as.numeric(A[r,c]),
                         total.cost = as.numeric(NA))
    if (length(colnames(A))>1) {
      Ared <- A[-r, -c, drop=FALSE]
      memory <- rbind(memory, algorithmX(Ared))
    }
    total.cost <- summarize(memory, sum(cost)) %>% unlist() %>% as.numeric()
    memory$total.cost <- total.cost
    if (length(best.match$total.cost)==0 | memory$total.cost[1] < best.match$total.cost[1]) {
      best.match <- memory
    }
  }
  return(best.match)
}
© www.soinside.com 2019 - 2024. All rights reserved.