using System;
using System.Collections.Generic;
using System.Data;
using System.IO;
using System.Linq;
using System.Text;
using Microsoft.Data.Sqlite;
using ChanSort.Api;
namespace ChanSort.Loader.Samsung.Zip
{
///
/// Loader for Samsung .zip files starting with model J in 2015 (and still valid as of 2022 for current models)
///
/// The .zip file contains various SQLite database files without file extensions.
///
/// In theory SQLite is neutral to bit-ness (32/64) and endian-ness (MSB/LSB first) and should handle strings without issues.
/// SQLite also has a dynamic type system, allowing individual row values to have a different type than the column's default.
/// All observed Samsung databases are set to encoding "UTF-16le".
///
/// Samsung somehow manages to store strings in columns/cells with data type TEXT in reversed UTF16 byte-order (as BE instead LE).
/// Reading such a TEXT column returns an object of type "string" looking Chinese due to the swapped high/low-order bytes
/// One solution is to explicitly cast the column to BLOB in the query and manually decode it as UTF16BE. (Always works)
/// Another approach is to encode the string to a byte[] and decode it again as UTF16BE. (This doesn't work for format 1242)
///
/// While it's easy to ready strings by casting them to BLOBs, there is a severe catch writing strings to the database.
/// Saving a byte[] as BLOB changes the value's data type in the database to BLOB and the TV receives byte[] instead of string - booom!
/// Saving a byte[] as TEXT leads to automatic conversion in the Sqlite library, decoding it as UTF16LE and writing it in LE byte-order - booom!
/// The hack is to pass a "Chinese"-ified string to the DB, manually swapping byte order through chained LE-encode + BE-decode
/// That does NOT work for format 1242 though.
///
/// Up until Microsoft.Data.Sqlite version 5.0.8 with SQLitePCLRaw 2.0.4 a workaround was to pass the SQL parameter as BLOB
/// with the expected byte order and cast the value to TEXT in the SQL update statement.
/// With Microsoft.Data.Sqlite version 7.0.0 and SQLitePCLRaw 2.1.2 this no longer work and the TEXT value ends up in the
/// database column as a readable UTF16-LE string instead of the expected reversed UTF16-BE.
///
/// Format "1242"
///
/// To make things even more complicated, there is file format version _1242, which stores channel names not as UTF16, but
/// instead as a raw byte sequence that encodes 16 UTF16BE bits in 3 byte UTF8 sequences, which also looks "Chinese".
/// In this format it is not possible to query the string as TEXT and then later re-encode/decode in code, because the
/// DB library already corrupts the raw data in the returned string with invalid-utf16-characters at the end (0xFD, 0xFF).
/// This format can only be read properly by casting the TEXT column to BLOB in the query.
/// There is NO WAY with Microsoft.Data.Sqlite 7.0.0 to store an arbitrary byte sequence and keep its data type TEXT.
/// Therefore changing channel names is disabled for this format and no updates are made to string values.
///
internal class DbSerializer : SerializerBase
{
private readonly Dictionary channelById = new();
private readonly Dictionary dbPathByChannelList = new();
private readonly List tableNames = new();
private Encoding encoding;
private enum FileType { Unknown, SatDb, ChannelDbDvb, ChannelDbAnalog, ChannelDbIp }
#region ctor()
public DbSerializer(string inputFile) : base(inputFile)
{
this.Features.ChannelNameEdit = ChannelNameEditMode.All;
this.Features.DeleteMode = DeleteMode.Physically;
this.Features.CanSkipChannels = true;
this.Features.CanLockChannels = true;
this.Features.CanHideChannels = true;
this.Features.FavoritesMode = FavoritesMode.OrderedPerSource;
this.Features.MaxFavoriteLists = 5;
this.Features.AllowGapsInFavNumbers = true;
}
#endregion
#region Load()
public override void Load()
{
this.UnzipFileToTempFolder();
if (File.Exists(this.TempPath + "\\sat"))
{
try
{
using var conn = new SqliteConnection($"Data Source=\"{this.TempPath + "\\sat"}\";Pooling=False");
conn.Open();
this.ReadSatDatabase(conn);
}
catch
{
// not all files in the folder are SQLite databases
}
}
var files = Directory.GetFiles(this.TempPath, "*.");
if (files.Length == 0)
throw LoaderException.TryNext("The Samsung .zip channel list archive does not contain any supported files.");
foreach (var filePath in files)
{
var filename = Path.GetFileName(filePath) ?? "";
if (filename.StartsWith("vconf_") || filename.EndsWith("-shm"))
continue;
FileType type;
try
{
using var conn = new SqliteConnection($"Data Source=\"{filePath}\";Pooling=False");
conn.Open();
using (var cmd = conn.CreateCommand())
{
this.RepairCorruptedDatabaseImage(cmd);
type = this.DetectFileType(cmd);
}
switch (type)
{
case FileType.SatDb:
break;
case FileType.ChannelDbAnalog:
case FileType.ChannelDbDvb:
case FileType.ChannelDbIp:
ReadChannelDatabase(conn, filePath, type);
break;
}
}
catch
{
// ignore non-SQLite files in the folder
}
}
}
#endregion
#region RepairCorruptedDatabaseImage()
private void RepairCorruptedDatabaseImage(IDbCommand cmd)
{
cmd.CommandText = "REINDEX";
cmd.ExecuteNonQuery();
}
#endregion
#region DetectFileType()
private FileType DetectFileType(IDbCommand cmd)
{
this.tableNames.Clear();
cmd.CommandText = "select name from sqlite_master where type='table'";
using var r = cmd.ExecuteReader();
while (r.Read())
this.tableNames.Add(r.GetString(0).ToUpperInvariant());
if (tableNames.Contains("SAT") && tableNames.Contains("SAT_TP"))
return FileType.SatDb;
if (tableNames.Contains("CHNL") && tableNames.Contains("SRV") && tableNames.Contains("SRV_DVB"))
return FileType.ChannelDbDvb;
if (tableNames.Contains("CHNL") && tableNames.Contains("SRV") && tableNames.Contains("SRV_ANL"))
return FileType.ChannelDbAnalog;
if (tableNames.Contains("CHNL") && tableNames.Contains("SRV") && tableNames.Contains("SRV_IP"))
return FileType.ChannelDbIp;
return FileType.Unknown;
}
#endregion
#region ReadSatDatabase()
private void ReadSatDatabase(SqliteConnection conn)
{
using var cmd = conn.CreateCommand();
this.RepairCorruptedDatabaseImage(cmd);
this.ReadSatellites(cmd);
this.ReadTransponders(cmd);
}
#endregion
#region ReadSatellites()
private void ReadSatellites(IDbCommand cmd)
{
cmd.CommandText = "select distinct satId, cast(satName as blob), satPos, satDir from SAT";
using var r = cmd.ExecuteReader();
while (r.Read())
{
Satellite sat = new Satellite(r.GetInt32(0));
int pos = Math.Abs(r.GetInt32(2));
// 171027 - ohuseyinoglu: For user-defined satellites, the direction may be -1
// (and not just 1 for "E", 0 for "W")
int dir = r.GetInt32(3);
sat.OrbitalPosition = $"{pos / 10}.{pos % 10}{(dir == 1 ? "E" : dir == 0 ? "W" : "")}";
sat.Name = ReadUtf16(r, 1);
this.DataRoot.AddSatellite(sat);
}
}
#endregion
#region ReadTransponders()
private void ReadTransponders(IDbCommand cmd)
{
cmd.CommandText = "select satId, tpFreq, tpPol, tpSr, tpId from SAT_TP";
using var r = cmd.ExecuteReader();
while (r.Read())
{
// 171027 - ohuseyinoglu: tpId is the primary key of this table, we should be able to use it as "id/dict. index"
// It will also be our lookup value for the CHNL table
int id = r.GetInt32(4);
Transponder tp = new Transponder(id);
tp.FrequencyInMhz = (decimal)r.GetInt32(1) / 1000;
tp.Number = id;
tp.Polarity = r.GetInt32(2) == 0 ? 'H' : 'V';
tp.Satellite = this.DataRoot.Satellites.TryGet(r.GetInt32(0));
tp.SymbolRate = r.GetInt32(3);
this.DataRoot.AddTransponder(tp.Satellite, tp);
}
}
#endregion
#region ReadChannelDatabase()
private void ReadChannelDatabase(SqliteConnection conn, string dbPath, FileType fileType)
{
this.channelById.Clear();
using var cmd = conn.CreateCommand();
var providers = fileType == FileType.ChannelDbDvb ? this.ReadProviders(cmd) : null;
var channelList = this.ReadChannels(cmd, dbPath, providers, fileType);
this.ReadFavorites(cmd);
this.dbPathByChannelList.Add(channelList, dbPath);
}
#endregion
#region ReadProviders()
private Dictionary ReadProviders(IDbCommand cmd)
{
var dict = new Dictionary();
try
{
cmd.CommandText = "select provId, cast(provName as blob) from PROV";
var prevEncoding = this.encoding;
this.encoding = Encoding.BigEndianUnicode; // while Sat and Service names might be utf16 binary data inside an utf8 envelope, the providers are always plain utf16
using (var r = cmd.ExecuteReader())
{
while (r.Read())
dict.Add(r.GetInt64(0), ReadUtf16(r, 1));
}
this.encoding = prevEncoding;
}
catch
{
}
return dict;
}
#endregion
#region ReadChannels()
private ChannelList ReadChannels(IDbCommand cmd, string dbPath, Dictionary providers, FileType fileType)
{
var signalSource = DetectSignalSource(cmd, fileType);
string name = Path.GetFileName(dbPath);
ChannelList channelList = this.CreateChannelList(signalSource, name);
string table = fileType == FileType.ChannelDbDvb ? "SRV_DVB" : fileType == FileType.ChannelDbAnalog ? "SRV_ANL" : "SRV_IP";
List fieldNames = new List {
"chType", "chNum", "freq", // CHNL
"SRV.srvId", "major", "progNum", "cast(srvName as blob) srvName", "srvType", "hidden", "scrambled", "lockMode", "numSel", "elim" // SRV
};
if (fileType == FileType.ChannelDbDvb)
fieldNames.AddRange(new[] {"onid", "tsid", "vidPid", "provId", "cast(shrtSrvName as blob) shrtSrvName", "lcn"}); // SRV_DVB
if (fileType == FileType.ChannelDbIp)
fieldNames.AddRange(new [] {"cast(jsonMeta as blob) jsonMeta"});
var sql = this.BuildQuery(table, fieldNames);
var fields = this.GetFieldMap(fieldNames);
cmd.CommandText = sql;
using (var r = cmd.ExecuteReader())
{
int prevNr = 0;
while (r.Read())
{
if (r.GetInt32(fields["elim"]) != 0)
continue;
// 171027 - ohuseyinoglu: With our change in transponder indexing, we can directly look it up by "chNum" now!
var tp = this.DataRoot.Transponder.TryGet(r.GetInt32(1));
// ... and get the satellite from that transponder - if set
// Note that we can have channels from multiple satellites in the same list, so this is a loop variable now
var sat = tp?.Satellite;
var channel = new DbChannel(r, fields, this, providers, sat, tp);
if (channel.OldProgramNr == prevNr) // when there is a SRV_EXT_APP table in the database, the service with the highest ext_app "recState" takes priority
continue;
this.DataRoot.AddChannel(channelList, channel);
this.channelById.Add(channel.RecordIndex, channel);
prevNr = channel.OldProgramNr;
}
}
this.DataRoot.AddChannelList(channelList);
return channelList;
}
#endregion
#region CreateChannelList()
private ChannelList CreateChannelList(SignalSource signalSource, string name)
{
var list = new ChannelList(signalSource, name);
if ((list.SignalSource & SignalSource.Ip) != 0)
{
list.VisibleColumnFieldNames = new List
{
"OldPosition", "Position", "PrNr", "Name", "Favorites", "SymbolRate", "+JsonDefaultUrl", "+JsonLogoUrl"
};
}
return list;
}
#endregion
#region DetectSignalSource()
private static SignalSource DetectSignalSource(IDbCommand cmd, FileType fileType)
{
if (fileType == FileType.ChannelDbIp)
return SignalSource.Ip;
var signalSource = fileType == FileType.ChannelDbAnalog ? SignalSource.Analog : SignalSource.Dvb;
cmd.CommandText = "select distinct chType from CHNL";
using var r = cmd.ExecuteReader();
if (r.Read())
{
var ss = ChTypeToSignalSource(r.GetInt32(0));
if (ss != 0)
signalSource = ss;
}
return signalSource;
}
#endregion
#region ChTypeToSignalSource()
internal static SignalSource ChTypeToSignalSource(int chType)
{
switch (chType)
{
case 1: return SignalSource.AnalogT;
case 2: return SignalSource.DvbT;
case 3: return SignalSource.AnalogC;
case 4: return SignalSource.DvbC;
case 7: return SignalSource.DvbS;
default: return 0;
}
}
#endregion
#region BuildQuery()
private string BuildQuery(string table, IList fieldNames)
{
string sql = "select ";
for (int i = 0; i < fieldNames.Count; i++)
{
if (i > 0)
sql += ",";
sql += fieldNames[i];
}
sql += " from " + table + " inner join SRV on SRV.srvId="+table+".srvId inner join CHNL on CHNL.chId=SRV.chId";
if (this.tableNames.Contains("SRV_EXT_APP")) // in format 1352.0 there are duplicate "major" values in SRV and this recState seems to be the only difference
sql += " left outer join SRV_EXT_APP on SRV_EXT_APP.srvId=SRV.srvId order by SRV.major, ifnull(SRV_EXT_APP.recState,0) desc";
return sql;
}
#endregion
#region GetFieldMap()
private IDictionary GetFieldMap(IList fieldNames)
{
Dictionary field = new Dictionary();
for (int i = 0; i < fieldNames.Count; i++)
{
var idx = fieldNames[i].LastIndexOf(' ') + 1;
field[fieldNames[i].Substring(idx)] = i;
}
return field;
}
#endregion
#region ReadFavorites()
private void ReadFavorites(IDbCommand cmd)
{
cmd.CommandText = "select srvId, fav, pos from SRV_FAV";
var r = cmd.ExecuteReader();
int favPosAdjust = tableNames.Contains("SRV_EXT_APP") ? 0 : 1;
while (r.Read())
{
var channel = this.channelById.TryGet(r.GetInt64(0));
if (channel == null)
continue;
int fav = r.GetInt32(1) - 1; // fav values start with 1 in the table
int pos = r.GetInt32(2) + favPosAdjust; // pos values start with 0 or 1
if (pos >= 0)
{
channel.Favorites |= (Favorites) (1 << fav);
channel.SetOldPosition(fav+1, pos);
}
}
}
#endregion
#region ReadUtf16()
internal string ReadUtf16(IDataReader r, int fieldIndex)
{
if (r.IsDBNull(fieldIndex))
return null;
byte[] nameBytes = new byte[1000];
// Microsoft.Data.SqlDataReader (and the underlying native DLLs) are throwing a memory access violation when using r.GetBytes(...)
//int nameLen = (int)r.GetBytes(fieldIndex, 0, nameBytes, 0, nameBytes.Length);
int nameLen = 0;
var obj = r.GetValue(fieldIndex);
if (obj is byte[] buffer) // DB returned a BLOB in correct byte order
{
nameBytes = buffer;
nameLen = buffer.Length;
}
else if (obj is string str)
{
// SQLite library decoded the stored utf16be as utf16le, making everything look Chinese due to reversed byte order
// a 1242 format file with utf16be-inside-utf8-envelope encoding can also be decoded this way, but depending on the string length, the last 1-3 characters may be garbled
nameBytes = Encoding.Unicode.GetBytes(str);
nameLen = nameBytes.Length;
}
this.encoding ??= AutoDetectUtf16Encoding(nameBytes, nameLen);
if (this.encoding == null)
return string.Empty;
return encoding.GetString(nameBytes, 0, nameLen).Replace("\0", ""); // remove trailing \0 characters found in Samsung "_T_..." channel list
}
#endregion
#region AutoDetectUtf16Endian()
private Encoding AutoDetectUtf16Encoding(byte[] nameBytes, int nameLen)
{
//return Encoding.BigEndianUnicode;
int evenBytesZero = 0;
int oddBytesZero = 0;
int bytesAbove128 = 0;
for (int i = 0; i < nameLen; i += 2)
{
if (nameBytes[i] == 0)
++evenBytesZero;
if (nameBytes[i] >= 128)
++bytesAbove128;
if (nameBytes[i + 1] == 0)
++oddBytesZero;
if (nameBytes[i + 1] >= 128)
++bytesAbove128;
}
if (evenBytesZero + oddBytesZero == nameLen)
return null;
// in case of the 1242 format with 16 bits UTF16BE encoded inside 3-byte UTF8 sequences, every raw data byte has a value > 128
if (bytesAbove128 + 1 >= nameLen)
{
this.Features.ChannelNameEdit = ChannelNameEditMode.None; // impossible to write the arbitrary byte sequence needed and at the same time maintain data type TEXT
return new Utf16InsideUtf8EnvelopeEncoding();
}
// so far only UTF16BE has been seen across all sample files
return evenBytesZero >= oddBytesZero ? Encoding.BigEndianUnicode : Encoding.Unicode;
}
#endregion
#region DefaultEncoding
public override Encoding DefaultEncoding
{
get => base.DefaultEncoding;
set
{
if (!(value is UnicodeEncoding))
return;
var oldEncoding = base.DefaultEncoding;
if (oldEncoding != null)
{
// change encoding of channel names
foreach (var list in this.DataRoot.ChannelLists)
{
foreach (var chan in list.Channels)
{
byte[] bytes;
if (chan.Name != null)
{
bytes = oldEncoding.GetBytes(chan.Name);
chan.Name = value.GetString(bytes);
}
if (chan.ShortName != null)
{
bytes = oldEncoding.GetBytes(chan.ShortName);
chan.ShortName = value.GetString(bytes);
}
}
}
}
base.DefaultEncoding = value;
}
}
#endregion
#region EncodingInfo
///
/// The actually used encoding to decypher utf-8, utf16-le, utf16-be and utf16-inside-utf8-envelope
///
internal string EncodingInfo =>
this.encoding == Encoding.BigEndianUnicode ? "uc16be" :
this.encoding == Encoding.Unicode ? "uc16le" :
this.encoding is Utf16InsideUtf8EnvelopeEncoding ? "16in8" :
this.encoding.GetType().Name;
#endregion
#region Save()
public override void Save()
{
foreach (var channelList in this.DataRoot.ChannelLists)
{
var dbPath = this.dbPathByChannelList[channelList];
SaveChannelList(channelList, dbPath);
}
this.ZipToOutputFile();
}
#endregion
#region SaveChannelList()
private void SaveChannelList(ChannelList channelList, string dbPath)
{
using var conn = new SqliteConnection($"Data Source=\"{dbPath}\";Pooling=False");
conn.Open();
using (var trans = conn.BeginTransaction())
{
using var cmdUpdateSrv = PrepareUpdateCommand(conn);
using var cmdDeleteSrv = PrepareDeleteCommand(conn, (channelList.SignalSource & SignalSource.Dvb) != 0);
using var cmdInsertFav = PrepareInsertFavCommand(conn);
using var cmdUpdateFav = PrepareUpdateFavCommand(conn);
using var cmdDeleteFav = PrepareDeleteFavCommand(conn);
using var cmdUpdateIp = (channelList.SignalSource & SignalSource.Ip) != 0 ? PrepareUpdateIpCommand(conn) : null;
Editor.SequentializeFavPos(channelList, 5);
this.WriteChannels(cmdUpdateSrv, cmdDeleteSrv, cmdInsertFav, cmdUpdateFav, cmdDeleteFav, cmdUpdateIp, channelList);
trans.Commit();
}
using var cmd = conn.CreateCommand();
this.RepairCorruptedDatabaseImage(cmd);
}
#endregion
#region Prepare*Command()
private SqliteCommand PrepareUpdateCommand(SqliteConnection conn)
{
var canUpdateNames = this.Features.ChannelNameEdit != ChannelNameEditMode.None;
var cmd = conn.CreateCommand();
var updateSrvName = canUpdateNames ? ", srvName=@srvname" : "";
cmd.CommandText = "update SRV set major=@nr, lockMode=@lock, hideGuide=@hidden, hidden=@hidden, numSel=@numsel" + updateSrvName + " where srvId=@id";
cmd.Parameters.Add("@id", SqliteType.Integer);
cmd.Parameters.Add("@nr", SqliteType.Integer);
cmd.Parameters.Add("@lock", SqliteType.Integer);
cmd.Parameters.Add("@hidden", SqliteType.Integer);
cmd.Parameters.Add("@numsel", SqliteType.Integer);
if (canUpdateNames)
cmd.Parameters.Add("@srvname", SqliteType.Text);
cmd.Prepare();
return cmd;
}
private SqliteCommand PrepareUpdateIpCommand(SqliteConnection conn)
{
var cmd = conn.CreateCommand();
cmd.CommandText = "update SRV_IP set jsonMeta=@jsonMeta where srvId=@id";
cmd.Parameters.Add("@id", SqliteType.Integer);
cmd.Parameters.Add("@jsonMeta", SqliteType.Blob);
cmd.Prepare();
return cmd;
}
private SqliteCommand PrepareDeleteCommand(SqliteConnection conn, bool digital)
{
var cmd = conn.CreateCommand();
var sql = new StringBuilder();
cmd.CommandText = "select name from sqlite_master where sql like '%srvId integer%' order by name desc";
using (var r = cmd.ExecuteReader())
{
while (r.Read())
sql.AppendLine($"; delete from {r.GetString(0)} where srvId=@id");
}
cmd.CommandText = sql.ToString();
cmd.Parameters.Add("@id", SqliteType.Integer);
cmd.Prepare();
return cmd;
}
private SqliteCommand PrepareInsertFavCommand(SqliteConnection conn)
{
var cmd = conn.CreateCommand();
cmd.CommandText = "insert into SRV_FAV (srvId, fav, pos) values (@id, @fav, @pos)";
cmd.Parameters.Add("@id", SqliteType.Integer);
cmd.Parameters.Add("@fav", SqliteType.Integer);
cmd.Parameters.Add("@pos", SqliteType.Integer);
cmd.Prepare();
return cmd;
}
private SqliteCommand PrepareUpdateFavCommand(SqliteConnection conn)
{
var cmd = conn.CreateCommand();
cmd.CommandText = "update SRV_FAV set pos=@pos where srvId=@id and fav=@fav";
cmd.Parameters.Add("@id", SqliteType.Integer);
cmd.Parameters.Add("@fav", SqliteType.Integer);
cmd.Parameters.Add("@pos", SqliteType.Integer);
cmd.Prepare();
return cmd;
}
private SqliteCommand PrepareDeleteFavCommand(SqliteConnection conn)
{
var cmd = conn.CreateCommand();
cmd.CommandText = "delete from SRV_FAV where srvId=@id and fav=@fav";
cmd.Parameters.Add("@id", SqliteType.Integer);
cmd.Parameters.Add("@fav", SqliteType.Integer);
cmd.Prepare();
return cmd;
}
#endregion
#region WriteChannels()
private void WriteChannels(SqliteCommand cmdUpdateSrv, SqliteCommand cmdDeleteSrv, SqliteCommand cmdInsertFav, SqliteCommand cmdUpdateFav, SqliteCommand cmdDeleteFav, SqliteCommand cmdUpdateIp,
ChannelList channelList, bool analog = false)
{
bool canUpdateNames = this.Features.ChannelNameEdit != ChannelNameEditMode.None;
foreach (ChannelInfo channelInfo in channelList.Channels.ToList())
{
var channel = channelInfo as DbChannel;
if (channel == null) // ignore reference list proxy channels
continue;
if (channel.IsDeleted)
{
// delete channel from all tables that have a reference to srvId
cmdDeleteSrv.Parameters["@id"].Value = channel.RecordIndex;
cmdDeleteSrv.ExecuteNonQuery();
channelList.Channels.Remove(channelInfo);
continue;
}
// update channel record
cmdUpdateSrv.Parameters["@id"].Value = channel.RecordIndex;
cmdUpdateSrv.Parameters["@nr"].Value = channel.NewProgramNr;
cmdUpdateSrv.Parameters["@lock"].Value = channel.Lock;
cmdUpdateSrv.Parameters["@hidden"].Value = channel.Hidden;
cmdUpdateSrv.Parameters["@numsel"].Value = !channel.Skip;
if (canUpdateNames)
cmdUpdateSrv.Parameters["@srvname"].Value = channel.Name == null ? (object)DBNull.Value : encoding.GetString(Encoding.Unicode.GetBytes(channel.Name)); // convert string => UTF16LE => string with flipped byte order (looking "Chinese")
cmdUpdateSrv.ExecuteNonQuery();
if (cmdUpdateIp != null && channel.JsonModified)
{
cmdUpdateIp.Parameters["@id"].Value = channel.RecordIndex;
cmdUpdateIp.Parameters["@jsonMeta"].Value = channel.GetRawJson();
cmdUpdateIp.ExecuteNonQuery();
}
// update favorites
for (int i=0, mask=1; i<5; i++, mask <<= 1)
{
int oldPos = channel.GetOldPosition(1+i);
int newPos = ((int)channel.Favorites & mask) != 0 ? channel.GetPosition(1+i) : -1;
if (newPos >= 0)
{
var c = oldPos < 0 ? cmdInsertFav : cmdUpdateFav;
c.Parameters["@id"].Value = channel.RecordIndex;
c.Parameters["@fav"].Value = i + 1;
c.Parameters["@pos"].Value = newPos - 1;
c.ExecuteNonQuery();
}
else
{
cmdDeleteFav.Parameters["@id"].Value = channel.RecordIndex;
cmdDeleteFav.Parameters["@fav"].Value = i + 1;
cmdDeleteFav.ExecuteNonQuery();
}
channel.SetPosition(i+1, newPos);
}
}
}
#endregion
}
}