Angular Renaissance vs Mithril comparison
Reactivity
Declare state
 Angular Renaissance
 Angular Renaissance
name.component.ts
import { Component, signal } from "@angular/core";
@Component({
  selector: "app-name",
  template: `<h1>Hello {{ name() }}</h1>`,
})
export class NameComponent {
  name = signal("John");
} Mithril
 Mithril
Name.js
import m from "mithril";
export default function Name() {
  let name = "John";
  return {
    view: () => m("h1", `Hello ${name}`),
  };
}Update state
 Angular Renaissance
 Angular Renaissance
name.component.ts
import { Component, signal } from "@angular/core";
@Component({
  selector: "app-name",
  template: `<h1>Hello {{ name() }}</h1>`,
})
export class NameComponent {
  name = signal("John");
  constructor() {
    this.name.set("Jane");
  }
} Mithril
 Mithril
Name.js
import m from "mithril";
export default function Name() {
  let name = "John";
  name = "Jane";
  return {
    view: () => m("h1", `Hello ${name}`),
  };
}Computed state
 Angular Renaissance
 Angular Renaissance
doublecount.component.ts
import { Component, computed, signal } from "@angular/core";
@Component({
  selector: "app-double-count",
  template: `<div>{{ doubleCount() }}</div>`,
})
export class DoubleCountComponent {
  count = signal(10);
  doubleCount = computed(() => this.count() * 2);
} Mithril
 Mithril
DoubleCount.js
import m from "mithril";
export default function DoubleCount() {
  let count = 10;
  let doubleCount = count * 2;
  return {
    view: () => m("div", doubleCount),
  };
}Templating
Minimal template
 Angular Renaissance
 Angular Renaissance
helloworld.component.ts
import { Component } from "@angular/core";
@Component({
  selector: "app-hello-world",
  template: `<h1>Hello world</h1>`,
})
export class HelloWorldComponent {} Mithril
 Mithril
HelloWorld.js
import m from "mithril";
export default function HelloWorld() {
  return {
    view: () => m("h1", "Hello World"),
  };
}Styling
 Angular Renaissance
 Angular Renaissance
cssstyle.component.ts
import { Component } from "@angular/core";
@Component({
  selector: "app-css-style",
  template: `
    <h1 class="title">I am red</h1>
    <button style="font-size: 10rem">I am a button</button>
  `,
  styles: `
    .title {
      color: red;
    }
  `,
})
export class CssStyleComponent {} Mithril
 Mithril
CssStyle.js
import "./style.css";
import m from "mithril";
export default function CssStyle() {
  return {
    view: () =>
      m(
        "div",
        m("h1.title", "I am red"),
        m("button", { style: { fontSize: "10rem" } }, "I am a button")
      ),
  };
}Loop
 Angular Renaissance
 Angular Renaissance
colors.component.ts
import { Component } from "@angular/core";
@Component({
  selector: "app-colors",
  template: `
    <ul>
      @for (color of colors; track color) {
      <li>{{ color }}</li>
      }
    </ul>
  `,
})
export class ColorsComponent {
  colors = ["red", "green", "blue"];
} Mithril
 Mithril
Colors.js
import m from "mithril";
export default function Colors() {
  const colors = ["red", "green", "blue"];
  return {
    view: () =>
      m(
        "ul",
        colors.map((color, idx) => m("li", { key: idx }, color))
      ),
  };
}Event click
 Angular Renaissance
 Angular Renaissance
counter.component.ts
import { Component, signal } from "@angular/core";
@Component({
  selector: "app-counter",
  template: `
    <p>Counter: {{ count() }}</p>
    <button (click)="incrementCount()">+1</button>
  `,
})
export class CounterComponent {
  count = signal(0);
  incrementCount() {
    this.count.update((count) => count + 1);
  }
} Mithril
 Mithril
Counter.js
import m from "mithril";
export default function Counter() {
  let count = 0;
  const incrementCount = () => (count = count + 1);
  return {
    view: () =>
      m(
        "div",
        m("p", `Counter: ${count}`),
        m("button", { onclick: incrementCount }, "+1")
      ),
  };
}Dom ref
 Angular Renaissance
 Angular Renaissance
