Ecosyste.ms: Awesome

An open API service indexing awesome lists of open source software.

Awesome Lists | Featured Topics | Projects

https://github.com/kapi2289/InertiaCore

Inertia.js ASP.NET Adapter.
https://github.com/kapi2289/InertiaCore

aspnet aspnetcore inertia inertiajs

Last synced: 2 months ago
JSON representation

Inertia.js ASP.NET Adapter.

Awesome Lists containing this project

README

        

# Inertia.js ASP.NET Adapter

[![NuGet](https://img.shields.io/nuget/v/AspNetCore.InertiaCore?style=flat-square&color=blue)](https://www.nuget.org/packages/AspNetCore.InertiaCore)
[![Build](https://img.shields.io/github/actions/workflow/status/kapi2289/InertiaCore/dotnet.yml?style=flat-square)](https://github.com/kapi2289/InertiaCore/actions)
[![NuGet](https://img.shields.io/nuget/dt/AspNetCore.InertiaCore?style=flat-square)](https://www.nuget.org/packages/AspNetCore.InertiaCore)
[![License](https://img.shields.io/github/license/kapi2289/InertiaCore?style=flat-square)](https://github.com/kapi2289/InertiaCore/blob/main/LICENSE)

## Features

- [x] Validation error handling.
- [x] Shared data.
- [x] Partial and async lazy props.
- [x] Server-side rendering.
- [x] Vite helper.
- [x] Cycle-safe model with relations data serialization.
- [x] Properly working **PATCH**, **PUT** and **DELETE** redirections.

## Table of contents

- [Examples](#examples)
- [Installation](#installation)
- [Getting started](#getting-started)
- [Usage](#usage)
* [Frontend](#frontend)
* [Backend](#backend)
- [Features](#features)
* [Shared data](#shared-data)
* [Async Lazy Props](#async-lazy-props)
* [Server-side rendering](#server-side-rendering)
* [Vite helper](#vite-helper)
- [Examples](#examples-1)

## Examples

You can check out these examples to have some starting point for your new application.

- **Vue** - [NejcBW/InertiaCoreVueTemplate](https://github.com/NejcBW/InertiaCoreVueTemplate)
- **React** - [nicksoftware/React-AspnetCore-inertiaJS](https://github.com/nicksoftware/React-AspnetCore-inertiaJS)

## Installation

1. Using Package Manager: `PM> Install-Package AspNetCore.InertiaCore`
2. Using .NET CLI: `dotnet add package AspNetCore.InertiaCore`

## Getting started

You need to add few lines to the `Program.cs` or `Starup.cs` file.

```csharp
using InertiaCore.Extensions;

[...]

builder.Services.AddInertia();

[...]

app.UseInertia();
```

## Usage

### Frontend

Create a file `/Views/App.cshtml`.

```html
@using InertiaCore



My App

@await Inertia.Html(Model)

```

You can change the root view file using:

```csharp
builder.Services.AddInertia(options =>
{
options.RootView = "~/Views/Main.cshtml";
});
```

### Backend

To pass data to a page component, use `Inertia.Render()`.

```csharp
public async Task Index()
{
var posts = await _context.Posts.ToListAsync();

var data = new
{
Posts = posts,
};

return Inertia.Render("Posts", data);
}
```

To make a form endpoint, remember to add `[FromBody]` to your model parameter, because the request data is passed using
JSON.

```csharp
[HttpPost]
public async Task Create([FromBody] Post post)
{
if (!ModelState.IsValid)
{
// The validation errors are passed automatically.
return await Index();
}

_context.Add(post);
await _context.SaveChangesAsync();

return RedirectToAction("Index");
}
```

## Features

### Shared data

You can add some shared data to your views using for example middlewares:

```csharp
using InertiaCore;

[...]

app.Use(async (context, next) =>
{
var userId = context.Session.GetInt32("userId");

Inertia.Share("auth", new
{
UserId = userId
});

// Or

Inertia.Share(new Dictionary
{
["auth"] => new
{
UserId = userId
}
});
});
```

### Async Lazy Props

You can use async lazy props to load data asynchronously in your components. This is useful for loading data that is not needed for the initial render of the page.
```csharp

// simply use the LazyProps the same way you normally would, except pass in an async function

public async Task Index()
{
var posts = new LazyProp(async () => await _context.Posts.ToListAsync());

var data = new
{
Posts = posts,
};

return Inertia.Render("Posts", data);
}

```

### Server-side rendering

If you want to enable SSR in your Inertia app, remember to add `Inertia.Head()` to your layout:

```html
@using InertiaCore



My App

@await Inertia.Head(Model)

@await Inertia.Html(Model)

```

and enable the SSR option:

```csharp
builder.Services.AddInertia(options =>
{
options.SsrEnabled = true;

// You can optionally set a different URL than the default.
options.SsrUrl = "http://127.0.0.1:13714/render"; // default
});
```

### Vite Helper

A Vite helper class is available to automatically load your generated styles or scripts by simply using the `@Vite.Input("src/main.tsx")` helper. You can also enable HMR when using React by using the `@Vite.ReactRefresh()` helper. This pairs well with the `laravel-vite-plugin` npm package.

To get started with the Vite Helper, you will need to add one more line to the `Program.cs` or `Starup.cs` file.

```csharp
using InertiaCore.Extensions;

[...]

builder.Services.AddViteHelper();

// Or with options (default values shown)

builder.Services.AddViteHelper(options =>
{
options.PublicDirectory = "wwwroot";
options.BuildDirectory = "build";
options.HotFile = "hot";
options.ManifestFilename = "manifest.json";
});
```

#### Examples
---

Here's an example for a TypeScript React app with HMR:

```html
@using InertiaCore
@using InertiaCore.Utils




My App


@* This has to go first, otherwise preamble error *@
@Vite.ReactRefresh()
@await Inertia.Html(Model)
@Vite.Input("src/main.tsx")

```

And here is the corresponding `vite.config.js`

```js
import { defineConfig } from "vite";
import react from "@vitejs/plugin-react";
import laravel from "laravel-vite-plugin";
import path from "path";
import { mkdirSync } from "fs";

// Auto-initialize the default output directory
const outDir = "../wwwroot/build";

mkdirSync(outDir, { recursive: true });

// https://vitejs.dev/config/
export default defineConfig({
plugins: [
laravel({
input: ["src/main.tsx"],
publicDirectory: outDir,
}),
react(),
],
resolve: {
alias: {
"@": path.resolve(__dirname, "src"),
},
},
build: {
outDir,
emptyOutDir: true,
},
});
```

---

Here's an example for a TypeScript Vue app with Hot Reload:

```html
@using InertiaCore
@using InertiaCore.Utils




My App


@await Inertia.Html(Model)
@Vite.Input("src/app.ts")

```

And here is the corresponding `vite.config.js`

```js
import {defineConfig} from 'vite';
import vue from '@vitejs/plugin-vue';
import laravel from "laravel-vite-plugin";
import path from "path";
import {mkdirSync} from "fs";

const outDir = "../wwwroot/build";

mkdirSync(outDir, {recursive: true});

export default defineConfig({
plugins: [
laravel({
input: ["src/app.ts"],
publicDirectory: outDir,
refresh: true,
}),
vue({
template: {
transformAssetUrls: {
base: null,
includeAbsolute: false,
},
},
}),
],
resolve: {
alias: {
"@": path.resolve(__dirname, "src"),
},
},
build: {
outDir,
emptyOutDir: true,
},
});
```

---

Here's an example that just produces a single CSS file:

```html
@using InertiaCore
@using InertiaCore.Utils






@await Inertia.Html(Model)
@Vite.Input("src/main.scss")

```