.NET Core 和 Vue3 結合使用 SignalR 可以實現強大的實時通訊功能,允許實時雙向通訊。在這個範例中,我們將詳細說明如何建立一個簡單的聊天應用程式,演示如何使用 .NET Core SignalR 後端和 Vue3 前端來實現實時通訊功能。
確保你已經安裝了以下工具和環境:
首先,讓我們建立一個 .NET Core SignalR 後端應用程式。
dotnet new web -n SignalRChatApp
cd SignalRChatApp
dotnet add package Microsoft.AspNetCore.SignalR
// Startup.cs
using Microsoft.AspNetCore.Builder;
using Microsoft.AspNetCore.Hosting;
using Microsoft.Extensions.Configuration;
using Microsoft.Extensions.DependencyInjection;
using Microsoft.Extensions.Hosting;
namespace SignalRChatApp
{
public class Startup
{
public void ConfigureServices(IServiceCollection services)
{
services.AddSignalR();
}
public void Configure(IApplicationBuilder app, IWebHostEnvironment env)
{
if (env.IsDevelopment())
{
app.UseDeveloperExceptionPage();
}
app.UseRouting();
app.UseEndpoints(endpoints =>
{
endpoints.MapHub<ChatHub>("/chatHub");
});
}
}
}
// ChatHub.cs
using Microsoft.AspNetCore.SignalR;
using System.Threading.Tasks;
namespace SignalRChatApp
{
public class ChatHub : Hub
{
public async Task SendMessage(string user, string message)
{
await Clients.All.SendAsync("ReceiveMessage", user, message);
}
}
}
現在,我們將建立一個 Vue3 前端應用程式,以連線到 SignalR 後端。
vue create vue-signalr-chat
選擇預設設定或根據需要進行設定。
npm install @microsoft/signalr
<!-- src/components/Chat.vue -->
<template>
<div>
<div>
<input v-model="user" placeholder="Enter your name" />
</div>
<div>
<input v-model="message" @keyup.enter="sendMessage" placeholder="Type a message" />
</div>
<div>
<div v-for="msg in messages" :key="msg" class="message">{{ msg }}</div>
</div>
</div>
</template>
<script>
export default {
data() {
return {
user: "",
message: "",
messages: [],
};
},
mounted() {
this.connection = new signalR.HubConnectionBuilder()
.withUrl("/chatHub")
.build();
this.connection.start().then(() => {
this.connection.on("ReceiveMessage", (user, message) => {
this.messages.push(`${user}: ${message}`);
});
});
},
methods: {
sendMessage() {
if (this.user && this.message) {
this.connection.invoke("SendMessage", this.user, this.message);
this.message = "";
}
},
},
};
</script>
<style scoped>
.message {
margin: 5px;
}
</style>
<template>
<div class="home">
<img alt="Vue logo" src="../assets/logo.png" />
<Chat />
</div>
</template>
<script>
import Chat from "@/components/Chat.vue";
export default {
name: "Home",
components: {
Chat,
},
};
</script>
dotnet run
npm run serve
現在,你的 SignalR 實時聊天應用程式應該已經執行了。開啟瀏覽器,存取 `http://
localhost:8080`,輸入使用者名稱,開始聊天。
這個範例演示瞭如何使用 .NET Core SignalR 後端和 Vue3 前端建立一個簡單的實時聊天應用程式。你可以根據需要擴充套件該應用程式,新增更多功能和樣式。此外,你還可以使用 SignalR 來構建更復雜的實時應用程式,如實時通知、線上遊戲和協同編輯等。