inputfocused.component.ts
import {
  afterNextRender,
  Component,
  ElementRef,
  viewChild,
} from "@angular/core";
@Component({
  selector: "app-input-focused",
  template: `<input type="text" #inputRef />`,
})
export class InputFocusedComponent {
  inputRef = viewChild.required<ElementRef<HTMLInputElement>>("inputRef");
  constructor() {
    afterNextRender({ write: () => this.inputRef().nativeElement.focus() });
  }
} Mithril
 Mithril
InputFocused.js
import m from "mithril";
export default function InputFocused() {
  let value = "";
  return {
    view: () =>
      m("input", {
        oncreate: ({ dom }) => dom.focus(),
        type: "text",
        value,
        oninput: (e) => (value = e.target.value),
      }),
  };
}Conditional
 Angular Renaissance
 Angular Renaissance
trafficlight.component.ts
import { Component, computed, signal } from "@angular/core";
const TRAFFIC_LIGHTS = ["red", "orange", "green"];
@Component({
  selector: "app-traffic-light",
  template: `
    <button (click)="nextLight()">Next light</button>
    <p>Light is: {{ light() }}</p>
    <p>
      You must @switch (light()) { @case ("red") {
      <span>STOP</span>
      } @case ("orange") {
      <span>SLOW DOWN</span>
      } @case ("green") {
      <span>GO</span>
      } }
    </p>
  `,
})
export class TrafficLightComponent {
  lightIndex = signal(0);
  light = computed(() => TRAFFIC_LIGHTS[this.lightIndex()]);
  nextLight() {
    this.lightIndex.update((index) => (index + 1) % TRAFFIC_LIGHTS.length);
  }
} Mithril
 Mithril
TrafficLight.js
import m from "mithril";
const TRAFFIC_LIGHTS = ["red", "orange", "green"];
export default function TrafficLight() {
  let lightIndex = 0;
  let currentLight = () => TRAFFIC_LIGHTS[lightIndex];
  const nextLight = () =>
    (lightIndex = (lightIndex + 1) % TRAFFIC_LIGHTS.length);
  const instructions = () => {
    switch (currentLight()) {
      case "red":
        return "STOP";
      case "orange":
        return "SLOW DOWN";
      case "green":
        return "GO";
    }
  };
  return {
    view: () =>
      m(
        "div",
        m("button", { onclick: nextLight }, "Next light"),
        m("p", `Light is: ${currentLight()}`),
        m("p", "You must ", m("span", instructions()))
      ),
  };
}Lifecycle
On mount
 Angular Renaissance
 Angular Renaissance
pagetitle.component.ts
import { Component, OnInit, signal } from "@angular/core";
@Component({
  selector: "app-page-title",
  template: `<p>Page title: {{ pageTitle() }}</p>`,
})
export class PageTitleComponent implements OnInit {
  pageTitle = signal("");
  ngOnInit() {
    this.pageTitle.set(document.title);
  }
} Mithril
 Mithril
PageTitle.js
import m from "mithril";
export default function PageTitle() {
  return {
    view: () => m("p", `Page title: ${document.title}`),
  };
}On unmount
 Angular Renaissance
 Angular Renaissance
time.component.ts
import { Component, OnDestroy, signal } from "@angular/core";
@Component({
  selector: "app-time",
  template: `<p>Current time: {{ time() }}</p>`,
})
export class TimeComponent implements OnDestroy {
  time = signal(new Date().toLocaleTimeString());
  timer = setInterval(
    () => this.time.set(new Date().toLocaleTimeString()),
    1000
  );
  ngOnDestroy() {
    clearInterval(this.timer);
  }
} Mithril
 Mithril
