Vert.x

Vert.x
Тип фреймворк
Автор Tim Fox
Разработчики Tim Fox, VMWare, Red Hat, Eclipse Foundation
Написана на Java, JavaScript, Apache Groovy, Ruby, Scala, Kotlin
Операционная система Cross-platform
Аппаратная платформа Java Virtual Machine
Последняя версия 4.3.1 (25 мая 2022; 2 года назад (2022-05-25)[1])
Тестовая версия 4.0.0.Beta1 (28 июля 2020; 4 года назад (2020-07-28)[2])
Репозиторий github.com/eclipse/vert.x
Лицензия Apache License ver. 2.0, Eclipse Public License ver. 2.0
Сайт vertx.io

История

Eclipse Vert.x — многоязыковой (Java, Kotlin, JavaScript, Groovy) асинхронный веб-фреймворк работающий на событийно-ориентированной архитектуре и запускается поверх JVM.

Vert.x начал разрабатывать Tim Fox в 2011 пока он работал в VMware.

С версии 2.1.4, Vert.x предоставляет свой API на Java, JavaScript, Groovy, Ruby, Python, Scala, Clojure и Ceylon.

С версии 3.7.0, Vert.x предоставляет свой API на Java, JavaScript, Groovy, Ruby, Scala, Kotlin and Ceylon.

С версии 3.9.1, Vert.x предоставляет свой API на Java, JavaScript, Groovy, Ruby, Scala and Kotlin.

12 января 2016 Tim Fox ушел с поста руководителя проекта Vert.x и на его место встал Julien Viet.

Архитектура

Vert.x использует в своей работе неблокирующий клиенто-серверный фреймворк Netty.

Verticle — это аналог сервлета(или «актора») и является атомарной единицей развёртывания в приложении. Есть 2 типа: Стандартный и Рабочий.

public class MyVerticle extends AbstractVerticle {
 // Called when verticle is deployed
 public void start() {
 }
 // Optional - called when verticle is undeployed
 public void stop() {
 }
}

Handler — обработчик событий внутри Verticle.

HttpServer server = vertx.createHttpServer();
// Router
Router router = Router.router(vertx);
// set Handler for every request
router.route().handler(ctx -> {
  // This handler will be called for every request
  HttpServerResponse response = ctx.response();
  response.putHeader("content-type", "text/plain");
  // Write to the response and end it
  response.end("Hello World from Vert.x-Web!");
});
server.requestHandler(router).listen(8080);

Router — главный компонент по поиску совпадений для пришедшего запроса.

Route route = router.route("/some/path/");
Route route = router.route().path("/some/path/");
route.handler(ctx -> {
  // This handler will be called for the following request paths:

  // `/some/path/`
  // `/some/path//`
  //
  // but not:
  // `/some/path` the end slash in the path makes it strict
  // `/some/path/subdir`
});
//router for POST request
router.post("/some/endpoint").handler(ctx -> {
  ctx.request().setExpectMultipart(true);
  ctx.next();
});
//router for GET request
router
  .get("/some/path")
  .respond(
    ctx -> ctx
      .response()
        .putHeader("Content-Type", "text/plain")
        .end("hello world!"));

Возможности

  • Компоненты могут быть написаны на таких языках как: Java, JavaScript, Groovy, Ruby, Scala, Kotlin и Ceylon.
  • Простая асинхронная модель позволяющая писать масштабируемые и неблокирующие приложения.
  • Шина событий позволяющая передавать сообщения как внутри приложения, так и между его узлами (нодами).
  • Модель «акторов» позволяющая запускать «тяжелые» процессы в для обработки данных или их получении.
  • Интеграция с шаблонным движками (MVEL, Jade, Handlebars, Thymeleaf, Apache FreeMarker, Pebble, Rocker, HTTL, Rythm)
  • Vert.x 3 требует версии Java не ниже 8

Реализация следующих свойств:

  1. Кластеризация через Hazelcast, Infinispan и так далее.
  2. Тестирование через JUnit 5
  3. Подключение к разным Базам Данных(JDBC, MySQL, PostgreSQL, DB2, MSSQL, MongoDB, Redis, Cassandra)
  4. Очереди сообщений (Kafka, RabbitMQ, AMQP, MQTT)
  5. Авторизация через сторонние службы (JWT Auth, Oauth2 Auth)
  6. Мониторинг работы приложения (Zipkin, OpenTelemetry)
  7. Интеграция с различными протоколами как STOMP, SMTP и так далее.
  8. Shell — оболочка выполнения задач сервером.
  9. Интерфейс для разработки TCP, HTTP и UDP серверов и клиентов.
  10. Интерфейс для работы с файловой системой.
  11. Launcher запускающий приложение из архива jar.
  12. Реактивное программирование приложения при поддержке (RxJava 1, RxJava 2, RxJava 3, Mutiny)

Примеры

Запуск http-сервера на Java:

import io.vertx.core.AbstractVerticle;

public class Server extends AbstractVerticle {
  public void start() {
    vertx.createHttpServer().requestHandler(req -> {
      req.response()
        .putHeader("content-type", "text/plain")
        .end("Hello from Vert.x!");
    }).listen(8080);
  }
}

