- Write html with java
- Modifying HTMLDocument
- Inserting elements
- Replacing elements
- Summary
- Создать HTML-файл в Java
- Создание HTML-файлов — установка Java API#
- Программно создать файл HTML в Java#
- Создайте расширенный HTML-файл в Java#
- Изучите Aspose.HTML for Java#
- Заключение#
- Смотрите также#
- Write HTML file using Java
- Solution 2
- Solution 3
- Solution 4
- Solution 5
Write html with java
A document that models HTML. The purpose of this model is to support both browsing and editing. As a result, the structure described by an HTML document is not exactly replicated by default. The element structure that is modeled by default, is built by the class HTMLDocument.HTMLReader , which implements the HTMLEditorKit.ParserCallback protocol that the parser expects. To change the structure one can subclass HTMLReader , and reimplement the method getReader(int) to return the new reader implementation. The documentation for HTMLReader should be consulted for the details of the default structure created. The intent is that the document be non-lossy (although reproducing the HTML format may result in a different format). The document models only HTML, and makes no attempt to store view attributes in it. The elements are identified by the StyleContext.NameAttribute attribute, which should always have a value of type HTML.Tag that identifies the kind of element. Some of the elements (such as comments) are synthesized. The HTMLFactory uses this attribute to determine what kind of view to build. This document supports incremental loading. The TokenThreshold property controls how much of the parse is buffered before trying to update the element structure of the document. This property is set by the EditorKit so that subclasses can disable it. The Base property determines the URL against which relative URLs are resolved. By default, this will be the Document.StreamDescriptionProperty if the value of the property is a URL. If a tag is encountered, the base will become the URL specified by that tag. Because the base URL is a property, it can of course be set directly. The default content storage mechanism for this document is a gap buffer ( GapContent ). Alternatives can be supplied by using the constructor that takes a Content implementation.
Modifying HTMLDocument
The following examples illustrate using these methods. Each example assumes the HTML document is initialized in the following way:
JEditorPane p = new JEditorPane(); p.setContentType("text/html"); p.setText(". "); // Document text is provided below. HTMLDocument d = (HTMLDocument) p.getDocument();
With the following HTML content:
div < background-color: silver; >ulParagraph 1
Paragraph 2
All the methods for modifying an HTML document require an Element . Elements can be obtained from an HTML document by using the method getElement(Element e, Object attribute, Object value) . It returns the first descendant element that contains the specified attribute with the given value, in depth-first order. For example, d.getElement(d.getDefaultRootElement(), StyleConstants.NameAttribute, HTML.Tag.P) returns the first paragraph element.
A convenient shortcut for locating elements is the method getElement(String) ; returns an element whose ID attribute matches the specified value. For example, d.getElement(«BOX») returns the DIV element.
The getIterator(HTML.Tag t) method can also be used for finding all occurrences of the specified HTML tag in the document.
Inserting elements
Replacing elements
Summary
The following table shows the example document and the results of various methods described above.
Создать HTML-файл в Java
Файлы HTML содержат язык разметки, который можно использовать для форматирования текста и другого содержимого страницы, просматриваемого с помощью веб-браузеров. Возможно, вы захотите создать HTML-страницы для различных требований. Соответственно, в этой статье рассказывается, как программно создать HTML-файл на Java.
Создание HTML-файлов — установка Java API#
Aspose.HTML for Java можно использовать для создания, редактирования или преобразования HTML, SVG, MD и других форматов файлов. Вы можете настроить API, либо загрузив его JAR-файл из раздела Загрузки, либо используя следующие конфигурации Maven в файле pom.xml вашего проекта на основе Maven. Он настроит библиотеку из Aspose Repository:
snapshots repo http://repository.aspose.com/repo/
com.aspose aspose-html 22.9 jdk18
Программно создать файл HTML в Java#
Следующие шаги демонстрируют, как программно создать базовый HTML-файл с нуля на Java:
- Инициализировать объект класса HTMLDocument.
- Создайте текстовый элемент и добавьте его в пустой документ.
- Сохраните полученный HTML-файл.
В приведенном ниже примере кода показано, как создать HTML-файл с нуля программным путем с помощью Java:
// Подготовьте выходной путь для сохранения документа String documentPath = "create-new-document.html"; // Инициализировать пустой HTML-документ com.aspose.html.HTMLDocument document = new com.aspose.html.HTMLDocument(); // Создайте текстовый элемент и добавьте его в документ var text = document.createTextNode("Hello World!"); document.getBody().appendChild(text); // Сохраните документ на диск document.save(documentPath);
Создайте расширенный HTML-файл в Java#
Этот раздел является шагом дальше от информации, которую мы узнали выше. В нем объясняется, как создать расширенную версию HTML-файла, в которую будут добавлены заголовок, абзац и список с помощью Java:
- Инициализировать экземпляр класса HTMLDocument.
- Создайте элемент заголовка и добавьте его в документ.
- Добавьте абзац и добавьте его.
- Добавьте элемент списка и сохраните его как файл HTML.
Фрагмент кода ниже объясняет, как программно создать расширенный файл HTML в Java:
// Создайте пустой HTML-документ var document = new com.aspose.html.HTMLDocument(); // Добавить заголовок // Создайте элемент заголовка var h2 = (com.aspose.html.HTMLHeadingElement)document.createElement("h2"); // Создать текстовый элемент var text = document.createTextNode("This is Sample Heading!"); // Добавить текстовый элемент в заголовок h2.appendChild(text); // Добавить заголовок to the document document.getBody().appendChild(h2); // Добавить абзац // Создать элемент абзаца var p = (com.aspose.html.HTMLParagraphElement)document.createElement("p"); // Установить настраиваемый атрибут p.setAttribute("id", "first-paragraph"); // Создайте текстовый узел var paraText = document.createTextNode("This is first paragraph. "); // Добавьте текст в абзац p.appendChild(paraText); // Прикрепить абзац к телу документа document.getBody().appendChild(p); // Добавить упорядоченный список // Создать элемент абзаца var list = (com.aspose.html.HTMLOListElement)document.createElement("ol"); // Добавить элемент var item1 = (com.aspose.html.HTMLLIElement)document.createElement("li"); item1.appendChild(document.createTextNode("First list item.")); // Добавить элементs to the list list.appendChild(item1); // Прикрепить список к телу документа document.getBody().appendChild(list); // Сохраните документ HTML в файл document.save("create-html-advanced.html");
Изучите Aspose.HTML for Java#
Вы можете заглянуть в раздел [документация][7], чтобы изучить различные другие функции API.
Заключение#
В заключение вы узнали, как создать файл HTML в Java. В нем объясняется основной вариант использования создания HTML-файла, а также расширенная версия для создания HTML-файла с нуля программным путем на Java. Кроме того, пожалуйста, не стесняйтесь писать нам на форум в случае каких-либо проблем.
Смотрите также#
Write HTML file using Java
If you want to do that yourself, without using any external library, a clean way would be to create a template.html file with all the static content, like for example:
Put a tag like $tag for any dynamic content and then do something like this:
File htmlTemplateFile = new File("path/template.html"); String htmlString = FileUtils.readFileToString(htmlTemplateFile); String title = "New Page"; String body = "This is Body"; htmlString = htmlString.replace("$title", title); htmlString = htmlString.replace("$body", body); File newHtmlFile = new File("path/new.html"); FileUtils.writeStringToFile(newHtmlFile, htmlString);
Solution 2
A few months ago I had the same problem and every library I found provides too much functionality and complexity for my final goal. So I end up developing my own library — HtmlFlow — that provides a very simple and intuitive API that allows me to write HTML in a fluent style. Check it here: https://github.com/fmcarvalho/HtmlFlow (it also supports dynamic binding to HTML elements)
Here is an example of binding the properties of a Task object into HTML elements. Consider a Task Java class with three properties: Title , Description and a Priority and then we can produce an HTML document for a Task object in the following way:
import htmlflow.HtmlView; import model.Priority; import model.Task; import java.io.FileOutputStream; import java.io.IOException; import java.io.PrintStream; public class App < private static HtmlViewtaskDetailsView() < HtmlViewtaskView = new HtmlView<>(); taskView .head() .title("Task Details") .linkCss("https://maxcdn.bootstrapcdn.com/bootstrap/3.3.6/css/bootstrap.min.css"); taskView .body().classAttr("container") .heading(1, "Task Details") .hr() .div() .text("Title: ").text(Task::getTitle) .br() .text("Description: ").text(Task::getDescription) .br() .text("Priority: ").text(Task::getPriority); return taskView; > public static void main(String [] args) throws IOException < HtmlViewtaskView = taskDetailsView(); Task task = new Task("Special dinner", "Have dinner with someone!", Priority.Normal); try(PrintStream out = new PrintStream(new FileOutputStream("Task.html"))) < taskView.setPrintStream(out).write(task); Desktop.getDesktop().browse(URI.create("Task.html")); >> >
Solution 3
You can use jsoup or wffweb (HTML5) based.
Document doc = Jsoup.parse(" "); doc.body().addClass("body-styles-cls"); doc.body().appendElement("div"); System.out.println(doc.toString());
Html html = new Html(null) >; Body body = TagRepository.findOneTagAssignableToTag(Body.class, html); body.appendChild(new Div(null)); System.out.println(html.toHtmlString()); //directly writes to file html.toOutputStream(new FileOutputStream("/home/user/filepath/filename.html"), "UTF-8");
prints (in minified format):-
Solution 4
Velocity is a good candidate for writing this kind of stuff.
It allows you to keep your html and data-generation code as separated as possible.
Solution 5
I would highly recommend you use a very simple templating language such as Freemarker