强大的连接


17

介绍

像这样的一块方形木板定义了一个种植园:

在此处输入图片说明

每个小方块内的数字代表其面积的价值/现金/ ...

农民需要帮助才能找到相连的N个正方形(这意味着所有N个正方形都应至少有一个共享边界)为他带来最大的价值。

例如:

如果为N=1,则输出必须为140

如果是N=6,那么..

在此处输入图片说明

..the输出必须315

挑战

您的程序/函数必须将矩阵的值和数字N作为输入/参数,并且必须输出强大的连接的值。

由于这是,因此以字节为单位的最短答案为胜!

例子

输入:

10 -7 11 7 3 31
33 31 2 5 121 15
22 -8 12 10 -19 43
12 -4 54 77 -7 -21
2 8 6 -70 109 1
140 3 -98 6 13 20
6

输出: 315


输入:

35 -7
-8 36
2

输出: 29


2
为此的一些蛮力算法可能非常慢。第一个测试用例的时间限制吗?
水平河圣

@steveverrill。对于这个挑战,时间上的复杂性不算什么,但是如果您回答这个问题并证明您的方法比暴力破解有效,我将很乐意赞成您的回答。
删除

Answers:


4

JavaScript(ES6),190字节

(m,n)=>m.map((a,r)=>a.map((_,c)=>f(r,c,[0],0)),o=f=(x,y,s,t)=>s[n]?o>t?0:o=t:s.indexOf(w=x+","+y)<0&&m[y]&&(v=m[y][x])<1/0&&f(x+1,y,s=[...s,w],t+=v)+f(x,y+1,s,t)+f(x-1,y,s,t)+f(x,y-1,s,t))|o

说明

将矩阵作为数组的数组。

从每个正方形开始,然后使用递归函数测试每种可能的组合。这是一种蛮力的方法,但是对于我机器上的第一个测试用例,它几乎可以立即完成。

(m,n)=>
  m.map((a,r)=>                 // for each row
    a.map((_,c)=>               // for each column
      f(r,c,[0],0)              // start checking paths from the coordinate of the square
    ),
    o=                          // o = output number (max total)
    f=(x,y,s,t)=>               // recursive function f, x & y = current square, t = total
                                // s = array of used squares (starts as [0] so length = +1)
      s[n]?                     // if we have used n squares
        o>t?0:o=t               // set o to max of o and t
      :s.indexOf(w=x+","+y)<0&& // if the square has not been used yet
      m[y]&&(v=m[y][x])<1/0&&   // and the square is not out of bounds
                                // ( if value of square is less than Infinity )

        // Check each adjacent square
        f(x+1,y,
          s=[...s,w],           // clone and add this square to s
          t+=v                  // add the value of this square to the total
        )
        +f(x,y+1,s,t)
        +f(x-1,y,s,t)
        +f(x,y-1,s,t)
  )
  |o                            // return output

测试

var solution = (m,n)=>m.map((a,r)=>a.map((_,c)=>f(r,c,[0],0)),o=f=(x,y,s,t)=>s[n]?o>t?0:o=t:s.indexOf(w=x+","+y)<0&&m[y]&&(v=m[y][x])<1/0&&f(x+1,y,s=[...s,w],t+=v)+f(x,y+1,s,t)+f(x-1,y,s,t)+f(x,y-1,s,t))|o
<textarea rows="7" cols="40" id="Matrix">10 -7 11 7 3 31
33 31 2 5 121 15
22 -8 12 10 -19 43
12 -4 54 77 -7 -21
2 8 6 -70 109 1
140 3 -98 6 13 20</textarea><br />
N = <input type="number" id="N" value="6" /><br />
<button onclick="result.textContent=solution(Matrix.value.split('\n').map(x=>x.split(' ').map(z=>+z)),N.value)">Go</button>
<pre id="result"></pre>

By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.