Time.js
import m from "mithril";
export default function Time() {
  let time = new Date().toLocaleTimeString();
  const timer = setInterval(() => {
    time = new Date().toLocaleTimeString();
    m.redraw();
  }, 1000);
  return {
    view: () => m("p", `Current time: ${time}`),
    onremove: () => clearInterval(timer),
  };
}Component composition
Props
 Angular Renaissance
 Angular Renaissance
app.component.ts
import { Component } from "@angular/core";
import { UserprofileComponent } from "./userprofile.component";
@Component({
  selector: "app-root",
  imports: [UserprofileComponent],
  template: `
    <app-userprofile
      name="John"
      [age]="20"
      [favouriteColors]="['green', 'blue', 'red']"
      [isAvailable]="true"
    />
  `,
})
export class AppComponent {} Mithril
 Mithril
App.js
import m from "mithril";
import UserProfile from "./UserProfile.js";
export default function App() {
  return {
    view: () =>
      m(UserProfile, {
        name: "john",
        age: 20,
        favouriteColors: ["green", "blue", "red"],
        isAvailable: true,
      }),
  };
}Emit to parent
 Angular Renaissance
 Angular Renaissance
app.component.ts
import { Component, signal } from "@angular/core";
import { AnswerButtonComponent } from "./answer-button.component";
@Component({
  selector: "app-root",
  imports: [AnswerButtonComponent],
  template: `
    <p>Are you happy?</p>
    <app-answer-button (yes)="onAnswerYes()" (no)="onAnswerNo()" />
    <p style="font-size: 50px">{{ isHappy() ? "😀" : "😥" }}</p>
  `,
})
export class AppComponent {
  isHappy = signal(true);
  onAnswerYes() {
    this.isHappy.set(true);
  }
  onAnswerNo() {
    this.isHappy.set(false);
  }
} Mithril
 Mithril
AnswerButton.js
import m from "mithril";
export const AnswerButton = ({ attrs: { onYes, onNo } }) => ({
  view: () =>
    m(
      "div",
      m("button", { onclick: onYes }, "YES"),
      m("button", { onclick: onNo }, "NO")
    ),
});Slot
 Angular Renaissance
 Angular Renaissance
app.component.ts
import { Component } from "@angular/core";
import { FunnyButtonComponent } from "./funny-button.component";
@Component({
  selector: "app-root",
  imports: [FunnyButtonComponent],
  template: `<app-funny-button>Click me!</app-funny-button>`,
})
export class AppComponent {} Mithril
 Mithril
App.js
import m from "mithril";
import { FunnyButton } from "./FunnyButton.jsx";
export default function App() {
  return {
    view: () => m(FunnyButton, "Click me!"),
  };
}Slot fallback
 Angular Renaissance
 Angular Renaissance
app.component.ts
import { Component } from "@angular/core";
import { FunnyButtonComponent } from "./funny-button.component";
@Component({
  selector: "app-root",
  imports: [FunnyButtonComponent],
  template: `
    <app-funny-button />
    <app-funny-button>I got content!</app-funny-button>
  `,
})
export class AppComponent {} Mithril
 Mithril
App.js
import m from "mithril";
import FunnyButton from "./FunnyButton.jsx";
export default function App() {
  return {
    view: () => m("", m(FunnyButton), m(FunnyButton, "I got Content")),
  };
}Context
 Angular Renaissance
 Angular Renaissance
app.component.ts
import { Component, inject } from "@angular/core";
import { UserService } from "./user.service";
import { UserProfileComponent } from "./user-profile.component";
@Component({
  imports: [UserProfileComponent],
  providers: [UserService],
  selector: "app-root",
  template: `
    <h1>Welcome back, {{ userService.user().username }}</h1>
    <app-user-profile />
  `,
})
export class AppComponent {
  protected userService = inject(UserService);
} Mithril
 Mithril
App.js
import m from "mithril";
import UserProfile from "./UserProfile";
export default function App() {
  const user = {
    id: 1,
    username: "unicorn42",
    email: "unicorn42@example.com",
  };
  const updateUsername = (username) => (user.username = username);
  return {
    view: () =>
      m(
        "",
        m("h1", `Welcome Back, ${user.username}`),
        m(UserProfile, { user, updateUsername })
      ),
  };
}Form input
Input text
 Angular Renaissance
 Angular Renaissance
