本文链接:http://blog.csdn.net/qq_16628781/article/details/49337619
知识点:
1、Java函数startsWith()简介及用法;
2、Java函数endsWith()简介及用法;
有很多时候我们需要某个字串进行前缀或者是后缀的判断,例如在webView中加载一个网页,但是不是我们所要的那个网页,或者是进行某些字段的“拦截”功能,依据判断前缀或者是后缀来归类文件,文件夹等等操作。
下面来介绍两个常用到的函数,他们都是String类里面的函数,直接new一个对象就可以调用了,或者是直接一个字串.就可以调用了。不多说了,先从源码的角度解释函数。
/**
* Compares the specified string to this string to determine if the
* specified string is a prefix.
*
* @param prefix
* the string to look for. 给定的字串
* @return {@code true} if the specified string is a prefix of this string,
* {@code false} otherwise 返回布尔值
* @throws NullPointerException
* if {@code prefix} is {@code null}.
*/
//解释:给定的字串和自己定义的字串相比较,看是否是前缀相同。eg:A.startsWith(B),A是给定的
//B是自己定义的字串
public boolean startsWith(String prefix) {
return startsWith(prefix, 0);
}
当然它并不孤单,还有一个同父异母的长兄:
/**
* Compares the specified string to this string, starting at the specified
* offset, to determine if the specified string is a prefix.
*
* @param prefix
* the string to look for.
* @param start
* the starting offset.
* @return {@code true} if the specified string occurs in this string at the
* specified offset, {@code false} otherwise.返回布尔值
* @throws NullPointerException
* if {@code prefix} is {@code null}.
*/
//解释:指定字串和定义的字串从指定的start位置开始比较是否前缀相同。
//eg:A.startsWith(B,C),看A是否和B从C位置开始是否前缀相同,A为指定字串,B为定义字串
public boolean startsWith(String prefix, int start) {
return regionMatches(start, prefix, 0, prefix.count);
}
示例eg:
String str1 = "this is str1";
String str2 = "this is str2";
if (str1.startsWith(str2)) {
System.out.println("===>>yes=" + str1.startsWith(str2));
} else {
System.out.println("===>>no=" + str1.startsWith(str2));
}
//结果:===>>no=false 最后的字符不同,空格也表示相同
String str1 = "this is str1";
String str2 = "this i";
if (str1.startsWith(str2)) {
System.out.println("===>>yes=" + str1.startsWith(str2));
} else {
System.out.println("===>>no=" + str1.startsWith(str2));
}
//结果是:===>>yes=true ,空格而是算前缀的一个,有空格处也相等。
String str1 = "this is str1";
String str2 = "t";
if (str1.startsWith(str2)) {
System.out.println("===>>yes=" + str1.startsWith(str2));
} else {
System.out.println("===>>no=" + str1.startsWith(str2));
}
//结果:===>>yes=true ,同样一个字母t也是算共同的浅醉;
String str1 = "this is str1";
String str2 = "tH";
if (str1.startsWith(str2)) {
System.out.println("===>>yes=" + str1.startsWith(str2));
} else {
System.out.println("===>>no=" + str1.startsWith(str2));
}
//结果:===>>no=false 看,它还区分大小写。
/**
* Compares the specified string to this string to determine if the
* specified string is a suffix.
*
* @throws NullPointerException
* if {@code suffix} is {@code null}.
*/
//解释:比较指定字串和定义字串的后缀是否相等。返回布尔值类型。
public boolean endsWith(String suffix) {
return regionMatches(count - suffix.count, suffix, 0, suffix.count);
}
谢谢大家!