Java: método para obter a posição de uma correspondência em uma String?

138
String match = "hello";
String text = "0123456789hello0123456789";

int position = getPosition(match, text); // should be 10, is there such a method?
hhh
fonte

Respostas:

259

A família de métodos que faz isso é:

Retorna o índice nessa cadeia de caracteres da primeira ( ou última ) ocorrência da substring especificada [pesquisando para frente ( ou para trás ) iniciando no índice especificado].


String text = "0123hello9012hello8901hello7890";
String word = "hello";

System.out.println(text.indexOf(word)); // prints "4"
System.out.println(text.lastIndexOf(word)); // prints "22"

// find all occurrences forward
for (int i = -1; (i = text.indexOf(word, i + 1)) != -1; i++) {
    System.out.println(i);
} // prints "4", "13", "22"

// find all occurrences backward
for (int i = text.length(); (i = text.lastIndexOf(word, i - 1)) != -1; i++) {
    System.out.println(i);
} // prints "22", "13", "4"
poligenelubricants
fonte
2
lolz, só percebi um interior atribuição while-loop, então você postar um interior atribuição loop for +1
hhh
4
@polygenelubricants - seus exemplos de "encontrar todas as ocorrências" são inteligentes. Mas, se estivesse analisando o código, você receberia uma palestra sobre manutenção do código.
Stephen C
3
Como você escreveria isso? Sinceramente, pergunto, porque nunca tive uma experiência profissional de revisão de código.
polygenelubricants
1
Ao encontrar todas as ocorrências, em vez de i ++, podemos escrever i + = word.length (). Deve ser um pouco mais rápido.
Maio Rest in Peace
O primeiro loop falhará ao encontrar todas as posições se corresponder a um caractere. Você não precisa de +1 na segunda instrução do loop, porque a terceira instrução conta o i ++ try para String text = "0011100"; a palavra correspondente char "1" imprimirá 2,4 e não 2,3,4
Strauteka em
40

Isso funciona usando regex.

String text = "I love you so much";
String wordToFind = "love";
Pattern word = Pattern.compile(wordToFind);
Matcher match = word.matcher(text);

while (match.find()) {
     System.out.println("Found love at index "+ match.start() +" - "+ (match.end()-1));
}

Resultado :

Encontrado 'amor' no índice 2 - 5

Regra geral :

  • A pesquisa de expressões regulares da esquerda para a direita e depois que os caracteres correspondentes foram usados, não pode ser reutilizada.
Aldwane Viegan
fonte
19
Isso funciona incrível, mas para esta frase eu tenho a saída dizendo: "Eu tenho um namorado" :-)
Gaurav Pangam
8

Localizando um Único Índice

Como outros já disseram, use text.indexOf(match)para encontrar uma única correspondência.

String text = "0123456789hello0123456789";
String match = "hello";
int position = text.indexOf(match); // position = 10

Localizando Vários Índices

Por causa do comentário do @ StephenC sobre a manutenção do código e minha própria dificuldade em entender a resposta dos @polygenelubricants , eu queria encontrar outra maneira de obter todos os índices de uma correspondência em uma sequência de texto. O código a seguir (que é modificado a partir desta resposta ) faz isso:

String text = "0123hello9012hello8901hello7890";
String match = "hello";

int index = text.indexOf(match);
int matchLength = match.length();
while (index >= 0) {  // indexOf returns -1 if no match found
    System.out.println(index);
    index = text.indexOf(match, index + matchLength);
}
Suragch
fonte
2

Use string.indexOf para obter o índice inicial.

Anthony Pegram
fonte
2

Você pode obter todas as correspondências em um arquivo simplesmente atribuindo dentro do while while, legal:

$ javac MatchTest.java 
$ java MatchTest 
1
16
31
46
$ cat MatchTest.java 
import java.util.*;
import java.io.*;

public class MatchTest {
    public static void main(String[] args){
        String match = "hello";
        String text = "hello0123456789hello0123456789hello1234567890hello3423243423232";
        int i =0;
        while((i=(text.indexOf(match,i)+1))>0)
            System.out.println(i);
    }
}
hhh
fonte
2
A maneira como você compensado ipor +1obras, mas de uma forma bastante indireta. Como você mostrou aqui, ele relata o primeiro helloem i == 1. É muito mais consistente se você sempre usa a indexação baseada em 0.
polygenelubricants
1
... vai roubar sua coisa: P Obrigado.
Hhh
2
int match_position=text.indexOf(match);
Sayed
fonte
1
Por favor, explique o que você fez
Fabio
1
@Fabio getPosition (correspondência, texto) {int match_position = text.indexOf (correspondência); voltar match_position;}
Sayed
1
import java.util.StringTokenizer;

public class Occourence {

  public static void main(String[] args) {
    String key=null,str ="my name noorus my name noorus";        
    int i=0,tot=0;

    StringTokenizer st=new StringTokenizer(str," ");
    while(st.hasMoreTokens())
    {   
        tot=tot+1;
        key = st.nextToken();
        while((i=(str.indexOf(key,i)+1))>0)
        {
            System.out.println("position of "+key+" "+"is "+(i-1));
        }
    }

    System.out.println("total words present in string "+tot);
  }
}
Khan
fonte
1
Você pode explicar por que isso funciona e o que está acontecendo na guarda do loop interno? Uma explicação pode ser útil para um leitor iniciante.
Paul Hicks
1
int indexOf (String str, int fromIndex): Retorna o índice nessa string da primeira ocorrência da substring especificada, iniciando no índice especificado. Se isso não ocorrer, -1 será retornado. Aqui, o loop interno de while seria capaz de obter todo o código-fonte do token (aqui especificado pela variável denominada 'key').
Khan
1

