Reputation: 10417
Is it possible to define multiple distinct controller in a Grails 2 web application filter? For example, something like:
def filters = {
someFilterMethod(controller: 'controller1 controller2 ...', action: '*') {
...
}
}
Otherwise, is there a way to specify to not include the main index.gsp in the filter?
Upvotes: 17
Views: 5487
Reputation: 187499
If you can define a rule that matches index.gsp, then you can define a rule that matches everything but index.gsp by adding invert: true
. I guess something like this should do it:
def filters = {
someFilterMethod(uri: '/', invert: 'true') {
}
}
It seems like the following should also work:
def filters = {
someFilterMethod(uriExclude: '/') {
}
}
You can provide a regex instead of a literal path, so if you also need to exclude '/index' as well, then you just need to replace '/' with a regex that matches '/' and '/index'. My regex skills are rusty, but something like this should do it:
def filters = {
someFilterMethod(uriExclude: '/(index)?', regex: true) {
}
}
I haven't tested any of the code above, so caveat emptor!
Upvotes: 4
Reputation: 75671
Use the pipe symbol:
def filters = {
someFilterMethod(controller: 'controller1|controller2|...', action: '*') {
...
}
}
Upvotes: 26
Reputation: 544
You could include logic within the filter like
if (controllerName == "controller1" || controllerName == "controller2") {
...
}
Upvotes: 1