字符串:
在C语言里面 是 没有字符串类型的!
但是,在 Java 和 C++ 里,有字符串类型【String】
使用双引号,且双引号中包含任意数量的字符【“abcdef”,“a”】,就是字符串。
使用单引号,且单引号中,只包含一个字符【‘a’,‘强’】,就是字符。
创建方法与创建数组,几乎一样。
public class Test {
public static void main(String[] args) {
char[] chars = {'a','b','c'};
String str3 = new String(chars);
System.out.println(str3);
}
}
这里先给大家打个底,后面,我会详细讲解.。
我们先来搞懂String的对象(通过创建字符串的第三种方法)
String 常用的构造方法就是数组
“hello” 这样的字符串字面值常量, 类型也是 String.
String 也是引用类型. String str = “Hello”; 这样的代码内存布局如下
^**
public class Test {
public static void main(String[] args) {
String str = "abcef";
String str2 = str;
System.out.println(str);
System.out.println(str2);
}
}
例如: String str = “abcd”; 通过引用 str 去将 字符串"abcd" 修改成 “gbcd”.
答案是做不到的,因为被双引号引起来的是字面值常量,常量是不能被修改的。
例题2中,str = “author”; 这句代码是将str重新指向一个新的对象(修改str的指向),而不是将原来的字符串对象修改成author。
import java.util.Arrays;
public class Test {
public static void func(String s,char[] array){
s = "author";
array[0] = 'p';
}
public static void main(String[] args) {
String str = "abcd";
char[] chars = {'y','o','u'};
func(str,chars);
System.out.println(str);
System.out.println(Arrays.toString(chars));
}
}
不是说 转引用 就能改变实参的值。
你要看,到底这个引用干了什么!
public class Test {
public static void main(String[] args) {
String str1 = "hello";
String str2 = new String("hello");
System.out.println(str1 == str2);
}
}
import java.util.Arrays;
public class Test {
public static void main(String[] args) {
String str1 = "hello";
String str2 = "hello";
System.out.println(str1==str2);
}
}
public class Test {
public static void main(String[] args) {
String str1 = "hello";
String str2 = "he"+"llo";// 注意:此时两个字符串都是常量,且在编译的时候就已经确定了是"hello"
// 简单来说像这种 直接拿两个字符串常量来拼接的,在编译时,就默认是拼接好了的,或者说 默认就是一个完整的字符串常量
System.out.println(str1 == str2);
}
}
public class Test {
public static void main(String[] args) {
String str1 = "hello";
String str2 = "he";
String str3 = str1+"llo";
System.out.println(str1 == str3);
}
}
public class Test {
public static void main(String[] args) {
String str1 = "11";
String str2 = new String("1")+ new String("1");
System.out.println(str1==str2);
}
}
如果 我在程序中,在 str2后面加上一句代码 str2.intern(); 呢?
intern() 的作用:将它的调用者,手动入池。
public class Test {
public static void main(String[] args) {
String str2 = new String("1")+ new String("1");
str2.intern();
String str1 = "11";
System.out.println(str1==str2);
}
}
如果是引用类型变量之间的比较,且使用双等号来比较的话,比较的就是引用变量存储的地址。相信大家应该明白,上面的例题就是这样比较的。
语法 调用者.equals();
如果调用是引用类型的数据,就需要注意,调用者不能空引用/空指针。防止出现空指针异常错误
;public class Test2 {
public static void main(String[] args) {
String str = "hello";
str =str + " world";
str+="!!!";
System.out.println(str);
}
}
还是上一个程序,如果我非要把字符串"abcde"的 a 改成 g 呢?
可以,前面我们也看到,String类型的数据,是数组的形式存储在对上,既然是数组,那么我们可以通过下标去修改它,
但是问题是 value 的权限是private 是 私有的
所以,即使我们拿到了对象,都拿不到value的
但是 反射 就可以走到,反射的功能异常强大。
反射 是什么?
举一个很形象的例子:
我们每次坐地铁,我们所带的行李箱,都需要进过安检,了解过的都知道,安检的机器,会发射一中光谱的曲线,通过反射,就能知道我们的行李箱中装了什么东西。从这里就体现出了 “反射” 的 概念
这里是类比一下, 通过"反射"。我们能看到类里面存储的一些属性,哪怕是私有的,又或者是上锁了。我都能看到,
也就是说:通过反射,我们能获取其中所有信息。
其实 反射就是最大bug,用得好,那叫一个nice,用的不好,那叫一个难受。