JavaSE|Java判断字符串是否包含某字符


文章目录

      • 一、contains
      • 二、indexOf
      • 三、lastIndexOf
      • 四、indexOf 与 lastIndexOf 结合

一、contains
public boolean contains(CharSequence s);

描述:判断一个子字符串是否存在;当且仅当字符串包含char值序列时返回结果为true。
此方法不适合查询单个字符的情况。
public static void main(String[] args) {
public static void main(String[] args) { String str = "abc"; boolean status = str.contains("a"); if(status){System.out.println("包含"); }else{System.out.println("不包含"); } }

二、indexOf
public int indexOf(String str, int fromIndex);

描述:从指定位置开始查找子字符串第一次出现的位置,查找到了返回该位置的索引,查找不到返回-1。参数fromIndex默认为0。
public static void main(String[] args) {String str = "abcdefg"; int ret = str.indexOf("a"); if(ret != -1){System.out.println("字符串str中包含子串“a”"+ ret); }else{System.out.println("字符串str中不包含子串“a”"+ ret); } }

  • 该方法可以判断一个字符串中是否包含某个字符。
三、lastIndexOf
public int lastIndexOf(String str, int fromIndex);

描述:从指定位置从后向前查找子字符串的位置,参数fromIndex默认为字符串最后一位。
public static void main(String[] args) {String str = "abcdefg"; int ret = str.lastIndexOf("a"); if(ret != -1){System.out.println("字符串str中包含子串“a”"+ ret); }else{System.out.println("字符串str中不包含子串“a”"+ ret); } }

  • 该方法可以判断一个字符串中是否包含某个字符。
四、indexOf 与 lastIndexOf 结合
【JavaSE|Java判断字符串是否包含某字符】刷题经常会碰到查找只出现一次的字符,这种情况就可以考虑同时使用indexOf和lastIndexOf判断。
indexOf是从前往后查找第一次出现的字符索引,lastIndexOf是从后往前查找第一次出现的字符索引,所以如果该查找字符在字符串中只出现了一次,那么两种方法查找出来的索引应该是相同的,反之如果该查找字符在字符串中出现了不止一次,那么从左往右和从右往左查找的结果一定不同。
public static void main(String[] args) {String s = "abcdefg"; for (int i = 0; i < s.length(); i++) {char ch = s.charAt(i); //判断字符的第一个索引和最后一个索引是否相等 if(s.indexOf(ch) == s.lastIndexOf(ch)){return i; //返回下标 } } return -1; //没有查找到只出现一次的字符,返回-1 }

    推荐阅读