Ответ 1
кажется слишком большим для моего масштаба
Это действительно зависит от контекста и функциональных требований. Это довольно просто и тривиально. Похоже, что это "слишком много информации" для вас и что вам действительно нужно изучать отдельные концепции (HTTP, HTML, CSS, JS, Java, JSP, Servlet, Ajax, JSON и т.д.) Индивидуально, чтобы увеличить картинку (сумма всех этих языков/методов) становится более очевидной. Вы можете найти этот ответ полезный тогда.
В любом случае, вот как вы могли сделать это с помощью JSP/Servlet без Ajax:
calculator.jsp
:
<form id="calculator" action="calculator" method="post">
<p>
<input name="left">
<input name="right">
<input type="submit" value="add">
</p>
<p>Result: <span id="result">${sum}</span></p>
</form>
с CalculatorServlet
, который отображается на url-pattern
of /calculator
:
@Override
protected void doPost(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
Integer left = Integer.valueOf(request.getParameter("left"));
Integer right = Integer.valueOf(request.getParameter("right"));
Integer sum = left + right;
request.setAttribute("sum", sum); // It'll be available as ${sum}.
request.getRequestDispatcher("calculator.jsp").forward(request, response); // Redisplay JSP.
}
Создание Ajaxical материала для работы также не так сложно. Это вопрос включения следующего JS внутри JSP HTML <head>
(прокрутите направо, чтобы увидеть комментарии кодов, которые объясняют, что делает каждая строка):
<script src="http://code.jquery.com/jquery-latest.min.js"></script>
<script>
$(document).ready(function() { // When the HTML DOM is ready loading, then execute the following function...
$('#calculator').submit(function() { // Locate HTML element with ID "calculator" and execute the following function on its "submit" event...
$form = $(this); // Wrap the form in a jQuery object first (so that special functions are available).
$.post($form.attr('action'), $form.serialize(), function(responseText) { // Execute Ajax POST request on URL as set in <form action> with all input values of the form as parameters and execute the following function with Ajax response text...
$('#result').text(responseText); // Locate HTML element with ID "result" and set its text content with responseText.
});
return false; // Prevent execution of the synchronous (default) submit action of the form.
});
});
</script>
и изменив последние две строки doPost
следующим образом:
response.setContentType("text/plain");
response.setCharacterEncoding("UTF-8");
response.getWriter().write(String.valueOf(sum));
Вы даже можете сделать это условной проверкой, чтобы ваша форма все еще работала в случае, когда пользователь отключил JS:
if ("XMLHttpRequest".equals(request.getHeader("X-Requested-With"))) {
// Ajax request.
response.setContentType("text/plain");
response.setCharacterEncoding("UTF-8");
response.getWriter().write(String.valueOf(sum));
} else {
// Normal request.
request.setAttribute("sum", sum);
request.getRequestDispatcher("calculator.jsp").forward(request, response);
}