2010-06-04 108 views
6

我有一個字符串;從Java中的字符串中提取

String value = "(5+5) + ((5+8 + (85*4))+524)"; 

如何從括號內的字符串中分離/提取邏輯值爲;

(85*4) as one 
(5+8 + one) as two 
(two+524) as three 
((5+5) + three) as four 
... 

任何想法?所有的歡迎

回答

7

這不能使用一些切割正則表達式(正則表達式不能「計數括號」)。您最好的選擇是使用一些解析器生成器並將字符串解析爲一個abstract syntax tree(簡稱AST)。

例如,看看JFlex/JavaCUP


事實證明,該CUP manual實際上已經覆蓋您的情況爲例:

// CUP specification for a simple expression evaluator (w/ actions) 

import java_cup.runtime.*; 

/* Preliminaries to set up and use the scanner. */ 
init with {: scanner.init();    :}; 
scan with {: return scanner.next_token(); :}; 

/* Terminals (tokens returned by the scanner). */ 
terminal   SEMI, PLUS, MINUS, TIMES, DIVIDE, MOD; 
terminal   UMINUS, LPAREN, RPAREN; 
terminal Integer NUMBER; 

/* Non-terminals */ 
non terminal   expr_list, expr_part; 
non terminal Integer expr; 

/* Precedences */ 
precedence left PLUS, MINUS; 
precedence left TIMES, DIVIDE, MOD; 
precedence left UMINUS; 

/* The grammar */ 
expr_list ::= expr_list expr_part 
      | 
       expr_part; 

expr_part ::= expr:e 
      {: System.out.println("= " + e); :} 
       SEMI    
      ; 

expr  ::= expr:e1 PLUS expr:e2  
      {: RESULT = new Integer(e1.intValue() + e2.intValue()); :} 
      | 
       expr:e1 MINUS expr:e2  
       {: RESULT = new Integer(e1.intValue() - e2.intValue()); :} 
      | 
       expr:e1 TIMES expr:e2 
      {: RESULT = new Integer(e1.intValue() * e2.intValue()); :} 
      | 
       expr:e1 DIVIDE expr:e2 
      {: RESULT = new Integer(e1.intValue()/e2.intValue()); :} 
      | 
       expr:e1 MOD expr:e2 
      {: RESULT = new Integer(e1.intValue() % e2.intValue()); :} 
      | 
       NUMBER:n     
      {: RESULT = n; :} 
      | 
       MINUS expr:e    
      {: RESULT = new Integer(0 - e.intValue()); :} 
      %prec UMINUS 
      | 
       LPAREN expr:e RPAREN  
      {: RESULT = e; :} 
      ; 
+0

謝謝我正在研究它。 – Adnan 2010-06-04 08:34:58

+0

你不會後悔的。解析器生成器對於輕鬆進行復雜的解析非常有用。 – aioobe 2010-06-04 08:37:47

4

您可以爲您的表達模式解析器,例如用JavaCC,然後解析表達式串入表達式樹。