8

我正在做一些初学者的编码练习,我遇到了这个问题:给定两个字符串,base 和 remove,返回一个基本字符串的版本,其中删除字符串的所有实例都已被删除。(不区分大小写)。

这是我到目前为止所拥有的,但它根本不起作用。

public String withoutString(String base, String remove) {

 for (int i=0; i<base.length()-remove.length(); i++){
  if (base.substring(i, i+remove.length()).equals(remove)){
  base = base.substring(i, base.indexOf("remove")-1) + base.substring(base.indexOf("remove"), base.length()-remove.length());
    }
  }
  return base;
}

我还没有处理区分大小写的部分,以使其对我自己更明显。我也不确定为什么我不能使用 base.replaceAll("remove",""); 任何帮助表示赞赏。

编辑*:我犯了一个菜鸟错误,replaceAll 仍然有效。此外,我怎么能使用循环和条件来做到这一点?会不会像我以前那样乱七八糟?

4

4 回答 4

10

您可以使用

String result = base.replaceAll(remove,"");

在您尝试使用引号时,实际上是在尝试删除字符串"remove"

要处理不区分大小写的问题,您可以(?i)在前面使用正则表达式标志来忽略大小写,这样您就可以调用

String result = base.replaceAll("(?i)" + remove,"");

这确实意味着 String remove 现在是一个正则表达式,因此特殊字符可能会产生不希望的结果。例如,如果您的删除字符串是.,您最终会删除每个字符。如果您不希望它作为正则表达式,请使用

String result =  Pattern.compile(remove, Pattern.LITERAL).matcher(base).replaceAll("")

它还可以包括不区分大小写的标志,因为它们是位掩码,请参阅Pattern了解更多信息

Pattern.LITERAL | Pattern.CASE_INSENSITIVE

编辑

要使用您的循环执行此操作,只需执行此循环

for (int i=0; i <= base.length()-remove.length(); i++)
{
    if (base.substring(i, i+remove.length()).equals(remove))
    {  
        base = base.substring(0, i) + base.substring(i + remove.length() , base.length());
        i--;
    }
}
于 2013-09-19T23:39:55.967 回答
1

indexOf("remove")意味着,您正在搜索(固定) STRING remove,而不是String命名的值remove- 这很可能不是您想要做的。同样适用于您的replaceAll("remove")尝试。

删除,"所以您使用的是 String 的 VALUE 命名remove,而不是固定字符串"remove"

例子:

String remove = "test";
System.out.println(remove) // will print: test
System.out.println("remove") // will print: remove
于 2013-09-19T23:43:07.513 回答
0

您应该使用(?i)标志或:

base = Pattern.compile(remove, Pattern.CASE_INSENSITIVE).matcher(base).replaceAll("");
于 2013-09-19T23:47:09.237 回答
0

尝试这个 :

if(base.indexOf(remove) != -1){
base.replaceAll(remove,"");
}
于 2013-09-19T23:49:49.087 回答