使用 String 类的 public char charAi(int index)方法可以得到当前字符串 imdex位 的一个字符。编写程序使用该方法得到一个字符串中的第一个和最后一个字符。
时间: 2024-12-13 20:24:52 浏览: 17
在Java中,`String`类提供了一个名为`charAt(int index)`的方法,它允许我们通过索引来访问字符串中的某个字符。这个方法接收一个整数作为参数,表示我们要获取的字符位置,其中0代表字符串的第一个字符,1代表第二个字符,依此类推。
下面是一个简单的程序,演示如何使用`charAt()`方法获取字符串的第一个和最后一个字符:
```java
public class Main {
public static void main(String[] args) {
String str = "Hello, World!"; // 输入任意字符串
// 获取第一个字符
int firstCharIndex = 0; // 第一个字符的位置是0
char firstChar = str.charAt(firstCharIndex);
System.out.println("第一个字符: " + firstChar);
// 获取最后一个字符
int lastCharIndex = str.length() - 1; // 最后一个字符的位置是字符串长度减一
char lastChar = str.charAt(lastCharIndex);
System.out.println("最后一个字符: " + lastChar);
}
}
```
在这个例子中,我们首先定义了一个字符串`str`,然后使用`charAt()`方法获取了它的第一个和最后一个字符,并打印出来。
阅读全文