89 lines
2.6 KiB
C#
Raw Normal View History

using MySql.Data.MySqlClient;
using System;
2023-01-27 11:34:31 -08:00
namespace MontoyaTech.MySqlPlus.Example
{
public class Program
{
[MySqlRow("cars")]
public class Car
2023-01-27 11:34:31 -08:00
{
[MySqlColumn(Id = true, Name = "id")]
2023-01-27 11:34:31 -08:00
public ulong Id = 0;
[MySqlColumn("make")]
public string Make = null;
[MySqlColumn("model")]
2023-01-27 11:34:31 -08:00
public string Model = null;
[MySqlColumn("year")]
public uint Year = 0;
[MySqlColumn("dateCreated", typeof(DateTime2UnixConverter))]
public DateTime DateCreated = DateTime.UtcNow;
2023-01-27 11:34:31 -08:00
}
public class DateTime2UnixConverter : MySqlColumnConverter
2023-01-27 11:34:31 -08:00
{
public object ConvertFrom(object input)
{
if (input is ulong unix)
{
if (unix == 0)
return DateTime.MinValue;
return new DateTime(1970, 1, 1, 0, 0, 0, 0, DateTimeKind.Utc).AddSeconds(unix).ToUniversalTime();
}
else
{
throw new NotSupportedException("Unsupported input object to convert from unix.");
}
}
public object ConvertTo(object input)
{
if (input is DateTime dateTime)
{
if (dateTime == DateTime.MinValue)
return 0;
if (dateTime == DateTime.MaxValue)
return ulong.MaxValue;
return (ulong)(dateTime.ToUniversalTime().Subtract(new DateTime(1970, 1, 1, 0, 0, 0, DateTimeKind.Utc))).TotalSeconds;
}
else
{
throw new NotSupportedException("Unsupported input object to convert to unix.");
}
}
2023-01-27 11:34:31 -08:00
}
public static void Main(string[] args)
{
var session = new MySqlSession("");
session.DeleteAll<Car>();
session.Insert(new Car() { Make = "Chevy", Model = "Camaro", Year = 2011 });
session.Insert(new Car() { Make = "GMC", Model = "Sierra", Year = 2000 });
var cars = session.GetAll<Car>();
foreach (var car in cars)
Console.WriteLine($"Make: {car.Make}, Model: {car.Model}, Year: {car.Year}, DateCreated: {car.DateCreated}");
cars[0].Make = "test";
session.Update(cars[0]);
foreach (var car in cars)
session.Delete(car);
Console.WriteLine("Done.");
Console.ReadLine();
2023-01-27 11:34:31 -08:00
}
}
}