As mentioned in the first part, the refactoring is implemented by inheriting from the Refactoring class. This is an abstract class, in order to implement it we need to override the following methods:
- abstract RefactoringStatus checkFinalConditions(IProgressMonitor pm)
- abstract RefactoringStatus checkInitialConditions(IProgressMonitor pm)
- abstract Change createChange(IProgressMonitor pm)
- abstract String getName()
According to Unleashing the Power of Refactoring the
checkInitialConditions method is used to verify that the refactoring can be performed. The checkFinalConditions is used to "perform long running checks before change generation...", but also can contain most of the work involved in the change generation. The createChange method is used to create the Change object that represents the actual change that will be performed in the code.
class InvertIfStatementRefactoring extends Refactoring {
   var propagateNegation : boolean = false
   var compilationUnit : ICompilationUnit = null
   var selection : ITextSelection = null
   var textChange : TextFileChange  = null
   
   override def  checkInitialConditions( pm : IProgressMonitor) : RefactoringStatus = {
      val status = new RefactoringStatus
      if (compilationUnit == null || selection == null) {
        status.merge(
            RefactoringStatus.createFatalErrorStatus(
                "Expression not identified yet!"));
      }
      return status
   }
   override def checkFinalConditions(pm : IProgressMonitor) : RefactoringStatus = {
       val status  = new RefactoringStatus
       val requestor = 
            new ASTRequestor() {
               override def acceptAST(source : ICompilationUnit, 
                                      ast : CompilationUnit) = 
                            performRewrite(source,ast,status)
            }
       
        val parser = ASTParser.newParser(AST.JLS3);
        parser.setResolveBindings(false);
        
        try {
                parser.createASTs(
                                Array[ICompilationUnit](this.compilationUnit),
                                new Array[String](0),                        
                                requestor, 
                                pm)
        } catch { 
          case ex : RuntimeException => {
                  status.merge(
                      RefactoringStatus.createFatalErrorStatus(
                          ex.getMessage()));
           }
        }
        return status
       
   }
   override def createChange(pm : IProgressMonitor) : Change =
     return textChange
   
   
   override def getName() = "Invert if statement"
  ...
}
For this experiment most of the work is done from
checkFinalConditionsMethod, in this method the code is parsed and the resulting AST is manipulated to generate a TextChange object that will be returned by the createChange method. The performRewrite and rewriteIfStatement methods do this by identifying the elements of the IF statement that will be manipulated.   
   def performRewrite(source : ICompilationUnit,
                     ast : CompilationUnit, 
                     status : RefactoringStatus) : Unit = {
     
      val rewrite = ASTRewrite.create(ast.getAST())
      val theAst = ast.getAST()
      val n  = NodeFinder.perform(ast,
                                  selection.getOffset(),
                                  selection.getLength())
      
      n match {
        case ifStatNode@IfStatement(_,_,_) =>
             rewriteIfStatement(
                      rewrite, 
                      theAst,
                      ifStatNode.asInstanceOf[IfStatement])
        case _ => 
             throw new RuntimeException("Expecting IfStatement found: "+n.getClass().toString()+n.toString()) 
      }
      textChange = new TextFileChange(source.getElementName(), 
                                      source.getResource().asInstanceOf[IFile])
      textChange.setTextType("java")
      textChange.setEdit(rewrite.rewriteAST())
   }
   
   
   def rewriteIfStatement(rewrite : ASTRewrite,
                          theAst : AST, 
                          ifStatement : IfStatement ) : Unit = {
     
     val newIfStatement = theAst.newIfStatement
     
     val resultIfCondition =
       if (this.propagateNegation) { 
         propagateNegationInCondition(ifStatement.getExpression,rewrite,theAst) } 
       else  { 
         val pExpr = theAst.newParenthesizedExpression
         pExpr.setExpression(            
             rewrite.createCopyTarget(
                ifStatement.getExpression()).asInstanceOf[Expression]
                )
         val negatedExpression = theAst.newPrefixExpression()
         negatedExpression.setOperand(pExpr)
         negatedExpression.setOperator(PrefixExpression.Operator.NOT)
         negatedExpression 
       } 
                         
     newIfStatement.setExpression( resultIfCondition )
             
     if (ifStatement.getElseStatement != null) {
        newIfStatement.setThenStatement(
            rewrite.createMoveTarget(
               ifStatement.getElseStatement()).asInstanceOf[Statement])
     } else {
       newIfStatement.setThenStatement(
           theAst.newBlock)
     }
     
     newIfStatement.setElseStatement(
         rewrite.createMoveTarget(
             ifStatement.getThenStatement()).asInstanceOf[Statement])
     rewrite.replace(ifStatement,newIfStatement,null) 
   }
   The changes in the AST are recorded using the ASTRewrite class. More details on how to manipulate JDT AST trees can be found in AST Syntax Tree.
