一、字符串的定义和创建
在Java中,字符串是一个不可变的字符序列。可以使用双引号("")或者String类的构造函数来创建字符串。
使用双引号创建字符串:
String str1 = "hello world";
使用String类的构造函数创建字符串:
String str2 = new String("hello world");
此时str1和str2都是一个字符串类型的变量,它们的值都是“hello world”。
二、字符串的常用方法
1、equals方法
String类的equals方法用于比较两个字符串是否相等,如果相等则返回true,否则返回false。
String str1 = "hello";
String str2 = "world";
if(str1.equals(str2)){
System.out.println("strings are equal");
}else{
System.out.println("strings are not equal");
}
输出结果为“strings are not equal”,因为str1和str2的值不相等。
2、length方法
String类的length方法用于获取字符串的长度,即字符的数量。
String str = "abcdefg";
int length = str.length();
System.out.println("length of string is " + length);
输出结果为“length of string is 7”,因为字符串“abcdefg”有7个字符。
3、indexOf方法
String类的indexOf方法用于查找一个指定的字符串在另一个字符串中第一次出现的位置。如果找到了该字符串则返回它在原字符串中的位置,否则返回-1。
String str = "hello world";
int index = str.indexOf("world");
System.out.println("index of world is " + index);
输出结果为“index of world is 6”,因为字符串“world”在“hello world”中第一次出现的位置是从索引值6开始的。
4、substring方法
String类的substring方法用于获取一个子字符串。它需要两个参数,第一个参数是子字符串的起始位置,第二个参数是子字符串结束位置的后一位。
String str = "hello world";
String subStr = str.substring(6, 11);
System.out.println(subStr);
输出结果为“world”,因为从索引值6到11的子字符串是“world”。
三、字符串的输入
1、从控制台输入字符串
从控制台输入字符串可以使用Java的Scanner类。首先需要创建一个Scanner对象,然后使用Scanner类的nextLine方法读取字符串。
import java.util.Scanner;
public class Test{
public static void main(String[] args){
Scanner scanner = new Scanner(System.in);
System.out.println("Please enter a string:");
String str = scanner.nextLine();
System.out.println("the string you entered is: " + str);
}
}
当程序运行后,会输出"Please enter a string:",此时可以在控制台输入任意一个字符串,程序将会输出“the string you entered is:”和你输入的字符串。
2、从文件中读取字符串
从文件中读取字符串可以使用Java的FileReader类。首先需要创建一个FileReader对象,然后使用FileReader类的read方法读取文件中的内容到一个字符数组中,最后将字符数组转换为字符串。
import java.io.FileReader;
public class Test{
public static void main(String[] args) throws Exception{
FileReader reader = new FileReader("file.txt");
char[] buffer = new char[1024];
int len = reader.read(buffer);
String str = new String(buffer, 0, len);
System.out.println(str);
reader.close();
}
}
以上代码会读取文件file.txt中的内容并将其输出到控制台。
四、字符串的输出
1、输出到控制台
将一个字符串输出到控制台可以使用Java的System.out.println方法。
String str = "hello world";
System.out.println(str);
以上代码输出"hello world"到控制台。
2、输出到文件
将一个字符串输出到文件可以使用Java的FileWriter类。首先需要创建一个FileWriter对象,然后使用FileWriter类的write方法将字符串写入到文件中。
import java.io.FileWriter;
public class Test{
public static void main(String[] args) throws Exception{
String str = "hello world";
FileWriter writer = new FileWriter("file.txt");
writer.write(str);
writer.close();
}
}
以上代码会将字符串“hello world”写入到文件file.txt中。