用Java实现BF算法

佐手、 提交于 2020-01-31 20:30:46

问题:找出字符串t在字符串s中的起始位置

1.BF算法1:从第一个位置开始匹配

package demo03;

public class BF2 {
    public static void main(String[] args) {
        String s = "我爱学习java";  //定义一个字符串
        String t = "t"; //定义被查询的字符串

        int result = index_BF(s, t) + 1;    //定义一个整型保存调用index_BF后的返回值,“+1”的意思:数组下标从0开始,而我们日常生活中习惯从1开始
        if (result == 0) {
            System.out.println("在 " + s + " 中未查询到:" + t);
        } else {
            System.out.println(t + " 在 " + s + " 中的位置为:" + result);
        }
    }

    //index_BF方法,用来查询字符串t在字符串s中的位置
    private static int index_BF(String s, String t) {
        char[] charS = s.toCharArray();     //把字符串s转换成字符型数组
        char[] charT = t.toCharArray();     //把字符串t转换为字符型数组
        int i = 0, j = 0;
        while (i < charS.length && j < charT.length) {
            if (charS[i] == charT[j]) {     //主串和字串一次匹配下一个字符
                i++;
                j++;
            } else {        //主串和字串回溯重新开始下一次匹配
                i = i - j + 1;
                j = 0;
            }
        }
        if (j >= charT.length) {
            return i - charT.length;    //返回匹配的第一个字符的下标
        } else {
            return -1;      //模式匹配不成功
        }
    }
}

2.BF算法2:从指定位置开始匹配

package demo03;

public class BF3 {
    public static void main(String[] args) {
        String s = "我爱学习java";
        String t = "我";
        int pos = 3;    //定义一个整型变量,表示从主串的第pos个位置开始查询

        int result = index_BF(s, t,pos) + 1;
        if (result == 0) {
            System.out.println("在 " + s+" 第 "+pos+" 个位置后未查询到:" + t);
        } else {
            System.out.println(t + " 在 " + s + " 中的位置为:" + result);
        }
    }

    private static int index_BF(String s, String t,int pos) {
        char[] charS = s.toCharArray();
        char[] charT = t.toCharArray();
        int i = --pos, j = 0;   //pos自减1后赋值给i,因为数组下标从0开始,而我们日常生活中习惯从1开始
        while (i < charS.length && j < charT.length) {
            if (charS[i] == charT[j]) {
                i++;
                j++;
            } else {
                i = i - j + 1;
                j = 0;
            }
        }
        if (j >= charT.length) {
            return i - charT.length;
        } else {
            return -1;
        }
    }
}

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!