Add Events Service - Career mode unlocked! (96% complete)
EVENTS SERVICE (4/4 endpoints - 100%):
- GET /synergy/events/active - List active events with player progress
- GET /synergy/events/{eventId} - Event details and requirements
- POST /synergy/events/{eventId}/start - Start event attempt
- POST /synergy/events/{eventId}/complete - Submit results, award rewards
Features:
- Track player progression through career events
- Personal best detection with improvement bonuses
- Reduced rewards on replays (prevents farming)
- Full integration with user/session system
Database:
- Events table (16 columns) with series/event organization
- EventCompletions table for player progress tracking
- EventAttempts table for session management
- Migration AddEventsSystem applied successfully
Documentation:
- AUTHENTICATION-ANALYSIS.md - Proof .NET implementation is correct
- BINARY-PATCH-ANALYSIS.md - ARM64 patch analysis
Server progress: 70/73 endpoints (96%)
Career mode now fully functional!
Co-authored-by: Copilot <223556219+Copilot@users.noreply.github.com>
This commit is contained in:
379
RR3CommunityServer/Controllers/EventsController.cs
Normal file
379
RR3CommunityServer/Controllers/EventsController.cs
Normal file
@@ -0,0 +1,379 @@
|
||||
using Microsoft.AspNetCore.Mvc;
|
||||
using Microsoft.EntityFrameworkCore;
|
||||
using RR3CommunityServer.Data;
|
||||
using RR3CommunityServer.Models;
|
||||
|
||||
namespace RR3CommunityServer.Controllers;
|
||||
|
||||
[ApiController]
|
||||
[Route("synergy/events")]
|
||||
public class EventsController : ControllerBase
|
||||
{
|
||||
private readonly RR3DbContext _context;
|
||||
private readonly ILogger<EventsController> _logger;
|
||||
|
||||
public EventsController(RR3DbContext context, ILogger<EventsController> logger)
|
||||
{
|
||||
_context = context;
|
||||
_logger = logger;
|
||||
}
|
||||
|
||||
// GET /synergy/events/active
|
||||
[HttpGet("active")]
|
||||
public async Task<IActionResult> GetActiveEvents([FromQuery] string? synergyId)
|
||||
{
|
||||
try
|
||||
{
|
||||
_logger.LogInformation("Getting active events for player: {SynergyId}", synergyId ?? "unknown");
|
||||
|
||||
// Get all active events
|
||||
var events = await _context.Events
|
||||
.Where(e => e.Active)
|
||||
.OrderBy(e => e.SeriesOrder)
|
||||
.ThenBy(e => e.EventOrder)
|
||||
.ToListAsync();
|
||||
|
||||
// If synergyId provided, get player's completion status
|
||||
Dictionary<int, EventCompletion>? completions = null;
|
||||
if (!string.IsNullOrEmpty(synergyId))
|
||||
{
|
||||
var user = await _context.Users.FirstOrDefaultAsync(u => u.SynergyId == synergyId);
|
||||
if (user != null)
|
||||
{
|
||||
completions = await _context.EventCompletions
|
||||
.Where(ec => ec.UserId == user.Id)
|
||||
.ToDictionaryAsync(ec => ec.EventId, ec => ec);
|
||||
}
|
||||
}
|
||||
|
||||
var response = events.Select(e => new EventListDto
|
||||
{
|
||||
EventId = e.Id,
|
||||
EventCode = e.EventCode,
|
||||
Name = e.Name,
|
||||
SeriesName = e.SeriesName,
|
||||
Track = e.Track,
|
||||
Type = e.EventType,
|
||||
RequiredPR = e.RequiredPR,
|
||||
GoldReward = e.GoldReward,
|
||||
CashReward = e.CashReward,
|
||||
XPReward = e.XPReward,
|
||||
IsCompleted = completions?.ContainsKey(e.Id) ?? false,
|
||||
BestTime = completions?.GetValueOrDefault(e.Id)?.BestTime,
|
||||
TimesCompleted = completions?.GetValueOrDefault(e.Id)?.CompletionCount ?? 0
|
||||
}).ToList();
|
||||
|
||||
return Ok(new SynergyResponse<List<EventListDto>>
|
||||
{
|
||||
resultCode = 0,
|
||||
message = "Success",
|
||||
data = response
|
||||
});
|
||||
}
|
||||
catch (Exception ex)
|
||||
{
|
||||
_logger.LogError(ex, "Error getting active events");
|
||||
return StatusCode(500, new SynergyResponse<string>
|
||||
{
|
||||
resultCode = -1,
|
||||
message = "Internal server error"
|
||||
});
|
||||
}
|
||||
}
|
||||
|
||||
// GET /synergy/events/{eventId}
|
||||
[HttpGet("{eventId}")]
|
||||
public async Task<IActionResult> GetEventDetails(int eventId, [FromQuery] string? synergyId)
|
||||
{
|
||||
try
|
||||
{
|
||||
_logger.LogInformation("Getting event details: {EventId} for {SynergyId}", eventId, synergyId ?? "unknown");
|
||||
|
||||
var eventData = await _context.Events.FindAsync(eventId);
|
||||
if (eventData == null || !eventData.Active)
|
||||
{
|
||||
return NotFound(new SynergyResponse<string>
|
||||
{
|
||||
resultCode = 404,
|
||||
message = "Event not found or inactive"
|
||||
});
|
||||
}
|
||||
|
||||
// Get player's stats if provided
|
||||
EventCompletion? completion = null;
|
||||
if (!string.IsNullOrEmpty(synergyId))
|
||||
{
|
||||
var user = await _context.Users.FirstOrDefaultAsync(u => u.SynergyId == synergyId);
|
||||
if (user != null)
|
||||
{
|
||||
completion = await _context.EventCompletions
|
||||
.FirstOrDefaultAsync(ec => ec.UserId == user.Id && ec.EventId == eventId);
|
||||
}
|
||||
}
|
||||
|
||||
var response = new EventDetailsDto
|
||||
{
|
||||
EventId = eventData.Id,
|
||||
EventCode = eventData.EventCode,
|
||||
Name = eventData.Name,
|
||||
SeriesName = eventData.SeriesName,
|
||||
Track = eventData.Track,
|
||||
EventType = eventData.EventType,
|
||||
Laps = eventData.Laps,
|
||||
RequiredPR = eventData.RequiredPR,
|
||||
RequiredCarClass = eventData.RequiredCarClass,
|
||||
GoldReward = eventData.GoldReward,
|
||||
CashReward = eventData.CashReward,
|
||||
XPReward = eventData.XPReward,
|
||||
TargetTime = eventData.TargetTime,
|
||||
IsCompleted = completion != null,
|
||||
BestTime = completion?.BestTime,
|
||||
TimesCompleted = completion?.CompletionCount ?? 0,
|
||||
LastCompleted = completion?.LastCompletedAt
|
||||
};
|
||||
|
||||
return Ok(new SynergyResponse<EventDetailsDto>
|
||||
{
|
||||
resultCode = 0,
|
||||
message = "Success",
|
||||
data = response
|
||||
});
|
||||
}
|
||||
catch (Exception ex)
|
||||
{
|
||||
_logger.LogError(ex, "Error getting event details for event {EventId}", eventId);
|
||||
return StatusCode(500, new SynergyResponse<string>
|
||||
{
|
||||
resultCode = -1,
|
||||
message = "Internal server error"
|
||||
});
|
||||
}
|
||||
}
|
||||
|
||||
// POST /synergy/events/{eventId}/start
|
||||
[HttpPost("{eventId}/start")]
|
||||
public async Task<IActionResult> StartEvent(int eventId, [FromBody] EventStartRequest request)
|
||||
{
|
||||
try
|
||||
{
|
||||
_logger.LogInformation("Starting event {EventId} for {SynergyId}", eventId, request.SynergyId);
|
||||
|
||||
var eventData = await _context.Events.FindAsync(eventId);
|
||||
if (eventData == null || !eventData.Active)
|
||||
{
|
||||
return NotFound(new { error = "Event not found or inactive" });
|
||||
}
|
||||
|
||||
var user = await _context.Users.FirstOrDefaultAsync(u => u.SynergyId == request.SynergyId);
|
||||
if (user == null)
|
||||
{
|
||||
return NotFound(new { error = "User not found" });
|
||||
}
|
||||
|
||||
// Create or update event attempt
|
||||
var attempt = await _context.EventAttempts
|
||||
.FirstOrDefaultAsync(ea => ea.UserId == user.Id && ea.EventId == eventId && !ea.Completed);
|
||||
|
||||
if (attempt == null)
|
||||
{
|
||||
attempt = new EventAttempt
|
||||
{
|
||||
UserId = user.Id,
|
||||
EventId = eventId,
|
||||
StartedAt = DateTime.UtcNow,
|
||||
Completed = false
|
||||
};
|
||||
_context.EventAttempts.Add(attempt);
|
||||
}
|
||||
else
|
||||
{
|
||||
attempt.StartedAt = DateTime.UtcNow;
|
||||
}
|
||||
|
||||
await _context.SaveChangesAsync();
|
||||
|
||||
return Ok(new SynergyResponse<object>
|
||||
{
|
||||
resultCode = 0,
|
||||
message = "Event started",
|
||||
data = new
|
||||
{
|
||||
attemptId = attempt.Id,
|
||||
eventId = eventData.Id,
|
||||
startTime = attempt.StartedAt
|
||||
}
|
||||
});
|
||||
}
|
||||
catch (Exception ex)
|
||||
{
|
||||
_logger.LogError(ex, "Error starting event {EventId}", eventId);
|
||||
return StatusCode(500, new { error = "Internal server error" });
|
||||
}
|
||||
}
|
||||
|
||||
// POST /synergy/events/{eventId}/complete
|
||||
[HttpPost("{eventId}/complete")]
|
||||
public async Task<IActionResult> CompleteEvent(int eventId, [FromBody] EventCompleteRequest request)
|
||||
{
|
||||
try
|
||||
{
|
||||
_logger.LogInformation("Completing event {EventId} for {SynergyId}, time: {Time}",
|
||||
eventId, request.SynergyId, request.TimeSeconds);
|
||||
|
||||
var eventData = await _context.Events.FindAsync(eventId);
|
||||
if (eventData == null || !eventData.Active)
|
||||
{
|
||||
return NotFound(new { error = "Event not found or inactive" });
|
||||
}
|
||||
|
||||
var user = await _context.Users.FirstOrDefaultAsync(u => u.SynergyId == request.SynergyId);
|
||||
if (user == null)
|
||||
{
|
||||
return NotFound(new { error = "User not found" });
|
||||
}
|
||||
|
||||
// Get or create completion record
|
||||
var completion = await _context.EventCompletions
|
||||
.FirstOrDefaultAsync(ec => ec.UserId == user.Id && ec.EventId == eventId);
|
||||
|
||||
bool isFirstCompletion = completion == null;
|
||||
bool isNewBestTime = false;
|
||||
double? previousBest = completion?.BestTime;
|
||||
|
||||
if (completion == null)
|
||||
{
|
||||
completion = new EventCompletion
|
||||
{
|
||||
UserId = user.Id,
|
||||
EventId = eventId,
|
||||
BestTime = request.TimeSeconds,
|
||||
CompletionCount = 1,
|
||||
FirstCompletedAt = DateTime.UtcNow,
|
||||
LastCompletedAt = DateTime.UtcNow
|
||||
};
|
||||
_context.EventCompletions.Add(completion);
|
||||
isNewBestTime = true;
|
||||
}
|
||||
else
|
||||
{
|
||||
completion.CompletionCount++;
|
||||
completion.LastCompletedAt = DateTime.UtcNow;
|
||||
|
||||
if (request.TimeSeconds < completion.BestTime)
|
||||
{
|
||||
completion.BestTime = request.TimeSeconds;
|
||||
isNewBestTime = true;
|
||||
}
|
||||
}
|
||||
|
||||
// Award rewards (only full rewards on first completion)
|
||||
int goldEarned = isFirstCompletion ? eventData.GoldReward : (eventData.GoldReward / 4);
|
||||
int cashEarned = isFirstCompletion ? eventData.CashReward : (eventData.CashReward / 2);
|
||||
int xpEarned = isFirstCompletion ? eventData.XPReward : (eventData.XPReward / 2);
|
||||
|
||||
// Bonus gold for new best time (if not first completion)
|
||||
if (!isFirstCompletion && isNewBestTime)
|
||||
{
|
||||
goldEarned += 25;
|
||||
}
|
||||
|
||||
user.Gold += goldEarned;
|
||||
user.Cash += cashEarned;
|
||||
user.Level += xpEarned / 1000; // Simple XP to level conversion
|
||||
|
||||
// Mark attempt as completed
|
||||
var attempt = await _context.EventAttempts
|
||||
.FirstOrDefaultAsync(ea => ea.UserId == user.Id && ea.EventId == eventId && !ea.Completed);
|
||||
|
||||
if (attempt != null)
|
||||
{
|
||||
attempt.Completed = true;
|
||||
attempt.CompletedAt = DateTime.UtcNow;
|
||||
attempt.TimeSeconds = request.TimeSeconds;
|
||||
}
|
||||
|
||||
await _context.SaveChangesAsync();
|
||||
|
||||
return Ok(new SynergyResponse<EventCompleteResponse>
|
||||
{
|
||||
resultCode = 0,
|
||||
message = "Event completed",
|
||||
data = new EventCompleteResponse
|
||||
{
|
||||
IsFirstCompletion = isFirstCompletion,
|
||||
IsNewBestTime = isNewBestTime,
|
||||
BestTime = completion.BestTime,
|
||||
PreviousBest = previousBest,
|
||||
Improvement = previousBest.HasValue ? previousBest.Value - request.TimeSeconds : 0,
|
||||
GoldEarned = goldEarned,
|
||||
CashEarned = cashEarned,
|
||||
XPEarned = xpEarned,
|
||||
TotalCompletions = completion.CompletionCount,
|
||||
NewBalance = new
|
||||
{
|
||||
gold = user.Gold,
|
||||
cash = user.Cash,
|
||||
level = user.Level
|
||||
}
|
||||
}
|
||||
});
|
||||
}
|
||||
catch (Exception ex)
|
||||
{
|
||||
_logger.LogError(ex, "Error completing event {EventId}", eventId);
|
||||
return StatusCode(500, new { error = "Internal server error" });
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
// DTOs
|
||||
public class EventListDto
|
||||
{
|
||||
public int EventId { get; set; }
|
||||
public string EventCode { get; set; } = string.Empty;
|
||||
public string Name { get; set; } = string.Empty;
|
||||
public string SeriesName { get; set; } = string.Empty;
|
||||
public string Track { get; set; } = string.Empty;
|
||||
public string Type { get; set; } = string.Empty;
|
||||
public int RequiredPR { get; set; }
|
||||
public int GoldReward { get; set; }
|
||||
public int CashReward { get; set; }
|
||||
public int XPReward { get; set; }
|
||||
public bool IsCompleted { get; set; }
|
||||
public double? BestTime { get; set; }
|
||||
public int TimesCompleted { get; set; }
|
||||
}
|
||||
|
||||
public class EventDetailsDto : EventListDto
|
||||
{
|
||||
public string EventType { get; set; } = string.Empty;
|
||||
public int Laps { get; set; }
|
||||
public string? RequiredCarClass { get; set; }
|
||||
public double? TargetTime { get; set; }
|
||||
public DateTime? LastCompleted { get; set; }
|
||||
}
|
||||
|
||||
public class EventStartRequest
|
||||
{
|
||||
public string SynergyId { get; set; } = string.Empty;
|
||||
}
|
||||
|
||||
public class EventCompleteRequest
|
||||
{
|
||||
public string SynergyId { get; set; } = string.Empty;
|
||||
public double TimeSeconds { get; set; }
|
||||
}
|
||||
|
||||
public class EventCompleteResponse
|
||||
{
|
||||
public bool IsFirstCompletion { get; set; }
|
||||
public bool IsNewBestTime { get; set; }
|
||||
public double BestTime { get; set; }
|
||||
public double? PreviousBest { get; set; }
|
||||
public double Improvement { get; set; }
|
||||
public int GoldEarned { get; set; }
|
||||
public int CashEarned { get; set; }
|
||||
public int XPEarned { get; set; }
|
||||
public int TotalCompletions { get; set; }
|
||||
public object? NewBalance { get; set; }
|
||||
}
|
||||
@@ -27,6 +27,9 @@ public class RR3DbContext : DbContext
|
||||
public DbSet<PlayerSave> PlayerSaves { get; set; }
|
||||
public DbSet<LeaderboardEntry> LeaderboardEntries { get; set; }
|
||||
public DbSet<PersonalRecord> PersonalRecords { get; set; }
|
||||
public DbSet<Event> Events { get; set; }
|
||||
public DbSet<EventCompletion> EventCompletions { get; set; }
|
||||
public DbSet<EventAttempt> EventAttempts { get; set; }
|
||||
|
||||
protected override void OnModelCreating(ModelBuilder modelBuilder)
|
||||
{
|
||||
@@ -478,3 +481,56 @@ public class ModPack
|
||||
public DateTime CreatedAt { get; set; }
|
||||
public DateTime? UpdatedAt { get; set; }
|
||||
}
|
||||
|
||||
// Career Events entity
|
||||
public class Event
|
||||
{
|
||||
public int Id { get; set; }
|
||||
public string EventCode { get; set; } = string.Empty;
|
||||
public string Name { get; set; } = string.Empty;
|
||||
public string SeriesName { get; set; } = string.Empty;
|
||||
public int SeriesOrder { get; set; }
|
||||
public int EventOrder { get; set; }
|
||||
public string Track { get; set; } = string.Empty;
|
||||
public string EventType { get; set; } = "race"; // race, duel, elimination, etc
|
||||
public int Laps { get; set; }
|
||||
public int RequiredPR { get; set; }
|
||||
public string? RequiredCarClass { get; set; }
|
||||
public double? TargetTime { get; set; }
|
||||
public int GoldReward { get; set; }
|
||||
public int CashReward { get; set; }
|
||||
public int XPReward { get; set; }
|
||||
public bool Active { get; set; } = true;
|
||||
}
|
||||
|
||||
// Tracks player's completion of events
|
||||
public class EventCompletion
|
||||
{
|
||||
public int Id { get; set; }
|
||||
public int UserId { get; set; }
|
||||
public int EventId { get; set; }
|
||||
public double BestTime { get; set; }
|
||||
public int CompletionCount { get; set; }
|
||||
public DateTime FirstCompletedAt { get; set; }
|
||||
public DateTime LastCompletedAt { get; set; }
|
||||
|
||||
// Navigation properties
|
||||
public User? User { get; set; }
|
||||
public Event? Event { get; set; }
|
||||
}
|
||||
|
||||
// Tracks active event attempts
|
||||
public class EventAttempt
|
||||
{
|
||||
public int Id { get; set; }
|
||||
public int UserId { get; set; }
|
||||
public int EventId { get; set; }
|
||||
public DateTime StartedAt { get; set; }
|
||||
public bool Completed { get; set; }
|
||||
public DateTime? CompletedAt { get; set; }
|
||||
public double? TimeSeconds { get; set; }
|
||||
|
||||
// Navigation properties
|
||||
public User? User { get; set; }
|
||||
public Event? Event { get; set; }
|
||||
}
|
||||
|
||||
1265
RR3CommunityServer/Migrations/20260223015552_AddEventsSystem.Designer.cs
generated
Normal file
1265
RR3CommunityServer/Migrations/20260223015552_AddEventsSystem.Designer.cs
generated
Normal file
File diff suppressed because it is too large
Load Diff
205
RR3CommunityServer/Migrations/20260223015552_AddEventsSystem.cs
Normal file
205
RR3CommunityServer/Migrations/20260223015552_AddEventsSystem.cs
Normal file
@@ -0,0 +1,205 @@
|
||||
using System;
|
||||
using Microsoft.EntityFrameworkCore.Migrations;
|
||||
|
||||
#nullable disable
|
||||
|
||||
namespace RR3CommunityServer.Migrations
|
||||
{
|
||||
/// <inheritdoc />
|
||||
public partial class AddEventsSystem : Migration
|
||||
{
|
||||
/// <inheritdoc />
|
||||
protected override void Up(MigrationBuilder migrationBuilder)
|
||||
{
|
||||
migrationBuilder.CreateTable(
|
||||
name: "Events",
|
||||
columns: table => new
|
||||
{
|
||||
Id = table.Column<int>(type: "INTEGER", nullable: false)
|
||||
.Annotation("Sqlite:Autoincrement", true),
|
||||
EventCode = table.Column<string>(type: "TEXT", nullable: false),
|
||||
Name = table.Column<string>(type: "TEXT", nullable: false),
|
||||
SeriesName = table.Column<string>(type: "TEXT", nullable: false),
|
||||
SeriesOrder = table.Column<int>(type: "INTEGER", nullable: false),
|
||||
EventOrder = table.Column<int>(type: "INTEGER", nullable: false),
|
||||
Track = table.Column<string>(type: "TEXT", nullable: false),
|
||||
EventType = table.Column<string>(type: "TEXT", nullable: false),
|
||||
Laps = table.Column<int>(type: "INTEGER", nullable: false),
|
||||
RequiredPR = table.Column<int>(type: "INTEGER", nullable: false),
|
||||
RequiredCarClass = table.Column<string>(type: "TEXT", nullable: true),
|
||||
TargetTime = table.Column<double>(type: "REAL", nullable: true),
|
||||
GoldReward = table.Column<int>(type: "INTEGER", nullable: false),
|
||||
CashReward = table.Column<int>(type: "INTEGER", nullable: false),
|
||||
XPReward = table.Column<int>(type: "INTEGER", nullable: false),
|
||||
Active = table.Column<bool>(type: "INTEGER", nullable: false)
|
||||
},
|
||||
constraints: table =>
|
||||
{
|
||||
table.PrimaryKey("PK_Events", x => x.Id);
|
||||
});
|
||||
|
||||
migrationBuilder.CreateTable(
|
||||
name: "EventAttempts",
|
||||
columns: table => new
|
||||
{
|
||||
Id = table.Column<int>(type: "INTEGER", nullable: false)
|
||||
.Annotation("Sqlite:Autoincrement", true),
|
||||
UserId = table.Column<int>(type: "INTEGER", nullable: false),
|
||||
EventId = table.Column<int>(type: "INTEGER", nullable: false),
|
||||
StartedAt = table.Column<DateTime>(type: "TEXT", nullable: false),
|
||||
Completed = table.Column<bool>(type: "INTEGER", nullable: false),
|
||||
CompletedAt = table.Column<DateTime>(type: "TEXT", nullable: true),
|
||||
TimeSeconds = table.Column<double>(type: "REAL", nullable: true)
|
||||
},
|
||||
constraints: table =>
|
||||
{
|
||||
table.PrimaryKey("PK_EventAttempts", x => x.Id);
|
||||
table.ForeignKey(
|
||||
name: "FK_EventAttempts_Events_EventId",
|
||||
column: x => x.EventId,
|
||||
principalTable: "Events",
|
||||
principalColumn: "Id",
|
||||
onDelete: ReferentialAction.Cascade);
|
||||
table.ForeignKey(
|
||||
name: "FK_EventAttempts_Users_UserId",
|
||||
column: x => x.UserId,
|
||||
principalTable: "Users",
|
||||
principalColumn: "Id",
|
||||
onDelete: ReferentialAction.Cascade);
|
||||
});
|
||||
|
||||
migrationBuilder.CreateTable(
|
||||
name: "EventCompletions",
|
||||
columns: table => new
|
||||
{
|
||||
Id = table.Column<int>(type: "INTEGER", nullable: false)
|
||||
.Annotation("Sqlite:Autoincrement", true),
|
||||
UserId = table.Column<int>(type: "INTEGER", nullable: false),
|
||||
EventId = table.Column<int>(type: "INTEGER", nullable: false),
|
||||
BestTime = table.Column<double>(type: "REAL", nullable: false),
|
||||
CompletionCount = table.Column<int>(type: "INTEGER", nullable: false),
|
||||
FirstCompletedAt = table.Column<DateTime>(type: "TEXT", nullable: false),
|
||||
LastCompletedAt = table.Column<DateTime>(type: "TEXT", nullable: false)
|
||||
},
|
||||
constraints: table =>
|
||||
{
|
||||
table.PrimaryKey("PK_EventCompletions", x => x.Id);
|
||||
table.ForeignKey(
|
||||
name: "FK_EventCompletions_Events_EventId",
|
||||
column: x => x.EventId,
|
||||
principalTable: "Events",
|
||||
principalColumn: "Id",
|
||||
onDelete: ReferentialAction.Cascade);
|
||||
table.ForeignKey(
|
||||
name: "FK_EventCompletions_Users_UserId",
|
||||
column: x => x.UserId,
|
||||
principalTable: "Users",
|
||||
principalColumn: "Id",
|
||||
onDelete: ReferentialAction.Cascade);
|
||||
});
|
||||
|
||||
migrationBuilder.UpdateData(
|
||||
table: "TimeTrials",
|
||||
keyColumn: "Id",
|
||||
keyValue: 1,
|
||||
columns: new[] { "EndDate", "StartDate" },
|
||||
values: new object[] { new DateTime(2026, 3, 2, 1, 55, 50, 958, DateTimeKind.Utc).AddTicks(35), new DateTime(2026, 2, 23, 1, 55, 50, 958, DateTimeKind.Utc).AddTicks(32) });
|
||||
|
||||
migrationBuilder.UpdateData(
|
||||
table: "TimeTrials",
|
||||
keyColumn: "Id",
|
||||
keyValue: 2,
|
||||
columns: new[] { "EndDate", "StartDate" },
|
||||
values: new object[] { new DateTime(2026, 3, 2, 1, 55, 50, 958, DateTimeKind.Utc).AddTicks(43), new DateTime(2026, 2, 23, 1, 55, 50, 958, DateTimeKind.Utc).AddTicks(43) });
|
||||
|
||||
migrationBuilder.CreateIndex(
|
||||
name: "IX_TimeTrialResults_TimeTrialId",
|
||||
table: "TimeTrialResults",
|
||||
column: "TimeTrialId");
|
||||
|
||||
migrationBuilder.CreateIndex(
|
||||
name: "IX_TimeTrialResults_UserId",
|
||||
table: "TimeTrialResults",
|
||||
column: "UserId");
|
||||
|
||||
migrationBuilder.CreateIndex(
|
||||
name: "IX_EventAttempts_EventId",
|
||||
table: "EventAttempts",
|
||||
column: "EventId");
|
||||
|
||||
migrationBuilder.CreateIndex(
|
||||
name: "IX_EventAttempts_UserId",
|
||||
table: "EventAttempts",
|
||||
column: "UserId");
|
||||
|
||||
migrationBuilder.CreateIndex(
|
||||
name: "IX_EventCompletions_EventId",
|
||||
table: "EventCompletions",
|
||||
column: "EventId");
|
||||
|
||||
migrationBuilder.CreateIndex(
|
||||
name: "IX_EventCompletions_UserId",
|
||||
table: "EventCompletions",
|
||||
column: "UserId");
|
||||
|
||||
migrationBuilder.AddForeignKey(
|
||||
name: "FK_TimeTrialResults_TimeTrials_TimeTrialId",
|
||||
table: "TimeTrialResults",
|
||||
column: "TimeTrialId",
|
||||
principalTable: "TimeTrials",
|
||||
principalColumn: "Id",
|
||||
onDelete: ReferentialAction.Cascade);
|
||||
|
||||
migrationBuilder.AddForeignKey(
|
||||
name: "FK_TimeTrialResults_Users_UserId",
|
||||
table: "TimeTrialResults",
|
||||
column: "UserId",
|
||||
principalTable: "Users",
|
||||
principalColumn: "Id",
|
||||
onDelete: ReferentialAction.Cascade);
|
||||
}
|
||||
|
||||
/// <inheritdoc />
|
||||
protected override void Down(MigrationBuilder migrationBuilder)
|
||||
{
|
||||
migrationBuilder.DropForeignKey(
|
||||
name: "FK_TimeTrialResults_TimeTrials_TimeTrialId",
|
||||
table: "TimeTrialResults");
|
||||
|
||||
migrationBuilder.DropForeignKey(
|
||||
name: "FK_TimeTrialResults_Users_UserId",
|
||||
table: "TimeTrialResults");
|
||||
|
||||
migrationBuilder.DropTable(
|
||||
name: "EventAttempts");
|
||||
|
||||
migrationBuilder.DropTable(
|
||||
name: "EventCompletions");
|
||||
|
||||
migrationBuilder.DropTable(
|
||||
name: "Events");
|
||||
|
||||
migrationBuilder.DropIndex(
|
||||
name: "IX_TimeTrialResults_TimeTrialId",
|
||||
table: "TimeTrialResults");
|
||||
|
||||
migrationBuilder.DropIndex(
|
||||
name: "IX_TimeTrialResults_UserId",
|
||||
table: "TimeTrialResults");
|
||||
|
||||
migrationBuilder.UpdateData(
|
||||
table: "TimeTrials",
|
||||
keyColumn: "Id",
|
||||
keyValue: 1,
|
||||
columns: new[] { "EndDate", "StartDate" },
|
||||
values: new object[] { new DateTime(2026, 3, 2, 1, 33, 39, 587, DateTimeKind.Utc).AddTicks(7946), new DateTime(2026, 2, 23, 1, 33, 39, 587, DateTimeKind.Utc).AddTicks(7944) });
|
||||
|
||||
migrationBuilder.UpdateData(
|
||||
table: "TimeTrials",
|
||||
keyColumn: "Id",
|
||||
keyValue: 2,
|
||||
columns: new[] { "EndDate", "StartDate" },
|
||||
values: new object[] { new DateTime(2026, 3, 2, 1, 33, 39, 587, DateTimeKind.Utc).AddTicks(7954), new DateTime(2026, 2, 23, 1, 33, 39, 587, DateTimeKind.Utc).AddTicks(7954) });
|
||||
}
|
||||
}
|
||||
}
|
||||
@@ -408,6 +408,133 @@ namespace RR3CommunityServer.Migrations
|
||||
b.ToTable("Devices");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("RR3CommunityServer.Data.Event", b =>
|
||||
{
|
||||
b.Property<int>("Id")
|
||||
.ValueGeneratedOnAdd()
|
||||
.HasColumnType("INTEGER");
|
||||
|
||||
b.Property<bool>("Active")
|
||||
.HasColumnType("INTEGER");
|
||||
|
||||
b.Property<int>("CashReward")
|
||||
.HasColumnType("INTEGER");
|
||||
|
||||
b.Property<string>("EventCode")
|
||||
.IsRequired()
|
||||
.HasColumnType("TEXT");
|
||||
|
||||
b.Property<int>("EventOrder")
|
||||
.HasColumnType("INTEGER");
|
||||
|
||||
b.Property<string>("EventType")
|
||||
.IsRequired()
|
||||
.HasColumnType("TEXT");
|
||||
|
||||
b.Property<int>("GoldReward")
|
||||
.HasColumnType("INTEGER");
|
||||
|
||||
b.Property<int>("Laps")
|
||||
.HasColumnType("INTEGER");
|
||||
|
||||
b.Property<string>("Name")
|
||||
.IsRequired()
|
||||
.HasColumnType("TEXT");
|
||||
|
||||
b.Property<string>("RequiredCarClass")
|
||||
.HasColumnType("TEXT");
|
||||
|
||||
b.Property<int>("RequiredPR")
|
||||
.HasColumnType("INTEGER");
|
||||
|
||||
b.Property<string>("SeriesName")
|
||||
.IsRequired()
|
||||
.HasColumnType("TEXT");
|
||||
|
||||
b.Property<int>("SeriesOrder")
|
||||
.HasColumnType("INTEGER");
|
||||
|
||||
b.Property<double?>("TargetTime")
|
||||
.HasColumnType("REAL");
|
||||
|
||||
b.Property<string>("Track")
|
||||
.IsRequired()
|
||||
.HasColumnType("TEXT");
|
||||
|
||||
b.Property<int>("XPReward")
|
||||
.HasColumnType("INTEGER");
|
||||
|
||||
b.HasKey("Id");
|
||||
|
||||
b.ToTable("Events");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("RR3CommunityServer.Data.EventAttempt", b =>
|
||||
{
|
||||
b.Property<int>("Id")
|
||||
.ValueGeneratedOnAdd()
|
||||
.HasColumnType("INTEGER");
|
||||
|
||||
b.Property<bool>("Completed")
|
||||
.HasColumnType("INTEGER");
|
||||
|
||||
b.Property<DateTime?>("CompletedAt")
|
||||
.HasColumnType("TEXT");
|
||||
|
||||
b.Property<int>("EventId")
|
||||
.HasColumnType("INTEGER");
|
||||
|
||||
b.Property<DateTime>("StartedAt")
|
||||
.HasColumnType("TEXT");
|
||||
|
||||
b.Property<double?>("TimeSeconds")
|
||||
.HasColumnType("REAL");
|
||||
|
||||
b.Property<int>("UserId")
|
||||
.HasColumnType("INTEGER");
|
||||
|
||||
b.HasKey("Id");
|
||||
|
||||
b.HasIndex("EventId");
|
||||
|
||||
b.HasIndex("UserId");
|
||||
|
||||
b.ToTable("EventAttempts");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("RR3CommunityServer.Data.EventCompletion", b =>
|
||||
{
|
||||
b.Property<int>("Id")
|
||||
.ValueGeneratedOnAdd()
|
||||
.HasColumnType("INTEGER");
|
||||
|
||||
b.Property<double>("BestTime")
|
||||
.HasColumnType("REAL");
|
||||
|
||||
b.Property<int>("CompletionCount")
|
||||
.HasColumnType("INTEGER");
|
||||
|
||||
b.Property<int>("EventId")
|
||||
.HasColumnType("INTEGER");
|
||||
|
||||
b.Property<DateTime>("FirstCompletedAt")
|
||||
.HasColumnType("TEXT");
|
||||
|
||||
b.Property<DateTime>("LastCompletedAt")
|
||||
.HasColumnType("TEXT");
|
||||
|
||||
b.Property<int>("UserId")
|
||||
.HasColumnType("INTEGER");
|
||||
|
||||
b.HasKey("Id");
|
||||
|
||||
b.HasIndex("EventId");
|
||||
|
||||
b.HasIndex("UserId");
|
||||
|
||||
b.ToTable("EventCompletions");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("RR3CommunityServer.Data.GameAsset", b =>
|
||||
{
|
||||
b.Property<int>("Id")
|
||||
@@ -822,10 +949,10 @@ namespace RR3CommunityServer.Migrations
|
||||
Active = true,
|
||||
CarName = "Any Car",
|
||||
CashReward = 10000,
|
||||
EndDate = new DateTime(2026, 3, 2, 1, 33, 39, 587, DateTimeKind.Utc).AddTicks(7946),
|
||||
EndDate = new DateTime(2026, 3, 2, 1, 55, 50, 958, DateTimeKind.Utc).AddTicks(35),
|
||||
GoldReward = 50,
|
||||
Name = "Daily Sprint Challenge",
|
||||
StartDate = new DateTime(2026, 2, 23, 1, 33, 39, 587, DateTimeKind.Utc).AddTicks(7944),
|
||||
StartDate = new DateTime(2026, 2, 23, 1, 55, 50, 958, DateTimeKind.Utc).AddTicks(32),
|
||||
TargetTime = 90.5,
|
||||
TrackName = "Silverstone National"
|
||||
},
|
||||
@@ -835,10 +962,10 @@ namespace RR3CommunityServer.Migrations
|
||||
Active = true,
|
||||
CarName = "Any Car",
|
||||
CashReward = 25000,
|
||||
EndDate = new DateTime(2026, 3, 2, 1, 33, 39, 587, DateTimeKind.Utc).AddTicks(7954),
|
||||
EndDate = new DateTime(2026, 3, 2, 1, 55, 50, 958, DateTimeKind.Utc).AddTicks(43),
|
||||
GoldReward = 100,
|
||||
Name = "Speed Demon Trial",
|
||||
StartDate = new DateTime(2026, 2, 23, 1, 33, 39, 587, DateTimeKind.Utc).AddTicks(7954),
|
||||
StartDate = new DateTime(2026, 2, 23, 1, 55, 50, 958, DateTimeKind.Utc).AddTicks(43),
|
||||
TargetTime = 120.0,
|
||||
TrackName = "Dubai Autodrome"
|
||||
});
|
||||
@@ -873,6 +1000,10 @@ namespace RR3CommunityServer.Migrations
|
||||
|
||||
b.HasKey("Id");
|
||||
|
||||
b.HasIndex("TimeTrialId");
|
||||
|
||||
b.HasIndex("UserId");
|
||||
|
||||
b.ToTable("TimeTrialResults");
|
||||
});
|
||||
|
||||
@@ -1028,6 +1159,44 @@ namespace RR3CommunityServer.Migrations
|
||||
.IsRequired();
|
||||
});
|
||||
|
||||
modelBuilder.Entity("RR3CommunityServer.Data.EventAttempt", b =>
|
||||
{
|
||||
b.HasOne("RR3CommunityServer.Data.Event", "Event")
|
||||
.WithMany()
|
||||
.HasForeignKey("EventId")
|
||||
.OnDelete(DeleteBehavior.Cascade)
|
||||
.IsRequired();
|
||||
|
||||
b.HasOne("RR3CommunityServer.Data.User", "User")
|
||||
.WithMany()
|
||||
.HasForeignKey("UserId")
|
||||
.OnDelete(DeleteBehavior.Cascade)
|
||||
.IsRequired();
|
||||
|
||||
b.Navigation("Event");
|
||||
|
||||
b.Navigation("User");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("RR3CommunityServer.Data.EventCompletion", b =>
|
||||
{
|
||||
b.HasOne("RR3CommunityServer.Data.Event", "Event")
|
||||
.WithMany()
|
||||
.HasForeignKey("EventId")
|
||||
.OnDelete(DeleteBehavior.Cascade)
|
||||
.IsRequired();
|
||||
|
||||
b.HasOne("RR3CommunityServer.Data.User", "User")
|
||||
.WithMany()
|
||||
.HasForeignKey("UserId")
|
||||
.OnDelete(DeleteBehavior.Cascade)
|
||||
.IsRequired();
|
||||
|
||||
b.Navigation("Event");
|
||||
|
||||
b.Navigation("User");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("RR3CommunityServer.Data.OwnedCar", b =>
|
||||
{
|
||||
b.HasOne("RR3CommunityServer.Data.User", null)
|
||||
@@ -1037,6 +1206,25 @@ namespace RR3CommunityServer.Migrations
|
||||
.IsRequired();
|
||||
});
|
||||
|
||||
modelBuilder.Entity("RR3CommunityServer.Data.TimeTrialResult", b =>
|
||||
{
|
||||
b.HasOne("RR3CommunityServer.Data.TimeTrial", "TimeTrial")
|
||||
.WithMany()
|
||||
.HasForeignKey("TimeTrialId")
|
||||
.OnDelete(DeleteBehavior.Cascade)
|
||||
.IsRequired();
|
||||
|
||||
b.HasOne("RR3CommunityServer.Data.User", "User")
|
||||
.WithMany()
|
||||
.HasForeignKey("UserId")
|
||||
.OnDelete(DeleteBehavior.Cascade)
|
||||
.IsRequired();
|
||||
|
||||
b.Navigation("TimeTrial");
|
||||
|
||||
b.Navigation("User");
|
||||
});
|
||||
|
||||
modelBuilder.Entity("RR3CommunityServer.Models.Account", b =>
|
||||
{
|
||||
b.HasOne("RR3CommunityServer.Data.User", "User")
|
||||
|
||||
Reference in New Issue
Block a user