Imagine

Member
ServUO Version
Publish 57
Ultima Expansion
Mondain's Legacy
Hi everyone,
I'm setting up a ServUO server on Windows and I need to manually install MySQL instead of using an installer. I'm planning to use it for a web integration to display character data, online players,monster kill statistics,and more...
I've tried looking up some guides, but most of them focus on using the installer. I want to do a manual installation (downloading the ZIP archive, setting up the service, and configuring everything myself).
Could someone guide me through the process or point me to a reliable step-by-step tutorial?
Any help would be greatly appreciated! Thanks in advance.
(Tryed without results,i read about System.Linq too,created a small table using C# and works,but i need MySQL to get a real database to load some specific infos from a table i will create when the service get installed.)
When tryed to install it with this custom script loader:


C#:
using System;
using System.IO;
using System.Reflection;

public class MySQLLoader
{
    public static void Initialize()
    {
        string dllPath = Path.Combine(Core.BaseDirectory, "References/MySql.Data.dll");

        if (File.Exists(dllPath))
        {
            Assembly.LoadFrom(dllPath);
            Console.WriteLine("MySQL Connector Loaded Successfully.");
        }
        else
        {
            Console.WriteLine("ERROR: MySql.Data.dll not found in References folder.");
        }
    }
}

C#:
using System;
using MySql.Data.MySqlClient; // This should now work

public class SQL
{
    private static string connectionString = "Server=127.0.0.1;Database=servuo_db;User ID=servuo_user;Password=yourpassword;";

    public static MySqlConnection GetConnection()
    {
        MySqlConnection connection = new MySqlConnection(connectionString);
        try
        {
            connection.Open();
            Console.WriteLine("Connected to MySQL Database!");
        }
        catch (Exception ex)
        {
            Console.WriteLine("MySQL Connection Error: " + ex.Message);
        }
        return connection;
    }
}
The test script im using to see if connection is stablished is saying the sql dll is not foun,so missig references.
 
Last edited:
This guide uses Microsoft SQL Server (MSSQL) due to its compatibility with C# and ServUO’s .NET framework, but the concepts can be adapted to other SQL databases like MySQL if preferred.

Step 1: Set Up the SQL Database

1.1 Install SQL Server

  • Download and install SQL Server Express, a free version suitable for development.
  • During installation, select the "Basic" or "Custom" option and ensure the SQL Server instance is running after setup.

1.2 Install SQL Server Management Studio (SSMS)

  • Download and install SSMS to manage your database easily.
  • This tool provides a graphical interface to create and modify your database.

1.3 Create a New Database

  • Open SSMS and connect to your SQL Server instance (e.g., localhost or your server name).
  • Right-click on "Databases" in the Object Explorer, then select "New Database."
  • Name your database (e.g., ServUODB) and click "OK."

1.4 Design the Database Schema

  • Create tables to store player and monster stats. Below is a basic example:
    Example:
    -- Players TableCREATE TABLE Players (    PlayerID INT PRIMARY KEY IDENTITY(1,1),    Name NVARCHAR(50),    Health INT,    Mana INT,    Strength INT,    Dexterity INT,    Intelligence INT,    Experience INT,    Level INT);-- Monsters TableCREATE TABLE Monsters (    MonsterID INT PRIMARY KEY IDENTITY(1,1),    Type NVARCHAR(50),    Health INT,    Damage INT,    Armor INT,    ExperienceReward INT);

  • Notes:
    • IDENTITY(1,1) auto-increments the ID for each new entry.
    • Adjust column types and add more fields based on your game’s needs (e.g., player gold, monster spawn location).

1.5 Optimize the Database

  • Add indexes to improve query performance (e.g., on PlayerID or Name if frequently searched).
  • Use constraints like UNIQUE on Name to prevent duplicate player names if desired.

Step 2: Connect ServUO to the SQL Database

2.1 Add a Database Connection

  • In your ServUO project, use the System.Data.SqlClient namespace (included in .NET) to connect to MSSQL.
  • Define a connection string in your code (e.g., in a config file or a static class):
    Example:
    string connectionString = "Server=localhost;Database=ServUODB;Integrated Security=True;";

  • If using a specific SQL login, update the string:
    Example:
    string connectionString = "Server=localhost;Database=ServUODB;User Id=yourUser;Password=yourPassword;";

2.2 Implement Database Interaction Methods

  • Add methods to manage data in the database. Here are examples:
    • Insert a New Player:
      Example:
      public void AddPlayer(string name, int health, int mana, int strength, int dexterity, int intelligence, int experience, int level){    using (SqlConnection connection = new SqlConnection(connectionString))    {        connection.Open();        string query = "INSERT INTO Players (Name, Health, Mana, Strength, Dexterity, Intelligence, Experience, Level) " +                       "VALUES (@Name, @Health, @Mana, @Strength, @Dexterity, @Intelligence, @Experience, @Level)";        using (SqlCommand command = new SqlCommand(query, connection))        {            command.Parameters.AddWithValue("@Name", name);            command.Parameters.AddWithValue("@Health", health);            command.Parameters.AddWithValue("@Mana", mana);            command.Parameters.AddWithValue("@Strength", strength);            command.Parameters.AddWithValue("@Dexterity", dexterity);            command.Parameters.AddWithValue("@Intelligence", intelligence);            command.Parameters.AddWithValue("@Experience", experience);            command.Parameters.AddWithValue("@Level", level);            command.ExecuteNonQuery();        }    }}

    • Update Player Stats:
      Example:
      public void UpdatePlayer(int playerID, int health, int mana, int strength, int dexterity, int intelligence, int experience, int level){    using (SqlConnection connection = new SqlConnection(connectionString))    {        connection.Open();        string query = "UPDATE Players SET Health = @Health, Mana = @Mana, Strength = @Strength, Dexterity = @Dexterity, " +                       "Intelligence = @Intelligence, Experience = @Experience, Level = @Level WHERE PlayerID = @PlayerID";        using (SqlCommand command = new SqlCommand(query, connection))        {            command.Parameters.AddWithValue("@PlayerID", playerID);            command.Parameters.AddWithValue("@Health", health);            command.Parameters.AddWithValue("@Mana", mana);            command.Parameters.AddWithValue("@Strength", strength);            command.Parameters.AddWithValue("@Dexterity", dexterity);            command.Parameters.AddWithValue("@Intelligence", intelligence);            command.Parameters.AddWithValue("@Experience", experience);            command.Parameters.AddWithValue("@Level", level);            command.ExecuteNonQuery();        }    }}
  • Create similar methods for monsters (e.g., AddMonster, UpdateMonster).

2.3 Integrate with ServUO Events

  • Hook into ServUO’s event system to call these methods when relevant events occur:
    • Player Creation: Call AddPlayer when a new player is created (e.g., in the Mobile class or a custom script).
    • Stat Changes: Call UpdatePlayer when stats change (e.g., leveling up, taking damage).
    • Monster Events: Update the Monsters table when monsters spawn or are killed.

Step 3: Update the Database in Real-Time

3.1 Identify Key Events

  • Decide which events should trigger database updates (e.g., player leveling, monster deaths).

3.2 Implement Event Handlers

  • Override methods or use event subscriptions in ServUO:
    • Example: Update player stats on level-up:
      Example:
      public override void OnLevelUp(Mobile from){    base.OnLevelUp(from);    PlayerMobile pm = from as PlayerMobile;    if (pm != null)    {        UpdatePlayer(pm.Serial.Value, pm.Hits, pm.Mana, pm.Str, pm.Dex, pm.Int, pm.Experience, pm.Level);    }}
  • Use timers for periodic saves if real-time updates are too frequent:
    Example:
    Timer.DelayCall(TimeSpan.FromMinutes(5), () => SaveAllPlayerStats());

3.3 Optimize Performance

  • Avoid excessive database calls in performance-critical areas (e.g., every frame).
  • Use asynchronous methods (async/await) if needed:
    Example:
    public async Task UpdatePlayerAsync(int playerID, int health, int mana, int strength, int dexterity, int intelligence, int experience, int level){    using (SqlConnection connection = new SqlConnection(connectionString))    {        await connection.OpenAsync();        string query = "UPDATE Players SET Health = @Health, Mana = @Mana, Strength = @Strength, Dexterity = @Dexterity, " +                       "Intelligence = @Intelligence, Experience = @Experience, Level = @Level WHERE PlayerID = @PlayerID";        using (SqlCommand command = new SqlCommand(query, connection))        {            command.Parameters.AddWithValue("@PlayerID", playerID);            command.Parameters.AddWithValue("@Health", health);            // Add other parameters...            await command.ExecuteNonQueryAsync();        }    }}

Step 4: Create a Website to Display the Stats

4.1 Set Up a Web Application

  • Use ASP.NET (e.g., Web Forms or MVC) for compatibility with C#:
    • Create a new ASP.NET project in Visual Studio.
  • Alternatively, use another framework (e.g., PHP, Laravel) if you’re comfortable with it.

4.2 Connect the Website to the Database

  • Use the same connection string as ServUO:
    Example:
    string connectionString = "Server=localhost;Database=ServUODB;Integrated Security=True;";

  • Retrieve data with a method like:
    Example:
    public DataTable GetPlayerStats(){    using (SqlConnection connection = new SqlConnection(connectionString))    {        connection.Open();        string query = "SELECT * FROM Players";        using (SqlDataAdapter adapter = new SqlDataAdapter(query, connection))        {            DataTable dataTable = new DataTable();            adapter.Fill(dataTable);            return dataTable;        }    }}

4.3 Design the Frontend

  • Create a page to display stats:
    • Example (ASP.NET Web Forms):
      ASP.net:
      <asp:GridView ID="PlayerGrid" runat="server" AutoGenerateColumns="true"></asp:GridView>

      C#:
      protected void Page_Load(object sender, EventArgs e){    if (!IsPostBack)    {        PlayerGrid.DataSource = GetPlayerStats();        PlayerGrid.DataBind();    }}
  • Enhance with charts or styling using CSS/JavaScript libraries (e.g., Chart.js).

4.4 Optional Real-Time Updates

  • Use SignalR for live updates or AJAX for periodic refreshes:
    • Example (AJAX):
      JavaScript:
      setInterval(() => {    fetch('/GetPlayerStats').then(response => response.json()).then(data => {        // Update the page with new data    });}, 5000); // Refresh every 5 seconds

Step 5: Implement Security Measures

5.1 Secure the Database

  • Avoid hardcoding credentials in the connection string; use configuration files or environment variables.
  • Use SQL Server authentication with a strong password if not using Integrated Security.

5.2 Protect the Website

  • Enable HTTPS to encrypt data between the server and users.
  • Use parameterized queries (as shown above) to prevent SQL injection.
  • Add user authentication if parts of the site are private (e.g., with ASP.NET Identity).

5.3 Limit Direct Access

  • Don’t expose the database directly to the website’s frontend. Use an API or service layer to mediate requests.

Step 6: Test the Integration

6.1 Test Database Interactions

  • Create players and monsters in-game and verify they appear in the database.
  • Update stats and check if the changes reflect accurately.

6.2 Test the Website

  • Load the website and ensure it displays the latest data.
  • Verify consistency between game actions and website display.

6.3 Monitor Performance

  • Check for lag during database updates.
  • Optimize queries or add caching (e.g., in-memory caching in ASP.NET) if performance suffers.
 

Active Shards

Donations

Total amount
$0.00
Goal
$500.00
Back