1

我有一个父类 P ,它定义了一个请求映射,如下所示:

public abstract class P {
 @RequestMapping(value = "/a/b/c", method = RequestMethod.POST)
    public String productLink(@RequestParam("abc") String json) throws Exception {
        return getProductLinks(json);
    }
}

我有几个儿童Controller班,ClassImpl是其中之一:

@Controller
public class ClassImpl extends P {
@RequestMapping(value = "/start", method = RequestMethod.GET)
    public String start(@RequestParam(value = "keyword", required = true) String keyword,
            @RequestParam(value = "keywordId", required = true) long keywordId) throws Exception {
     //Something
    }
}

如果我只使用一个子类运行此应用程序,它可以正常工作,但会导致多个子控制器出现问题。

当我运行我的应用程序时,我收到一条错误消息"Cannot map handler ClassImpl to URL path [/a/b/c]: There is already handler [a.b.c.d.ClassImpl@a92aaa] mapped"

It seems that because of multiple child classes, it is unable to find the controller for this mapping which is understood.

在每个类(或一个单独的类)中定义@RequestMapping是唯一的方法吗?我不想在所有地方都放类似的代码。是否有任何解决方法可以将其保留在父类中并继续使用它?

谢谢,

4

2 回答 2

0

在每个类(或一个单独的类)中定义 @RequestMapping 是唯一的方法吗?

简短的回答是肯定的。我个人认为它属于一个单独的类。

无论如何,您为什么要放入productLink()父类?它不是一个抽象方法,你也没有覆盖它,所以对我来说它没有多大意义。

于 2013-01-30T18:33:38.123 回答
0

您不应该在抽象类中使用 @RequestMapping。这个注释是针对真实控制器的,所以是具体的类。

使用抽象类,因为它们打算使用,即分解代码,而不是做工作。

在这里您可以执行以下操作:

public abstract class P {

    public String productLink(String json) throws Exception {
       return getProductLinks(json);
    }
}

接着

@Controller
public class ClassImpl extends P {

    @RequestMapping(value = "/start", method = RequestMethod.GET)
    public String start(@RequestParam(value = "keyword", required = true) String keyword,
        @RequestParam(value = "keywordId", required = true) long keywordId) throws     Exception {
         //Something
    }

    //here reusing the code from superclass
    @RequestMapping(value = "/a/b/c", method = RequestMethod.POST)
    public String productLink(@RequestParam("abc") String json) throws Exception {
        return super.getProductLinks(json);
    }
}

这添加了一些样板代码,但这是恕我直言的方法。

于 2013-01-30T15:56:39.327 回答