Eu tenho um código grande, mas funcionando muito bem ....

   class strDemo
   { 
       public static void main(String args[])
       {
       String s1=new String("The Ghost of The Arabean Sea");
           String s2=new String ("The");
           String s6=new String ("ehT");
           StringBuffer s3;
           StringBuffer s4=new StringBuffer(s1);
           StringBuffer s5=new StringBuffer(s2);
           char c1[]=new char[30];
           char c2[]=new char[5];
           char c3[]=new char[5];
           s1.getChars(0,28,c1,0);
           s2.getChars(0,3,c2,0);
           s6.getChars(0,3,c3,0); s3=s4.reverse();      
           int pf=0,pl=0;
           char c5[]=new char[30];
           s3.getChars(0,28,c5,0);
           for(int i=0;i<(s1.length()-s2.length());i++)
           {
               int j=0;
               if(pf<=1)
               {
                  while (c1[i+j]==c2[j] && j<=s2.length())
                  {           
                    j++;
                    System.out.println(s2.length()+" "+j);
                    if(j>=s2.length())
                    {
                       System.out.println("first match of(The) :->"+i);

                     }
                     pf=pf+1;         
                  }   
             }                
       }       
         for(int i=0;i<(s3.length()-s6.length()+1);i++)
        {
            int j=0;
            if(pl<=1)
            {
             while (c5[i+j]==c3[j] && j<=s6.length())
             {
                 j++;
                 System.out.println(s6.length()+" "+j);
                 if(j>=s6.length())
                 {
                         System.out.println((s3.length()-i-3));
                         pl=pl+1;

                 }   
                }                 
              }  
           }  
         }
       }
Nitika Goswami
fonte
2
colocar um pouco de explicação / comentário em seu código vai fazer as pessoas mais fáceis de entender seu código especial que é código de longa :)
himawan_r
1
//finding a particular word any where inthe string and printing its index and occurence  
class IndOc
{
    public static void main(String[] args) 
    {
        String s="this is hyderabad city and this is";
        System.out.println("the given string is ");
        System.out.println("----------"+s);
        char ch[]=s.toCharArray();
        System.out.println(" ----word is found at ");
        int j=0,noc=0;
        for(int i=0;i<ch.length;i++)
        {
            j=i;

            if(ch[i]=='i' && ch[j+1]=='s')
            {
                System.out.println(" index "+i);
            noc++;  
            }

        }
        System.out.println("----- no of occurences are "+noc);

    }
}
shravan
fonte
3
Embora esse código possa responder à pergunta, fornecer um contexto adicional sobre como e / ou por que resolve o problema melhoraria o valor a longo prazo da resposta.
Peter Brittain
1
    String match = "hello";
    String text = "0123456789hello0123456789hello";

    int j = 0;
    String indxOfmatch = "";

    for (int i = -1; i < text.length()+1; i++) {
        j =  text.indexOf("hello", i);
        if (i>=j && j > -1) {
            indxOfmatch += text.indexOf("hello", i)+" ";
        }
    }
    System.out.println(indxOfmatch);
Shukhrat Aliyev
fonte
0

Se você estiver procurando por correspondências 'n' da string de pesquisa, recomendo o uso de expressões regulares . Eles têm uma curva de aprendizado acentuada, mas economizam horas em pesquisas complexas.

JPeraita
fonte
2
Sugestão: inclua um exemplo de obtenção de posição a partir de uma expressão regular. Apenas "tente usar expressões regulares" é um comentário bastante básico e não responde à pergunta do OP.
Brad Koch
0

para ocorrência múltipla e o caractere encontrado na string ?? yes or no

import java.io.BufferedReader;
import java.io.InputStreamReader;

public class SubStringtest {

    public static void main(String[] args)throws Exception {
    BufferedReader br=new BufferedReader(new InputStreamReader(System.in));
     System.out.println("enter the string");
    String str=br.readLine();
    System.out.println("enter the character which you want");
    CharSequence ch=br.readLine();   
    boolean bool=str.contains(ch);
    System.out.println("the character found is " +bool);
    int position=str.indexOf(ch.toString());

    while(position>=0){
        System.out.println("the index no of character is " +position); 
        position=str.indexOf(ch.toString(),position+1);
    }


    }

}
Sarthak Ghosh
fonte
0
public int NumberWordsInText(String FullText_, String WordToFind_, int[] positions_)
   {
    int iii1=0;
    int iii2=0;
    int iii3=0;
    while((iii1=(FullText_.indexOf(WordToFind_,iii1)+1))>0){iii2=iii2+1;}
    // iii2 is the number of the occurences
    if(iii2>0) {
        positions_ = new int[iii2];
        while ((iii1 = (FullText_.indexOf(WordToFind_, iii1) + 1)) > 0) {
            positions_[iii3] = iii1-1;
            iii3 = iii3 + 1;
            System.out.println("position=" + positions_[iii3 - 1]);
        }
    }
    return iii2;
}
yacine
fonte
Espero que isso resolva o problema, mas por favor, inclua uma explicação do seu código para que o usuário obtenha o entendimento perfeito sobre o que ele / ela realmente deseja.
Jaimil Patel