String
类的构造方法创建字符串。String str1 = "Hello World";
String str2 = new String("Hello World");
String
类的concat()
方法连接字符串。String str3 = str1 + str2;
String str4 = str1.concat(str2);
length()
方法获取字符串的长度。int len = str1.length();
charAt()
方法获取字符串中指定位置的字符。char c = str1.charAt(0);
substring()
方法截取字符串。String sub = str1.substring(0, 5);
replace()
方法替换字符串中的字符或子串。String newStr = str1.replace("World", "Java");
toUpperCase()和toLowerCase()
方法将字符串转换为全大写或全小写。String upper = str1.toUpperCase();
String lower = str1.toLowerCase();
indexOf()
方法查找字符串中指定字符或子串的位置。int index = str1.indexOf('o');
int index2 = str1.indexOf("World");
equals()
方法比较字符串是否相等。boolean isEqual = str1.equals(str2);
String.format()
方法将数据格式化为字符串。String name = "小明";
int age = 20;
String info = String.format("姓名:%s,年龄:%d", name, age);
String str = "Hello world!";
for (int i = 0; i < str.length(); i++) {
char c = str.charAt(i);
System.out.println(c);
}
String str = "Hello world!";
for (char c : str.toCharArray()) {
System.out.println(c);
}
int[] a = {1, 2, 3};
int[] b = new int[3];
length
属性获取数组长度。int len = a.length;
int element = a[0];
a[1] = 4;
for
循环或者foreach
语句遍历数组。for (int i = 0; i < a.length; i++) {
System.out.println(a[i]);
}
for (int element : a) {
System.out.println(element);
}
Arrays
类的copyOf()方法或System.arraycopy()
方法复制数组。int[] c = Arrays.copyOf(a, 3);
int[] d = new int[3];
System.arraycopy(a, 0, d, 0, 3);
Collections
类的reverse()
方法对列表进行反转。Collections.reverse(a);
Arrays
类的sort()
方法对数组进行排序。// 正序
Arrays.sort(a);
// 倒序,可以先正序再反转
Collections.reverse(a);
Arrays
类的binarySearch()
方法对有序数组进行查找。String str = Arrays.toString(a);
HashMap<String, Integer> hashMap = new HashMap<>();
hashMap.put("apple", 5);
hashMap.put("banana", 6);
Integer appleValue = hashMap.get("apple"); // 返回5
hashMap.remove("apple");
int size = hashMap.size();
boolean isEmpty = hashMap.isEmpty();
boolean containsKey = hashMap.containsKey("apple");
boolean containsValue = hashMap.containsValue(6);
hashMap.clear();
for (String key : hashMap.keySet()) {
Integer value = hashMap.get(key);
System.out.println(key + ": " + value);
}
HashMap<Integer, Integer> hashMap = new HashMap<>();
hashMap.put(3, 30);
hashMap.put(1, 10);
hashMap.put(2, 20);
List<Map.Entry<Integer, Integer>> list = new ArrayList<>(hashMap.entrySet());
Collections.sort(list, new Comparator<Map.Entry<Integer, Integer>>() {
public int compare(Map.Entry<Integer, Integer> o1, Map.Entry<Integer, Integer> o2) {
return o1.getValue().compareTo(o2.getValue());
}
});
for (Map.Entry<Integer, Integer> entry : list) {
System.out.println(entry.getKey() + ": " + entry.getValue());
}
这里我们先将哈希表中的元素转换为一个 List
,然后通过 Collections.sort()
方法对 List
进行排序,具体排序方式通过传入 Comparator
实现。最后,遍历排好序的 List 输出结果即可。
以上就是关于Java -【字符串,数组,哈希表】常用操作的基本介绍,希望对你有做帮助!