为了访问Java中String的单个字符,我们有String.charAt(2)
。是否有任何内置函数可以删除java中字符串的单个字符?
这样的事情:
if(String.charAt(1) == String.charAt(2){
//I want to remove the individual character at index 2.
}
答案 0 :(得分:195)
您还可以使用可变的StringBuilder
类。
StringBuilder sb = new StringBuilder(inputString);
它有方法deleteCharAt()
,还有许多其他的mutator方法。
只需删除您需要删除的字符,然后按如下方式获得结果:
String resultString = sb.toString();
这可以避免创建不必要的字符串对象。
答案 1 :(得分:64)
一种可能性:
String result = str.substring(0, index) + str.substring(index+1);
请注意,结果是一个新的String(以及两个中间String对象),因为Java中的字符串是不可变的。
答案 2 :(得分:41)
您可以使用名为replace的Java String方法,它将所有与第一个参数匹配的字符替换为第二个参数:
String a = "Cool";
a = a.replace("o","");
//variable 'a' contains the string "Cl"
答案 3 :(得分:13)
不,因为Java中的字符串是不可变的。你必须创建一个新的字符串来删除你不想要的字符。
要替换字符串c
中索引位置idx
的单个字符str
,请执行以下操作,并记住将创建一个新字符串:
String newstr = str.substring(0, idx) + str.substring(idx + 1);
答案 4 :(得分:10)
String str = "M1y java8 Progr5am";
deleteCharAt()
StringBuilder build = new StringBuilder(str);
System.out.println("Pre Builder : " + build);
build.deleteCharAt(1); // Shift the positions front.
build.deleteCharAt(8-1);
build.deleteCharAt(15-2);
System.out.println("Post Builder : " + build);
替换()
StringBuffer buffer = new StringBuffer(str);
buffer.replace(1, 2, ""); // Shift the positions front.
buffer.replace(7, 8, "");
buffer.replace(13, 14, "");
System.out.println("Buffer : "+buffer);
炭[]
char[] c = str.toCharArray();
String new_Str = "";
for (int i = 0; i < c.length; i++) {
if (!(i == 1 || i == 8 || i == 15))
new_Str += c[i];
}
System.out.println("Char Array : "+new_Str);
答案 5 :(得分:8)
请考虑以下代码:
public String removeChar(String str, Integer n) {
String front = str.substring(0, n);
String back = str.substring(n+1, str.length());
return front + back;
}
答案 6 :(得分:4)
您也可以使用(巨大的)正则表达式计算机。
inputString = inputString.replaceFirst("(?s)(.{2}).(.*)", "$1$2");
"(?s)" -
告诉regexp处理普通字符等换行符(以防万一)。"(.{2})" -
群组$ 1正好收集2个字符"." -
索引2处的任何字符(被挤出)。"(.*)" -
组$ 2,它收集inputString的其余部分。"$1$2" -
将$ 1组和$ 2组合在一起。答案 7 :(得分:2)
要修改字符串,请阅读有关StringBuilder的信息,因为它除了可变的String之外都是可变的。您可以在https://docs.oracle.com/javase/tutorial/java/data/buffers.html处找到不同的操作。下面的代码段创建一个StringBuilder,然后附加给定的String,然后从String中删除第一个字符,然后将其从StringBuilder转换回String。
StringBuilder sb = new StringBuilder();
sb.append(str);
sb.deleteCharAt(0);
str = sb.toString();
答案 8 :(得分:1)
从字符串中删除字符的最简单方法
String str="welcome";
str=str.replaceFirst(String.valueOf(str.charAt(2)),"");//'l' will replace with ""
System.out.println(str);//output: wecome
答案 9 :(得分:1)
是的。我们具有内置函数来删除java中字符串的单个字符,即deleteCharAt
例如,
public class StringBuilderExample
{
public static void main(String[] args)
{
StringBuilder sb = new StringBuilder("helloworld");
System.out.println("Before : " + sb);
sb = sb.deleteCharAt(3);
System.out.println("After : " + sb);
}
}
输出
Before : helloworld
After : heloworld
答案 10 :(得分:1)
在大多数使用StringBuilder
或substring
的用例中,这是一种很好的方法(已经回答过)。但是,对于性能关键代码,这可能是一个很好的选择。
/**
* Delete a single character from index position 'start' from the 'target' String.
*
* ````
* deleteAt("ABC", 0) -> "BC"
* deleteAt("ABC", 1) -> "B"
* deleteAt("ABC", 2) -> "C"
* ````
*/
public static String deleteAt(final String target, final int start) {
return deleteAt(target, start, start + 1);
}
/**
* Delete the characters from index position 'start' to 'end' from the 'target' String.
*
* ````
* deleteAt("ABC", 0, 1) -> "BC"
* deleteAt("ABC", 0, 2) -> "C"
* deleteAt("ABC", 1, 3) -> "A"
* ````
*/
public static String deleteAt(final String target, final int start, int end) {
final int targetLen = target.length();
if (start < 0) {
throw new IllegalArgumentException("start=" + start);
}
if (end > targetLen || end < start) {
throw new IllegalArgumentException("end=" + end);
}
if (start == 0) {
return end == targetLen ? "" : target.substring(end);
} else if (end == targetLen) {
return target.substring(0, start);
}
final char[] buffer = new char[targetLen - end + start];
target.getChars(0, start, buffer, 0);
target.getChars(end, targetLen, buffer, start);
return new String(buffer);
}
答案 11 :(得分:1)
public class RemoveCharFromString {
public static void main(String[] args) {
String output = remove("Hello", 'l');
System.out.println(output);
}
private static String remove(String input, char c) {
if (input == null || input.length() <= 1)
return input;
char[] inputArray = input.toCharArray();
char[] outputArray = new char[inputArray.length];
int outputArrayIndex = 0;
for (int i = 0; i < inputArray.length; i++) {
char p = inputArray[i];
if (p != c) {
outputArray[outputArrayIndex] = p;
outputArrayIndex++;
}
}
return new String(outputArray, 0, outputArrayIndex);
}
}
答案 12 :(得分:1)
通过使用replace方法,我们可以改变字符串的单个字符。
string= string.replace("*", "");
答案 13 :(得分:1)
如果您需要对字符删除进行一些逻辑控制,请使用此
String string = "sdsdsd";
char[] arr = string.toCharArray();
// Run loop or whatever you need
String ss = new String(arr);
如果您不需要任何此类控制,您可以使用Oscar或Bhesh提到的内容。他们是现场。
答案 14 :(得分:1)
使用String类的replaceFirst函数。你可以使用很多替换功能的变种。
答案 15 :(得分:0)
我刚刚实现了该实用程序类,该类从字符串中删除了一个字符或一组字符。我认为它很快,因为不使用Regexp。我希望它能对某人有所帮助!
package your.package.name;
/**
* Utility class that removes chars from a String.
*
*/
public class RemoveChars {
public static String remove(String string, String remove) {
return new String(remove(string.toCharArray(), remove.toCharArray()));
}
public static char[] remove(final char[] chars, char[] remove) {
int count = 0;
char[] buffer = new char[chars.length];
for (int i = 0; i < chars.length; i++) {
boolean include = true;
for (int j = 0; j < remove.length; j++) {
if ((chars[i] == remove[j])) {
include = false;
break;
}
}
if (include) {
buffer[count++] = chars[i];
}
}
char[] output = new char[count];
System.arraycopy(buffer, 0, output, 0, count);
return output;
}
/**
* For tests!
*/
public static void main(String[] args) {
String string = "THE QUICK BROWN FOX JUMPS OVER THE LAZY DOG";
String remove = "AEIOU";
System.out.println();
System.out.println("Remove AEIOU: " + string);
System.out.println("Result: " + RemoveChars.remove(string, remove));
}
}
这是输出:
Remove AEIOU: THE QUICK BROWN FOX JUMPS OVER THE LAZY DOG
Result: TH QCK BRWN FX JMPS VR TH LZY DG
答案 16 :(得分:0)
要从给定字符串中删除单个字符,请找到我的方法,希望它会有用。我已经使用str.replaceAll删除了字符串,但是他们有很多方法可以从给定的字符串中删除字符,但是我更喜欢replaceall方法。
删除字符代码:
import java.util.ArrayList;
import java.util.Collection;
import java.util.Collections;
public class Removecharacter
{
public static void main(String[] args)
{
String result = removeChar("Java", 'a');
String result1 = removeChar("Edition", 'i');
System.out.println(result + " " + result1);
}
public static String removeChar(String str, char c) {
if (str == null)
{
return null;
}
else
{
return str.replaceAll(Character.toString(c), "");
}
}
}
控制台图像:
请找到控制台的附件图像,
感谢您的询问。 :)
答案 17 :(得分:0)
如果您要从特定的 int index 的 String str 中删除字符,请执行以下操作:
> public static String removeCharAt(String str, int index) {
// The part of the String before the index:
String str1 = str.substring(0,index);
// The part of the String after the index:
String str2 = str.substring(index+1,str.length());
// These two parts together gives the String without the specified index
return str1+str2;
}
答案 18 :(得分:0)
public String missingChar(String str, int n) {
String front = str.substring(0, n);
// Start this substring at n+1 to omit the char.
// Can also be shortened to just str.substring(n+1)
// which goes through the end of the string.
String back = str.substring(n+1, str.length());
return front + back;
}
答案 19 :(得分:0)
当我遇到这些问题时,我总是会问:&#34; Java Gurus会做什么?&#34; :)
在这种情况下,我会通过查看String.trim()
的实现来回答这个问题。
这是对该实现的推断,允许使用更多修剪字符。
但请注意,原始修剪实际上删除了<= ' '
的所有字符,因此您可能需要将其与原始字符组合以获得所需的结果。
String trim(String string, String toTrim) {
// input checks removed
if (toTrim.length() == 0)
return string;
final char[] trimChars = toTrim.toCharArray();
Arrays.sort(trimChars);
int start = 0;
int end = string.length();
while (start < end &&
Arrays.binarySearch(trimChars, string.charAt(start)) >= 0)
start++;
while (start < end &&
Arrays.binarySearch(trimChars, string.charAt(end - 1)) >= 0)
end--;
return string.substring(start, end);
}
答案 20 :(得分:0)
*您可以使用StringBuilder和deletecharAt删除字符串值。
String s1 = "aabc";
StringBuilder sb = new StringBuilder(s1);
for(int i=0;i<sb.length();i++)
{
char temp = sb.charAt(0);
if(sb.indexOf(temp+"")!=1)
{
sb.deleteCharAt(sb.indexOf(temp+""));
}
}
答案 21 :(得分:0)
BufferedReader input=new BufferedReader(new InputStreamReader(System.in));
String line1=input.readLine();
String line2=input.readLine();
char[] a=line2.toCharArray();
char[] b=line1.toCharArray();
loop: for(int t=0;t<a.length;t++) {
char a1=a[t];
for(int t1=0;t1<b.length;t1++) {
char b1=b[t1];
if(a1==b1) {
StringBuilder sb = new StringBuilder(line1);
sb.deleteCharAt(t1);
line1=sb.toString();
b=line1.toCharArray();
list.add(a1);
continue loop;
}
}
答案 22 :(得分:0)
public static String removechar(String fromString, Character character) {
int indexOf = fromString.indexOf(character);
if(indexOf==-1)
return fromString;
String front = fromString.substring(0, indexOf);
String back = fromString.substring(indexOf+1, fromString.length());
return front+back;
}
答案 23 :(得分:-1)
例如,如果你想计算字符串中有多少个,你可以这样做:
if (string.contains("a"))
{
numberOf_a++;
string = string.replaceFirst("a", "");
}