• POJ 3050 穷举


    题意:给定一个5*5的地图,每个格子上有一个数字。从一个格子出发(上下左右4个方向),走5步将数字连起来可以构造出一个6位数。问该地图可以构造出多少个不同的6位数。

    分析:可以对每个格子做深度优先遍历,构造出所有数字,但要注意不要重复计数。在这里,我使用了set来保存已构造出的数字,结果就是set中的元素个数。

     1 #include <cstdio>
     2 #include <set>
     3 #include <algorithm>
     4 
     5 using namespace std;
     6 
     7 //输入
     8 int a[5][5];
     9 
    10 set<int> st;                //保存已构造的数字
    11 
    12 const int dx[4] = {-1, 1, 0, 0};
    13 const int dy[4] = {0, 0, -1, 1};
    14 
    15 //深度优先遍历所有可能的构造
    16 void dfs(int x, int y, int k, int num){
    17     if(k == 6){
    18         st.insert(num);
    19         return;
    20     }
    21     for(int i = 0; i < 4; i ++){
    22         int nx = x + dx[i], ny = y + dy[i];
    23         if(0 <= nx && nx < 5 && 0 <= ny && ny < 5){ 
    24             k ++;
    25             dfs(nx, ny, k, num * 10 + a[nx][ny]);
    26             k --;
    27         }
    28     }
    29 }
    30 
    31 void solve(){
    32     //对每个点作为起点,做深度优先遍历构造序列
    33     for(int i = 0; i < 5; i ++){
    34         for(int j = 0; j < 5; j ++){
    35             dfs(i, j, 1, a[i][j]);
    36         }
    37     }
    38     printf("%d
    ", st.size());
    39 }
    40 
    41 int main(int argc, char const *argv[]){
    42 
    43     for(int i = 0; i < 5; i ++){
    44         for(int j = 0; j < 5; j ++)
    45             scanf("%d", &a[i][j]);
    46     }
    47     solve();
    48 
    49     return 0;
    50 }
  • 相关阅读:
    bootstrap 导航栏、输入框按钮组、栅格系统
    Python排序算法冒泡排序选择排序插入排序
    Python 解螺旋数组
    初到博客园,请多指教
    gcd, map for ocaml
    qsort for ocaml
    子序列和最大的问题
    将一个整数划分为非负整数的部分
    filter in Ocaml
    scheme中表只能操作头部带来的一个问题
  • 原文地址:https://www.cnblogs.com/7hat/p/3603697.html
Copyright © 2020-2023  润新知