我有一个使用doGet()方法提交给Servlet的表单。我需要的是通过doGet()将ID传递给servlet,然后在该方法中检索它。

到目前为止,我尝试过的操作:添加一个ID作为查询字符串,并在doGet中使用request.getParameter()。我在doPost()及其工作中使用了相同的方法。

客户端代码

downloadPanel = new FormPanel();
downloadPanel.setEncoding(FormPanel.ENCODING_MULTIPART);
downloadPanel.setMethod(FormPanel.METHOD_GET);

downloadPanel.setAction(GWT.getModuleBaseURL()+"downloadfile" + "?entityId="+ 101);
downloadPanel.submit();


服务器端servlet

public class FileDownload extends HttpServlet {

private String entityId;

public void doGet(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {

entityId = request.getParameter("entityId");


entityId为null。如何将ID传递给doGet()请求?
至于在线查看示例,这应该可以直接用于doPost()。谢谢,因为我很沮丧

最佳答案

在操作字段(submitting a GET form with query string params and hidden params disappear)中将忽略查询参数。您应该将其添加为隐藏参数(how can i add hidden data on my formPanel in gwt):

FormPanel form = new FormPanel();
form.setEncoding(FormPanel.ENCODING_URLENCODED); // use urlencoded
form.setMethod(FormPanel.METHOD_GET);
FlowPanel fields = new FlowPanel(); // FormPanel only accept one widget
fields.add(new Hidden("entityId", "101")); // add it as hidden
form.setWidget(fields);
form.setAction(GWT.getModuleBaseURL() + "downloadfile");
form.submit(); // then the browser will add it as query param!


如果您不使用urlencoded,则也可以使用request.getParameter(…)来使用它,但是它将在正文中而不是URL中进行传输。

07-25 21:38