Ссылки

  1. Eclipse Vert.x 4.3.1 released! Дата обращения: 28 июня 2022. Архивировано 26 мая 2022 года.
  2. Eclipse Vert.x 4 beta 1. Дата обращения: 28 июля 2020. Архивировано 19 мая 2021 года.
https://github.com/vert-x3 - GitHub страница проекта.
https://github.com/vert-x3/wiki/wiki/4.0.3-Release-Notes - Последние изменения в релизе.

Read other articles:

МуниципалитетКуниткат. Cunit[1] Флаг[d] Герб[d] 41°11′51″ с. ш. 1°38′04″ в. д.HGЯO Страна  Испания Автономное сообщество Каталония Провинция Таррагона Район Баш-Пенедес Глава Долорс Каррерас Касани[d][2] История и география Площадь 9,7 км² (2016)[3] Высота...

Catedral de la Asunción de María Katedrala Uznesenja Blažene Djevice Marije Register of Cultural Goods of Croatia Vista de la catedralLocalizaciónPaís  CroaciaDivisión KrkDirección KrkCoordenadas 45°01′33″N 14°34′33″E / 45.02582, 14.5759Información religiosaCulto Iglesia católicaDiócesis diócesis de VegliaFundación siglo VIDatos arquitectónicosEstilo arquitectura románicaMapa de localización Catedral de la Asunción de María MapaSitio web oficial...

Provinsi dan wilayah di FilipinaArtikel ini tidak memiliki referensi atau sumber tepercaya sehingga isinya tidak bisa dipastikan. Tolong bantu perbaiki artikel ini dengan menambahkan referensi yang layak. Tulisan tanpa sumber dapat dipertanyakan dan dihapus sewaktu-waktu.Cari sumber: Pembagian administratif Filipina – berita · surat kabar · buku · cendekiawan · JSTOR Pembagian administratif Filipina terdiri atas empat kelas utama, yaitu (1) region, (2)...

Lista das inscrições ao Oscar de Melhor Filme Estrangeiro para o Oscar 2016, 88ª edição da premiação.[1] A Academia de Artes e Ciências Cinematográficas convidou indústrias cinematográficas de diversos países para selecionar um filme para concorrer à categoria de melhor filme estrangeiro no Oscar.[2] As produções representantes foram exibidas originalmente em seu país de origem de 1 de outubro de 2014 a 30 de setembro de 2015. No mundo lusófono, o Ministério da Cultura do Br...

Збройні сили Грузії საქართველოს შეიარაღებული ძალებიsakartvelos sheiaraghebuli dzalebi Емблема Міністерства оборони Прапор Збройних силЗасновані початок 1917 рокуПоточна форма відтворені у 1991 роціВиди збройних сил Сухопутні війська Повітряні сили Колишні Військово-морс

