views:

51

answers:

1

have a Grails domain object that has a custom static function to grab data from the database

class Foo {
    /* member variables, mapping, constraints, etc. */

    static findByCustomCriteria(someParameter, List listParameter) {
        /* code to get stuff from the database... */

        /*
            Return value is a map
            ["one": "uno", "two": "due", "three": "tre"]
        */
    }

}

The static function findByCustomCriteria uses createCriteria() to build the query that pulls data from the Foo table, which means mockDomain(Foo) does not work properly when unit testing. What I'm trying to do to work around this is use one of the general purpose methods of mocking to mock out findByCustomCriteria, but I can't get the syntax quite right.

I have a controller BarController that I'm trying to test, and buried in the call to BarController.someFunction() there is a call to Foo.findByCustomCriteria().

class BarControllerTest extends ControllerUnitTestCase {

    protected void setUp() {
        super.setUp()
    }

    protected void tearDown() {
        super.tearDown()
    }

    void testSomeFunction() {

        /* Mocking for Foo goes here */

        assertEquals("someValue", controller.someFunction())
    }
}

What would be a way to mock this out?

I've tried using new MockFor(), mockFor(), and metaClass, but I can't get it to work.


Edit:

Every time I tried to mock this out, I tried to mock it like so...

Foo.metaClass.'static'.findByCustomCriteria = { someParam, anotherParam ->
    ["one": "uno", "two": "due", "three": "tre"]
}

I guess I didn't include enough information initially.

A: 

I've encountered this scenario more than once, you need to modify the static metaClass of Foo:

Foo.metaClass.'static'.findByCustomCriteria = { someParameter, List listParameter ->
    ["one": "uno", "two": "due", "three": "tre"]
}

Typically I'll put it in the test setup, so I don't forget when it needs to be applied.

Stephen Swensen