input-hello.component.ts
import { Component, signal } from "@angular/core";
import { FormsModule } from "@angular/forms";
@Component({
  imports: [FormsModule],
  selector: "app-input-hello",
  template: `
    <p>{{ text() }}</p>
    <input [(ngModel)]="text" />
  `,
})
export class InputHelloComponent {
  text = signal("");
} Mithril
 Mithril
InputHello.js
import m from "mithril";
export default function InputHello() {
  let text = "Hello world";
  const handleChange = ({ target: { value } }) => (text = value);
  return {
    view: () =>
      m("", m("p", text), m("input", { value: text, onchange: handleChange })),
  };
}Checkbox
 Angular Renaissance
 Angular Renaissance
is-available.component.ts
import { Component, signal } from "@angular/core";
import { FormsModule } from "@angular/forms";
@Component({
  imports: [FormsModule],
  selector: "app-is-available",
  template: `
    <input id="is-available" type="checkbox" [(ngModel)]="isAvailable" />
    <label for="is-available">Is available</label>
  `,
})
export class IsAvailableComponent {
  isAvailable = signal(false);
} Mithril
 Mithril
IsAvailable.js
import m from "mithril";
export default function IsAvailable() {
  let isAvailable = false;
  const onUpdate = () => (isAvailable = !isAvailable);
  return {
    view: () =>
      m(
        "",
        m("input", {
          id: "is-available",
          type: "checkbox",
          checked: isAvailable,
          onchange: onUpdate,
        }),
        m("label", { for: "is-available" }, "Is available")
      ),
  };
}Radio
 Angular Renaissance
 Angular Renaissance
pick-pill.component.ts
import { Component, signal } from "@angular/core";
import { FormsModule } from "@angular/forms";
@Component({
  imports: [FormsModule],
  selector: "app-pick-pill",
  template: `
    <div>Picked: {{ picked() }}</div>
    <input id="blue-pill" type="radio" value="blue" [(ngModel)]="picked" />
    <label for="blue-pill">Blue pill</label>
    <input id="red-pill" type="radio" value="red" [(ngModel)]="picked" />
    <label for="red-pill">Red pill</label>
  `,
})
export class PickPillComponent {
  picked = signal("red");
} Mithril
 Mithril
PickPill.js
import m from "mithril";
export default function PickPill() {
  let picked = "red";
  let pills = ["red", "green", "blue"];
  const handleChange = ({ target: { value } }) => (picked = value);
  return {
    view: () =>
      m(
        "",
        m("", `Picked: ${picked}`),
        pills.map((pill) =>
          m(
            ".",
            m("input", {
              id: pill,
              checked: picked == pill,
              type: "radio",
              value: pill,
              onchange: handleChange,
            }),
            m("label", { for: pill }, pill)
          )
        )
      ),
  };
}Select
 Angular Renaissance
 Angular Renaissance
color-select.component.ts
import { Component, signal } from "@angular/core";
import { FormsModule } from "@angular/forms";
@Component({
  imports: [FormsModule],
  selector: "app-color-select",
  template: `
    <select [(ngModel)]="selectedColorId">
      @for (let color of colors; track: color) {
      <option [value]="color.id" [disabled]="color.isDisabled">
        {{ color.text }}
      </option>
      }
    </select>
  `,
})
export class ColorSelectComponent {
  selectedColorId = signal(2);
  colors = [
    { id: 1, text: "red" },
    { id: 2, text: "blue" },
    { id: 3, text: "green" },
    { id: 4, text: "gray", isDisabled: true },
  ];
} Mithril
 Mithril