?Вашер синій самець Самиця Охоронний статус Найменший ризик (МСОП 3.1)[1] Біологічна класифікація Домен: Еукаріоти (Eukaryota) Царство: Тварини (Animalia) Тип: Хордові (Chordata) Клас: Птахи (Aves) Ряд: Горобцеподібні (Passeriformes) Родина: Трупіалові (Icteridae) Рід: Вашер (Molothrus) Вид: Вашер синій �...

  لمعانٍ أخرى، طالع الرملة (توضيح). الرملة تقسيم إداري البلد المغرب  الجهة طنجة تطوان الحسيمة الإقليم وزان الدائرة وزان الجماعة القروية تروال المشيخة جامع الواد السكان التعداد السكاني 211 نسمة (إحصاء 2004)   • عدد الأسر 35 معلومات أخرى التوقيت ت ع م±00:00 (توقيت قياسي)[1...

Ньюбле —  Регіон  — XVI Región de Ñuble Герб Прапор Столиця Чильян Найбільше місто Чильян Країна  Чилі Межує з: сусідні адмінодиниці VII Регіон Мауле Неукен Біобіо Провінції Ітата ДигильїнПунілья Офіційна мова Іспанська Населення  - повне 480 609, 2,73% (10-тий) Ет�...

This article includes a list of references, related reading, or external links, but its sources remain unclear because it lacks inline citations. Please help to improve this article by introducing more precise citations. (May 2013) (Learn how and when to remove this template message) Part of a series on theEconomy of Canada Economic history of Canada Banking history Petroleum history Energy policy of Canada Canadian dollar Sectors Primary sector Agriculture Energy Petroleum Electricity Mining...

Hutan CompiègnePrancis: Forêt de CompiègneHutan CompiègnePetaGeografiLokasiCompiègne, Oise, PrancisKetinggian30 hingga 148 meter (98 hingga 486 ft)*Area14.414 hektare (35.620 ekar)AdministrasiStatusWilayah yang dilindungi di bawah Natura 2000 dan Site of Community ImportancePeristiwaGencatan senjata 11 November 1918 (Perang Dunia I) Gencatan senjata 22 Juni 1940 (Perang Dunia II)Lembaga pengelolaNational Forests Office (Prancis)EkologiSpesies pohon dominan...

Crowe at the Les Misérables film premiere in Sydney, Australia in December 2012 Russell Crowe is an actor. He gained international attention for his role as Roman General Maximus Decimus Meridius in the 2000 epic historical film Gladiator, for which he won an Academy Award for Best Actor. Crowe's other performances include tobacco firm whistle-blower Jeffrey Wigand in the drama film The Insider (1999) and mathematician John Forbes Nash Jr. in the biopic A Beautiful Mind (2001). He has also s...

Branch of anthropology and philosophy This article is about philosophical anthropology. For other uses, see Anthropology (disambiguation). Vitruvian Man or the perfect man by Leonardo da Vinci Philosophical anthropology, sometimes called anthropological philosophy,[1][2] is a discipline dealing with questions of metaphysics and phenomenology of the human person.[3] Philosophical anthropology is distinct from Philosophy of Anthropology, the study of the philosophical co...

This article does not cite any sources. Please help improve this article by adding citations to reliable sources. Unsourced material may be challenged and removed.Find sources: Universal Hospital Tirana – news · newspapers · books · scholar · JSTOR (March 2021) (Learn how and when to remove this template message) Hospital in Tirana, AlbaniaUniversal Hospital TiranaEge Saglik Tesisleri ve Egitim Muesseseleri ASGeographyLocationTirana, AlbaniaServicesBed...

1999 Portuguese filmJaimeDirected byAntónio-Pedro VasconcelosScreenplay byCarlos SabogaStory byAntónio-Pedro VasconcelosProduced byLuís Galvão TelesStarringSaul FonsecaSandro SilvaFernanda SerranoJoaquim LeitãoNicolau BreynerCinematographyEdgar MouraCarlos AssisProductioncompaniesFado FilmesSICSamsa FilmVideoFilmesRelease date 9 April 1999 (1999-04-09) (Portugal) Running time111 minutesCountryPortugalLanguagePortugueseBudget$377,000,000 Jaime is a 1999 Portuguese drama...

This is a list of countries by barley production in 2021 based on the Food and Agriculture Organization Corporate Statistical Database.[1] The total world barley production for 2016 was 141,277,993 metric tonnes. In 2021, production was 145,623,914 metric tonnes.[1] Countries by barley production in 2016 Production by country >1,000,000 tonnes Rank Country/region Barley production(tonnes) 1  Russia 17,995,908 2  Australia 14,648,581 3  France 11,321,320 4 ...

Genus of azhdarchid pterosaurs from the Late Cretaceous QuetzalcoatlusTemporal range: Late Cretaceous (Maastrichtian), 68–66 Ma PreꞒ Ꞓ O S D C P T J K Pg N ↓ Restored Quetzalcoatlus skeletondisplayed in quadrupedal stance,Houston Museum of Natural Science Scientific classification Domain: Eukaryota Kingdom: Animalia Phylum: Chordata Order: †Pterosauria Suborder: †Pterodactyloidea Family: †Azhdarchidae Subfamily: †Quetzalcoatlinae Genus: †QuetzalcoatlusLawson, 1975 T...

8th episode of the 1st season of The Spectacular Spider-Man ReactionThe Spectacular Spider-Man episodeDr. Octopus pins Spider-Man to the wall. Episode director Jennifer Coyle opined that Those arms are amazing, and the timing has been really good for this show, so much so that I think you feel the impact of those arms.[1]Episode no.Season 1Episode 8Directed byJennifer CoyleWritten byRandy JandtProduction codeS1E08[2]Original air dateMay 3, 2008 (2008-05-03)...

Arca Ramanuja. Ramanuja adalah seorang teolog, filsuf, dan juga penafsir kitab suci Hindu.[1] Ia lahir dalam keluarga Brahmana (kalangan Pendeta) di Shriperumbudur pada tahun 1017 dan meninggal di Sharinangam pada tahun 1137 di India Selatan.[1] Ia dianggap sebagai orang penting ketiga dalam tradisi Hindu setelah Nathamuni dan Yamunacharya.[1] Menurut sejarah, Ramanuja menikah di umur 16 tahun.[1] Namun setelah kematian ayahnya, Ia belajar bersama Yadvaprakasha...

Murray BartlettBartlett pada tahun 2008Lahir20 Maret 1971 (umur 52)Sydney, AustraliaPekerjaanPemeranTahun aktif1987–sekarang Murray Bartlett (lahir 20 Maret 1971) adalah pemeran Australia. Perannya termasuk Dominic Dom Basaluzzo dalam seri drama komedi HBO Looking, Michael Mouse Tolliver dalam miniseri Netflix Tales of the City, dan Armond dalam seri komedi satir HBO The White Lotus, dimana ia memenangkan Primetime Emmy Award for Outstanding Supporting Actor in a Limited or An...

This article needs additional citations for verification. Please help improve this article by adding citations to reliable sources. Unsourced material may be challenged and removed.Find sources: The Ten Commandments: The Musical – news · newspapers · books · scholar · JSTOR (January 2010) (Learn how and when to remove this template message) The Ten Commandments: The MusicalDVD cover of The Ten Commandments: The Musical starring Adam Lambert and Val Kil...