The NodeFinder class is used although its use is not encouraged because of its visibility. This class identifies the selected node under the tree of the compilation unit. In future posts I'll try to replace the use of this class.
If the propagate negation check box is not checked the only thing that we need to do with the condition expression is to wrap it with parenthesis (ParenthesizedExpression) and with a NOT expression(PrefixExpression with the NOT operator).
In order to propagate negation several scenarios must be considered. For example if the original expression is
(x == 1) the desired resulting expression must be (x != 1) , also if the condition is (x == 1) && (y == 4) then it can be transformed to (x != 1) || (y != 4).  Inspired by the arithmetic simplification examples presented in Matching Objects With Patterns paper, this was implemented using Scala extractors . The following definitions of extractors were defined:
object NotExpression {
   def unapply(e : ASTNode) =
     if (e.isInstanceOf[PrefixExpression] &&
         e.asInstanceOf[PrefixExpression].getOperator == PrefixExpression.Operator.NOT) {       
        Some(e.asInstanceOf[PrefixExpression].getOperand)
     }
     else {       
       None
     }
}
object AndExpression {
  def unapply(e : ASTNode) =
      Utilities.identifyInfixExpression(e,InfixExpression.Operator.CONDITIONAL_AND)
}
object OrExpression {
  def unapply(e : ASTNode) =
      Utilities.identifyInfixExpression(e,InfixExpression.Operator.CONDITIONAL_OR)
}
object EqualsExpression {
  def unapply(e : ASTNode) =
      Utilities.identifyInfixExpression(e,InfixExpression.Operator.EQUALS)
}
object NotEqualsExpression {
  def unapply(e : ASTNode) =
      Utilities.identifyInfixExpression(e,InfixExpression.Operator.NOT_EQUALS)
}
object LessExpression {
  def unapply(e : ASTNode) =
      Utilities.identifyInfixExpression(e,InfixExpression.Operator.LESS)
}
object GreaterExpression {
  def unapply(e : ASTNode) =
      Utilities.identifyInfixExpression(e,InfixExpression.Operator.GREATER)
}
object LessEqualsExpression {
  def unapply(e : ASTNode) =
      Utilities.identifyInfixExpression(e,InfixExpression.Operator.LESS_EQUALS)
}
object GreaterEqualsExpression {
  def unapply(e : ASTNode) =
      Utilities.identifyInfixExpression(e,InfixExpression.Operator.GREATER_EQUALS)
}
object Parenthesis {
  def unapply(node : ASTNode) =
    if (node.isInstanceOf[ParenthesizedExpression])  {
        Some(node.asInstanceOf[ParenthesizedExpression].getExpression)
    }
    else {       
       None
    }
}
object IfStatement {
   def unapply(node : ASTNode) =
     if (node.isInstanceOf[IfStatement]) {
       val ifStatement = node.asInstanceOf[IfStatement]
        Some(ifStatement.getExpression,
             ifStatement.getThenStatement,
             ifStatement.getElseStatement)             
     } else {
       None
     }
}
Given this definition we can implement the
propagateNegationInCodition method by checking every case that we want to transform:
   def propagateNegationInCondition(condition : Expression, rewrite : ASTRewrite,ast : AST) : Expression = {
     condition match {
       case EqualsExpression(x,y) =>  
              Utilities.createInfixExpression(
                  rewrite.createMoveTarget(x).asInstanceOf[Expression],
                  rewrite.createMoveTarget(y).asInstanceOf[Expression],
                  InfixExpression.Operator.NOT_EQUALS,
                  ast)           
                  
      case NotEqualsExpression(x,y) =>  
        Utilities.createInfixExpression(
            rewrite.createMoveTarget(x).asInstanceOf[Expression],
            rewrite.createMoveTarget(y).asInstanceOf[Expression],
            InfixExpression.Operator.EQUALS,
            ast)
      
      case OrExpression(x,y) => 
        Utilities.createInfixExpression(
            propagateNegationInCondition(x,rewrite,ast),
            propagateNegationInCondition(y,rewrite,ast),
            InfixExpression.Operator.CONDITIONAL_AND,
            ast)
            
      case AndExpression(x,y) => 
        Utilities.createInfixExpression(
            propagateNegationInCondition(x,rewrite,ast),
            propagateNegationInCondition(y,rewrite,ast),
            InfixExpression.Operator.CONDITIONAL_OR,
            ast)
            
      case NotExpression(negatedExpression) =>  
         rewrite.createMoveTarget(negatedExpression).asInstanceOf[Expression]
      case x if x.isInstanceOf[InfixExpression] => {
         val parenthesis = ast.newParenthesizedExpression
         parenthesis.setExpression(
             rewrite.createMoveTarget(condition).asInstanceOf[Expression])
         val notExpression = ast.newPrefixExpression
         notExpression.setOperand(parenthesis)
         notExpression.setOperator(PrefixExpression.Operator.NOT)
         notExpression
       }
       case _ => {
         val notExpression = ast.newPrefixExpression
         notExpression.setOperand(
             rewrite.createMoveTarget(condition).asInstanceOf[Expression])
         notExpression.setOperator(PrefixExpression.Operator.NOT)
         notExpression
       }
     }
   }
Given the following code
if(goo(3) && !(x < 3))  {
    System.out.print(2);
} else {
    System.out.println(4);
}
By executing the refactoring without propagating the negation:

By executing the refactoring propagating the negation:

Code for this experiment can be found here.
