二、递归(二)
2017-08-10 本文已影响12人
安东可
一、棋盘分割问题
data:image/s3,"s3://crabby-images/dbb59/dbb59ecf4fb8aac9ab217f8418778e5b66c0a1bc" alt=""
【每次切完一个棋盘,就是需要舍弃掉一面,只能在一面操作】
data:image/s3,"s3://crabby-images/c0025/c00258b6e14b6067dbcfc11589deba2587374ff9" alt=""
data:image/s3,"s3://crabby-images/8fd3a/8fd3a1ea6c6a5f05e23936fac9e102c6b62dfabd" alt=""
data:image/s3,"s3://crabby-images/300be/300be8fadfc4852f102d1721df2a64ee60923117" alt=""
data:image/s3,"s3://crabby-images/37a67/37a674cef62a7cd69700faf73948dbd3fb611c51" alt=""
data:image/s3,"s3://crabby-images/a8c75/a8c75a9b87d87bbd48c08a0d5c943627734363f8" alt=""
data:image/s3,"s3://crabby-images/0e610/0e610387214f1e22613e482c96dd67e56884f007" alt=""
data:image/s3,"s3://crabby-images/dbda5/dbda530e16a168abdcbed412c2cb3bd499f06b64" alt=""
data:image/s3,"s3://crabby-images/75cfe/75cfe7d6b0a5620d6aef22d555df5bd8ad317cd2" alt=""
data:image/s3,"s3://crabby-images/2af52/2af525d3b11443f988b42a65cc5484de9825392c" alt=""
data:image/s3,"s3://crabby-images/8c794/8c794d9e70fab3f3ba60d358d38ba5a884dcbe3c" alt=""
data:image/s3,"s3://crabby-images/f69c9/f69c94a885d41fd596d1340253b0a1141b089deb" alt=""
#include "stdafx.h"
#include<iostream>
#include<algorithm>
#include<iomanip>
using namespace std;
int s[9][9]; //每个格子的分数
int sum[9][9]; //从(1,1)到(i.j)的分数和
int res[15][9][9][9][9];//记录表
//计算从(x1,y1)到(x2,y2)的矩形分数和
int calcSum(int x1, int y1, int x2, int y2){
return sum[x2][y2] - sum[x2][y1 - 1] - sum[x1 - 1][y2] + sum[x1 - 1][y1 - 1];
}
//分成n分的最小平方和
int fun(int n, int x1, int y1, int x2, int y2){
int t, a, b, c, e, MIN = 1000000;
if (res[n][x1][y1][x2][y2] != -1){
return res[n][x1][y1][x2][y2];
}
if (n == 1){
t = calcSum(x1, y1, x2, y2);
res[n][x1][y1][x2][y2] = t* t;
}
//分成左右两块,选择较小的一块
for (a = x1; a<x2; a++) {
c = calcSum(a + 1, y1, x2, y2);
e = calcSum(x1, y1, a, y2);
t = min(fun(n - 1, x1, y1, a, y2) + c*c, fun(n - 1, a + 1, y1, x2, y2) + e*e);
if (MIN>t) MIN = t;
}
//分成上下两块
for (b = y1; b<y2; b++) {
c = calcSum(x1, b + 1, x2, y2);
e = calcSum(x1, y1, x2, b);
t = min(fun(n - 1, x1, y1, x2, b) + c*c, fun(n - 1, x1, b + 1, x2, y2) + e*e);
if (MIN>t) MIN = t;
}
res[n][x1][y1][x2][y2] = MIN;
return MIN;
}
int main() {
memset(sum, 0, sizeof(sum));
memset(res, -1, sizeof(res)); //初始化记录表
int n;
cin >> n;
for (int i = 1; i<9; i++)
for (int j = 1, rowsum = 0; j<9; j++) {
cin >> s[i][j];
rowsum += s[i][j];
sum[i][j] += sum[i - 1][j] + rowsum;
}
double result = n*fun(n, 1, 1, 8, 8) - sum[8][8] * sum[8][8];
cout << setiosflags(ios::fixed) << setprecision(3) << sqrt(result / (n*n)) << endl;
return 0;
}