目录

POJ 3050 Hopscotch

目录

给一个5*5的数组,在里面填了整数。可选任意点作为起点,走动5次,只能往上下左右走,得到6个数字。

求有多少个不同的数字组合。

链接:http://poj.org/problem?id=3050






题解

用set来去重,因为只有6步和5*5的数组,dfs各个起点,加入set。

一开始用了to_string()结果CE,用了stringstreamTLE。这次终于知道sstream多慢了。。。简直龟速。。。

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
#include<iostream>
#include<set>
#include<string>
using namespace std;

set<string> ans;
int m[5][5];
const int dx[] = { 1, -1, 0, 0 };
const int dy[] = { 0, 0, 1, -1 };
string s;

void dfs(int x, int y, int n) {
	if (n == 0) {
		ans.insert(s);
		return;
	}
	for (int i = 0; i < 4; i++) {
		int tx = x+dx[i];
		int ty = y+dy[i];
		if (tx >= 0 && tx < 5 && ty >= 0 && ty < 5) {
			string str = s;
			s += m[tx][ty];
			dfs(tx, ty, n-1);
			s = str;
		}
	}
	return ;
}

int main(void) {
	for (int i = 0; i < 5; i++) {
		for (int j = 0; j < 5; j++)
			cin >> m[i][j];
	}

	for (int i = 0; i < 5; i++) {
		for (int j = 0; j < 5; j++) {
			s = "";
			dfs(i, j, 6);
		}
	}

	cout << ans.size() << endl;
	return 0;
}