我正在开始JSP。我有下面的HTML表单。

<form method='POST' enctype='multipart/form-data'>
    <input type="text" name="sittingPlaces">
    <textarea name="invitees"></textarea>
    <input type="submit" value="Submit">
</form>

以及下面的java代码。
if (request != null && request.getContentType() != null) {
    int sittingPlaces = Integer.parseInt(request.getParameter("sittingPlaces"));
    String invites = request.getParameter("invitees");
}

我在
int sittingPlaces = Integer.parseInt(request.getParameter("sittingPlaces"));

知道为什么吗?多谢了。

最佳答案

使用以下方法检查字符串request.getParameter("sittingPlaces")是否为有效数字:

public boolean isInteger(String str) {
    try {
        Integer.parseInt(str);
    } catch (NumberFormatException e) {
        return false; // The string isn't a valid number
    }
    return true; // The string is a valid number
}

或者可以在代码中实现它:
if (request != null && request.getContentType() != null) {
    String sittingPlacesStr = request.getParameter("sittingPlaces");
    try {
        int sittingPlaces = Integer.parseInt(sittingPlacesStr);
        String invites = request.getParameter("invitees");
    } catch (NumberFormatException | NullPointerException e) {
        // handle the error here
    }
}

您面临的问题是NumberFormatException被抛出,因为Java无法将您的String转换为Integer,因为它不代表有效的整数。您应该使用try-catch语句(就像上面的示例方法一样)来筛选该异常,因为您无法控制来自客户端的请求。
附加:
您还应该检查request.getParameter("sittingPlaces")表达式是否返回有效字符串,而不是null
String sittingPlaces=request.getParameter(“sittingPlaces”);
if (sittingPlaces != null {
    // Continue your code here
} else {
    // The client request did not provide the parameter "sittingPlaces"
}

09-27 22:26