博客
关于我
强烈建议你试试无所不能的chatGPT,快点击我
Java String的点滴1
阅读量:6153 次
发布时间:2019-06-21

本文共 1752 字,大约阅读时间需要 5 分钟。

先来说说String特点

String是不可变的常量,每当我们创建一个字符串对象的时候,如果堆区的常量池里不存在这个字符串,就会创建一个存储在常量池里(String存的地方叫String pool),如果存在了,就直接把变量的地址指向常量池里,比如:String b = “abc” 这句话 内存表示如下。下面开始上题 

 

1.1

String s1 = new String("abc"); String s2 = new String("abc"); System.out.println(s1 == s2);

输出结果是什么呢? 

从上面的图也大概说了jvm里面有堆、栈区。==对于对象类型比较的是地址。所以在s1和s1是分别引用了堆里面new出来的不同对象的地址,图形理解如下

这里写图片描述

答案很明显了,地址不同 输出false.

1.2

String s1 = "abc";StringBuffer s2 = new StringBuffer(s1); System.out.println(s1.equals(s2));

这是true 还是false呢?答案是false。

首先s1变量引用了字符串”abc”,然后StringBuffer s2 = new StringBuffer(s1),新建了一个StringBuffer对象调用append()方法返回自身。调用String的equals方法。重点就是这个equals方法里有个instance of,必需是同一类型的才进行比较否则直接返回false。 

来看一下源码:

/**     * Compares this string to the specified object.  The result is {
@code * true} if and only if the argument is not { @code null} and is a { @code * String} object that represents the same sequence of characters as this * object. * * @param anObject * The object to compare this { @code String} against * * @return { @code true} if the given object represents a { @code String} * equivalent to this string, { @code false} otherwise * * @see #compareTo(String) * @see #equalsIgnoreCase(String) */ public boolean equals(Object anObject) { if (this == anObject) { return true; } //关键点就在这里了 if (anObject instanceof String) { String anotherString = (String) anObject; int n = value.length; if (n == anotherString.value.length) { char v1[] = value; char v2[] = anotherString.value; int i = 0; while (n-- != 0) { if (v1[i] != v2[i]) return false; i++; } return true; } } return false; }

1.3

下面的代码在内存会产生几个对象呢? 

String s1 = new String(“abc”); 
String s2 = new String(“abc”);

答案:3个 

有了上面的分析,相信大家都明白了,new了两个对象,加上string pool里的一个”abc”。

 

转载于:https://www.cnblogs.com/Kevincodebase/p/5248906.html

你可能感兴趣的文章
利用FIFO进行文件拷贝一例
查看>>
Ecshop安装过程中的的问题:cls_image::gd_version()和不支持JPEG
查看>>
resmgr:cpu quantum等待事件
查看>>
一个屌丝程序猿的人生(六十六)
查看>>
Java 编码 UTF-8
查看>>
SpringMVC实战(注解)
查看>>
关于静态属性和静态函数
查看>>
进程的基本属性:进程ID、父进程ID、进程组ID、会话和控制终端
查看>>
spring+jotm+ibatis+mysql实现JTA分布式事务
查看>>
MyBatis启动:MapperStatement创建
查看>>
调查问卷相关
查看>>
eclipse启动无响应,老是加载不了revert resources,或停留在Loading workbench状态
查看>>
1. Git-2.12.0-64-bit .exe下载
查看>>
怎样关闭“粘滞键”?
查看>>
[转]React 教程
查看>>
拓扑排序介绍
查看>>
eclipse打开工作空间(workspace)没有任务反应
查看>>
使用Sybmol模块来构建神经网络
查看>>
字符串去分割符号
查看>>
WPF中,多key值绑定问题,一个key绑定一个界面上的对象
查看>>