ColorSelect.js
import m from "mithril";
const colors = [
  { id: 1, text: "red" },
  { id: 2, text: "blue" },
  { id: 3, text: "green" },
  { id: 4, text: "gray", isDisabled: true },
];
export default function ColorSelect() {
  let selectedColorId = 2;
  const handleSelect = ({ target: { value } }) => (selectedColorId = value);
  return {
    view: () =>
      m(
        "select",
        { value: selectedColorId, onchange: handleSelect },
        colors.map(({ id, text, isDisabled }) =>
          m("option", { key: id, id, disabled: isDisabled, value: id }, text)
        )
      ),
  };
}Webapp features
Render app
 Angular Renaissance
 Angular Renaissance
index.html
<!DOCTYPE html>
<html>
  <body>
    <app-root></app-root>
  </body>
</html> Mithril
 Mithril
index.html
<!DOCTYPE html>
<html>
  <body>
    <div id="app"></div>
    <script type="module" src="./main.jsx"></script>
  </body>
</html>Fetch data
 Angular Renaissance
 Angular Renaissance
user.service.ts
import { HttpClient } from "@angular/common/http";
import { inject, Injectable, signal } from "@angular/core";
export interface UsersState {
  users: User[];
  error: string | null;
  loading: boolean;
}
export const initialState: UsersState = {
  users: [],
  error: null,
  loading: false,
};
@Injectable({ providedIn: "root" })
export class UserService {
  private http = inject(HttpClient);
  #state = signal<UsersState>(initialState);
  state = this.#state.asReadonly();
  loadUsers() {
    this.#state.update((state) => ({ ...state, loading: true }));
    this.http
      .get<UserResponse>("https://randomuser.me/api/?results=3")
      .subscribe({
        next: ({ results }) =>
          this.#state.update((state) => ({ ...state, users: results })),
        error: (error) => this.#state.update((state) => ({ ...state, error })),
      });
  }
}
export interface UserResponse {
  results: User[];
  info: any;
}
export interface User {
  name: {
    title: string;
    first: string;
    last: string;
  };
  picture: {
    large: string;
    medium: string;
    thumbnail: string;
  };
} Mithril
 Mithril
App.js
import m from "mithril";
export default function App() {
  let isLoading = false;
  let error = null;
  let users = [];
  async function fetchUsers() {
    isLoading = true;
    try {
      const { results } = await m.request(
        "https://randomuser.me/api/?results=3"
      );
      users = results;
    } catch (err) {
      error = err;
    }
    isLoading = false;
  }
  return {
    oninit: fetchUsers,
    view() {
      if (isLoading) return m("p", "Fetching users...");
      if (error) return m("p", "An error occurred while fetching users");
      return users.map((user) =>
        m(
          "li",
          { key: user.login.uuid },
          m("img", { src: user.picture.thumbnail, alt: "user" }),
          m("p", `${user.name.first} ${user.name.last}`)
        )
      );
    },
  };
}Decouvrez plus d’Offres de la plateform ItGalaxy.io :
Découvrez notre gamme complète de services et formations pour accélérer votre carrière.
1. Nous contactez
- Description: Besoin de Formation et des Solutions cloud complètes pour vos applications
- Links:
2. Infra as a Service
- Description: Infrastructure cloud évolutive et sécurisée
- Links:
3. Projets Développeurs
- Description: Découvrez des opportunités passionnantes pour les développeurs
- Links:
4. Développeurs
- Description: Rejoignez notre communauté de développeurs
- Links:
5. Formations Complètes
- Description: Accédez à des formations professionnelles de haute qualité
- Links:
6. Marketplace
- Description: Découvrez notre place de marché de services
- Links:
7. Blogs
- Description: Découvrez nos blogs
- Links:
- comment creer une application mobile ?
- Comment monitorer un site web ?
- Command Checkout in git ?
- Comment git checkout to commit ?
- supprimer une branche git
- dockercoin
- kubernetes c est quoi
- architecture kubernetes
- Installer Gitlab Runner ?
- .gitlab-ci.yml exemples
- CI/CD
- svelte 5 vs solid
- svelte vs lit
- solidjs vs qwik
- alpine vs vue
- Plateform Freelance 2025
- Creation d’un site Web gratuitement
 
This website is powered by ItGalaxy.io