穿越雷区

/*标题:穿越雷区   X星的坦克战车很奇怪,它必须交替地穿越正能量辐射区和负能量辐射区才能保持正常运转,否则将报废。 

某坦克需要从A区到B区去(A,B区本身是安全区,没有正能量或负能量特征),怎样走才能路径最短?   已知的地图是一个方阵,上面用字母标出了A,B区,
其它区都标了正号或负号分别表示正负能量辐射区。 例如: A + - + - - + - - + - + + + - + - + - + B + - + -   坦克车只能水平或垂直方向上移
动到相邻的区。   数据格式要求:   输入第一行是一个整数n,表示方阵的大小, 4<=n<100  接下来是n行,每行有n个数据,可能是A,B,+,-中的某一个,
中间用空格分开。 A,B都只出现一次。   要求输出一个整数,表示坦克从A区到B区的最少移动步数。 
如果没有方案,则输出-1   
例如: 用户输入: 
5  
A + - + -
- + - - + 
- + + + - 
+ - + - + 
B + - + -   
   则程序应该输出: 10   
资源约定:  峰值内存消耗(含虚拟机) < 512M CPU消耗  < 2000ms    请严格按要求输出,不要画蛇添足地打印类似:“请您输入...” 的多余内容。   
所有代码放在同一个源文件中,调试通过后,拷贝提交该源码。 注意:不要使用package语句。不要使用jdk1.7及以上版本的特性。*/
package test;

import java.util.Scanner;

public class 穿越雷区 {
    static String[][] a;
    static int n;
    static boolean vis[][];
    static int min=Integer.MAX_VALUE;
    static int[][] path={{0,1},{0,-1},{-1,0},{1,0}};
    public static void main(String arg[])
    {
        Scanner input=new Scanner(System.in);
        n=input.nextInt();
        input.nextLine();
        a=new String[n][n];
        vis=new boolean[n][n];
        vis[0][0]=true;
        for(int i=0;i<n;i++){
            for(int j=0;j<n;j++)
            {
                a[i][j]=input.next();
            }
        }
        /*for(int i=0;i<n;i++){
            for(int j=0;j<n;j++)
            {
                System.out.print(a[i][j]);
            }
            System.out.println();
        }*/
        dfs(0,0,0);
        System.out.println(min);
    }
    private static void dfs(int x, int y,int step) {
        // TODO Auto-generated method stub
        if(a[x][y].equals("B"))
        {
            //System.out.println(step);
            if(step<min)
                min=step;
        }
        for(int i=0;i<4;i++)
        {
            int tempx=x+path[i][0];
            int tempy=y+path[i][1];
            if(tempx>=0&&tempx<n&&tempy>=0&&tempy<n){
            if(vis[tempx][tempy]==false&&!a[x][y].equals(a[tempx][tempy]))
            {
                vis[tempx][tempy]=true;
                dfs(tempx,tempy,step+1);
                vis[tempx][tempy]=false;
            }
            }
        }
    }

}
原文地址:https://www.cnblogs.com/ljs-666/p/8780615.html