TLSharp/TLSharp.Core/TelegramClient.cs

547 lines
22 KiB
C#
Raw Normal View History

using System;
using System.Collections.Generic;
2015-09-28 04:01:17 +02:00
using System.Linq;
2016-11-16 14:31:00 +01:00
using System.Security.Cryptography;
using System.Text;
using System.Threading;
2015-09-28 04:01:17 +02:00
using System.Threading.Tasks;
2016-09-24 15:38:26 +02:00
using TeleSharp.TL;
2016-10-29 10:47:18 +02:00
using TeleSharp.TL.Account;
2016-09-24 15:38:26 +02:00
using TeleSharp.TL.Auth;
2016-10-11 15:28:57 +02:00
using TeleSharp.TL.Contacts;
2016-10-11 15:32:38 +02:00
using TeleSharp.TL.Help;
2016-10-11 15:28:57 +02:00
using TeleSharp.TL.Messages;
2016-10-23 12:29:18 +02:00
using TeleSharp.TL.Upload;
2016-10-11 15:32:38 +02:00
using TLSharp.Core.Auth;
using TLSharp.Core.Exceptions;
2016-10-11 15:32:38 +02:00
using TLSharp.Core.MTProto.Crypto;
using TLSharp.Core.Network;
2020-04-26 18:29:26 +02:00
using TLSharp.Core.Network.Exceptions;
using TLSharp.Core.Utils;
2016-10-29 10:47:18 +02:00
using TLAuthorization = TeleSharp.TL.Auth.TLAuthorization;
2015-09-28 04:01:17 +02:00
namespace TLSharp.Core
{
2016-12-15 21:02:23 +01:00
public class TelegramClient : IDisposable
2016-04-18 12:50:57 +02:00
{
private MtProtoSender sender;
2020-05-10 19:19:52 +02:00
private AuthKey key;
private TcpTransport transport;
2020-05-10 19:19:52 +02:00
private string apiHash = String.Empty;
private int apiId = 0;
private Session session;
2016-09-24 15:38:26 +02:00
private List<TLDcOption> dcOptions;
private TcpClientConnectionHandler handler;
private DataCenterIPVersion dcIpVersion;
2016-07-20 08:26:55 +02:00
2020-05-10 19:19:52 +02:00
private bool looping = true;
public delegate void UpdatesEvent (TelegramClient source, TLAbsUpdates updates);
public delegate void ClientEvent(TelegramClient source);
public event UpdatesEvent Updates;
public event ClientEvent ScheduledTasks;
public event ClientEvent IdleTasks;
public Session Session
{
get { return session; }
}
/// <summary>
/// Creates a new TelegramClient
/// </summary>
/// <param name="apiId">The API ID provided by Telegram. Get one at https://my.telegram.org </param>
/// <param name="apiHash">The API Hash provided by Telegram. Get one at https://my.telegram.org </param>
/// <param name="store">An ISessionStore object that will handle the session</param>
/// <param name="sessionUserId">The name of the session that tracks login info about this TelegramClient connection</param>
/// <param name="handler">A delegate to invoke when a connection is needed and that will return a TcpClient that will be used to connect</param>
/// <param name="dcIpVersion">Indicates the preferred IpAddress version to use to connect to a Telegram server</param>
public TelegramClient(int apiId, string apiHash,
ISessionStore store = null, string sessionUserId = "session", TcpClientConnectionHandler handler = null,
DataCenterIPVersion dcIpVersion = DataCenterIPVersion.Default)
2016-04-18 12:50:57 +02:00
{
if (apiId == default(int))
throw new MissingApiConfigurationException("API_ID");
if (string.IsNullOrEmpty(apiHash))
throw new MissingApiConfigurationException("API_HASH");
if (store == null)
store = new FileSessionStore();
2016-10-11 16:31:30 +02:00
this.apiHash = apiHash;
this.apiId = apiId;
this.handler = handler;
this.dcIpVersion = dcIpVersion;
session = Session.TryLoadOrCreateNew(store, sessionUserId);
transport = new TcpTransport (session.DataCenter.Address, session.DataCenter.Port, this.handler);
2016-04-18 12:50:57 +02:00
}
public async Task ConnectAsync(bool reconnect = false, CancellationToken token = default(CancellationToken))
2016-04-18 12:50:57 +02:00
{
token.ThrowIfCancellationRequested();
if (session.AuthKey == null || reconnect)
2016-04-18 12:50:57 +02:00
{
var result = await Authenticator.DoAuthentication(transport, token).ConfigureAwait(false);
session.AuthKey = result.AuthKey;
session.TimeOffset = result.TimeOffset;
2016-04-18 12:50:57 +02:00
}
sender = new MtProtoSender(transport, session);
sender.UpdatesEvent += SenderUpdatesEvent;
2016-04-18 12:50:57 +02:00
//set-up layer
var config = new TLRequestGetConfig();
var request = new TLRequestInitConnection()
{
ApiId = apiId,
AppVersion = "1.0.0",
DeviceModel = "PC",
LangCode = "en",
Query = config,
SystemVersion = "Win 10.0"
};
var invokewithLayer = new TLRequestInvokeWithLayer() { Layer = 66, Query = request };
await sender.Send(invokewithLayer, token).ConfigureAwait(false);
await sender.Receive(invokewithLayer, token).ConfigureAwait(false);
2016-04-18 12:50:57 +02:00
2017-11-09 10:52:29 +01:00
dcOptions = ((TLConfig)invokewithLayer.Response).DcOptions.ToList();
2016-04-18 12:50:57 +02:00
}
private async Task ReconnectToDcAsync(int dcId, CancellationToken token = default(CancellationToken))
2016-04-18 12:50:57 +02:00
{
token.ThrowIfCancellationRequested();
2016-04-18 12:50:57 +02:00
if (dcOptions == null || !dcOptions.Any())
throw new InvalidOperationException($"Can't reconnect. Establish initial connection first.");
2018-03-03 17:38:51 +01:00
TLExportedAuthorization exported = null;
if (session.TLUser != null)
2018-03-03 17:38:51 +01:00
{
TLRequestExportAuthorization exportAuthorization = new TLRequestExportAuthorization() { DcId = dcId };
exported = await SendRequestAsync<TLExportedAuthorization>(exportAuthorization, token).ConfigureAwait(false);
2018-03-03 17:38:51 +01:00
}
2016-04-18 12:50:57 +02:00
IEnumerable<TLDcOption> dcs;
if (dcIpVersion == DataCenterIPVersion.OnlyIPv6)
dcs = dcOptions.Where(d => d.Id == dcId && d.Ipv6); // selects only ipv6 addresses
else if (dcIpVersion == DataCenterIPVersion.OnlyIPv4)
dcs = dcOptions.Where(d => d.Id == dcId && !d.Ipv6); // selects only ipv4 addresses
else
dcs = dcOptions.Where(d => d.Id == dcId); // any
dcs = dcs.Where(d => !d.MediaOnly);
TLDcOption dc;
if (dcIpVersion != DataCenterIPVersion.Default)
{
if (!dcs.Any())
throw new Exception($"Telegram server didn't provide us with any IPAddress that matches your preferences. If you chose OnlyIPvX, try switch to PreferIPvX instead.");
dcs = dcs.OrderBy(d => d.Ipv6);
dc = dcIpVersion == DataCenterIPVersion.PreferIPv4 ? dcs.First() : dcs.Last(); // ipv4 addresses are at the beginning of the list because it was ordered
}
else
dc = dcs.First();
var dataCenter = new DataCenter (dcId, dc.IpAddress, dc.Port);
2016-04-18 12:50:57 +02:00
transport = new TcpTransport(dc.IpAddress, dc.Port, handler);
session.DataCenter = dataCenter;
2016-04-18 12:50:57 +02:00
await ConnectAsync(true, token).ConfigureAwait(false);
2018-03-03 17:38:51 +01:00
if (session.TLUser != null)
2018-03-03 17:38:51 +01:00
{
TLRequestImportAuthorization importAuthorization = new TLRequestImportAuthorization() { Id = exported.Id, Bytes = exported.Bytes };
var imported = await SendRequestAsync<TLAuthorization>(importAuthorization, token).ConfigureAwait(false);
OnUserAuthenticated((TLUser)imported.User);
}
2016-04-18 12:50:57 +02:00
}
public void Close()
{
2020-05-10 19:19:52 +02:00
looping = false;
}
2020-04-26 18:29:26 +02:00
public async Task MainLoopAsync(TimeSpan timeToWait, CancellationToken token = default(CancellationToken))
{
var lastPing = DateTime.UtcNow;
await SendPingAsync();
2020-05-10 19:19:52 +02:00
while (looping)
{
try
{
2020-04-26 18:29:26 +02:00
await WaitEventAsync(timeToWait, token);
}
catch (OperationCanceledException)
{
// Handle timeout, no problem
}
finally
{
var now = DateTime.UtcNow;
if ((now - lastPing).TotalSeconds >= 30)
{
await SendPingAsync();
lastPing = now;
}
if (ScheduledTasks != null)
{
ScheduledTasks.Invoke(this);
ScheduledTasks = null;
}
IdleTasks?.Invoke(this);
}
token.ThrowIfCancellationRequested();
}
}
private void SenderUpdatesEvent (TLAbsUpdates updates)
{
Updates?.Invoke(this, updates);
}
private async Task RequestWithDcMigration(TLMethod request, CancellationToken token = default(CancellationToken))
2018-03-03 17:38:51 +01:00
{
if (sender == null)
2018-03-03 17:38:51 +01:00
throw new InvalidOperationException("Not connected!");
var completed = false;
while(!completed)
{
try
{
await sender.Send(request, token).ConfigureAwait(false);
await sender.Receive(request, token).ConfigureAwait(false);
completed = true;
}
catch(DataCenterMigrationException e)
{
if (session.DataCenter.DataCenterId.HasValue &&
session.DataCenter.DataCenterId.Value == e.DC)
{
throw new Exception($"Telegram server replied requesting a migration to DataCenter {e.DC} when this connection was already using this DataCenter", e);
}
await ReconnectToDcAsync(e.DC, token).ConfigureAwait(false);
// prepare the request for another try
request.ConfirmReceived = false;
}
2018-03-03 17:38:51 +01:00
}
}
2020-04-26 18:29:26 +02:00
public async Task WaitEventAsync(TimeSpan timeToWait, CancellationToken token = default(CancellationToken))
{
2020-04-26 18:29:26 +02:00
await sender.Receive (timeToWait, token);
}
2016-04-18 12:50:57 +02:00
public bool IsUserAuthorized()
{
return session.TLUser != null;
2016-09-24 15:38:26 +02:00
}
public async Task<bool> IsPhoneRegisteredAsync(string phoneNumber, CancellationToken token = default(CancellationToken))
2016-09-24 15:38:26 +02:00
{
if (String.IsNullOrWhiteSpace(phoneNumber))
throw new ArgumentNullException(nameof(phoneNumber));
var authCheckPhoneRequest = new TLRequestCheckPhone() { PhoneNumber = phoneNumber };
await RequestWithDcMigration(authCheckPhoneRequest, token).ConfigureAwait(false);
return authCheckPhoneRequest.Response.PhoneRegistered;
2016-04-18 12:50:57 +02:00
}
public async Task<string> SendCodeRequestAsync(string phoneNumber, CancellationToken token = default(CancellationToken))
2016-04-18 12:50:57 +02:00
{
if (String.IsNullOrWhiteSpace(phoneNumber))
throw new ArgumentNullException(nameof(phoneNumber));
var request = new TLRequestSendCode() { PhoneNumber = phoneNumber, ApiId = apiId, ApiHash = apiHash };
2016-04-18 12:50:57 +02:00
await RequestWithDcMigration(request, token).ConfigureAwait(false);
2016-04-18 12:50:57 +02:00
return request.Response.PhoneCodeHash;
2016-04-18 12:50:57 +02:00
}
public async Task<TLUser> MakeAuthAsync(string phoneNumber, string phoneCodeHash, string code, CancellationToken token = default(CancellationToken))
2016-04-18 12:50:57 +02:00
{
if (String.IsNullOrWhiteSpace(phoneNumber))
throw new ArgumentNullException(nameof(phoneNumber));
if (String.IsNullOrWhiteSpace(phoneCodeHash))
throw new ArgumentNullException(nameof(phoneCodeHash));
if (String.IsNullOrWhiteSpace(code))
throw new ArgumentNullException(nameof(code));
2018-03-03 17:38:51 +01:00
var request = new TLRequestSignIn() { PhoneNumber = phoneNumber, PhoneCodeHash = phoneCodeHash, PhoneCode = code };
await RequestWithDcMigration(request, token).ConfigureAwait(false);
2016-01-17 10:16:44 +01:00
OnUserAuthenticated(((TLUser)request.Response.User));
2016-04-18 12:50:57 +02:00
return ((TLUser)request.Response.User);
2016-09-06 17:37:05 +02:00
}
public async Task<TLPassword> GetPasswordSetting(CancellationToken token = default(CancellationToken))
2016-11-16 14:31:00 +01:00
{
var request = new TLRequestGetPassword();
await RequestWithDcMigration(request, token).ConfigureAwait(false);
2016-11-16 14:31:00 +01:00
return (TLPassword)request.Response;
2016-11-16 14:31:00 +01:00
}
public async Task<TLUser> MakeAuthWithPasswordAsync(TLPassword password, string password_str, CancellationToken token = default(CancellationToken))
2016-11-16 14:31:00 +01:00
{
token.ThrowIfCancellationRequested();
byte[] password_Bytes = Encoding.UTF8.GetBytes(password_str);
IEnumerable<byte> rv = password.CurrentSalt.Concat(password_Bytes).Concat(password.CurrentSalt);
2016-11-16 14:31:00 +01:00
SHA256Managed hashstring = new SHA256Managed();
var password_hash = hashstring.ComputeHash(rv.ToArray());
var request = new TLRequestCheckPassword() { PasswordHash = password_hash };
await RequestWithDcMigration(request, token).ConfigureAwait(false);
2016-11-16 14:31:00 +01:00
OnUserAuthenticated((TLUser)request.Response.User);
2016-11-16 14:31:00 +01:00
return (TLUser)request.Response.User;
2016-11-16 14:31:00 +01:00
}
2016-09-06 17:37:05 +02:00
public async Task<TLUser> SignUpAsync(string phoneNumber, string phoneCodeHash, string code, string firstName, string lastName, CancellationToken token = default(CancellationToken))
2016-09-24 15:38:26 +02:00
{
var request = new TLRequestSignUp() { PhoneNumber = phoneNumber, PhoneCode = code, PhoneCodeHash = phoneCodeHash, FirstName = firstName, LastName = lastName };
await RequestWithDcMigration(request, token).ConfigureAwait(false);
2016-04-18 12:50:57 +02:00
OnUserAuthenticated((TLUser)request.Response.User);
2016-04-18 12:50:57 +02:00
return (TLUser)request.Response.User;
2016-09-24 15:38:26 +02:00
}
2020-01-25 09:16:14 +01:00
public async Task<T> SendRequestAsync<T>(TLMethod methodToExecute, CancellationToken token = default(CancellationToken))
2016-09-24 15:38:26 +02:00
{
await RequestWithDcMigration(methodToExecute, token).ConfigureAwait(false);
2016-10-29 10:47:18 +02:00
var result = methodToExecute.GetType().GetProperty("Response").GetValue(methodToExecute);
return (T)result;
}
internal async Task<T> SendAuthenticatedRequestAsync<T> (TLMethod methodToExecute, CancellationToken token = default(CancellationToken))
{
if (!IsUserAuthorized())
throw new InvalidOperationException("Authorize user first!");
return await SendRequestAsync<T>(methodToExecute, token)
.ConfigureAwait(false);
2020-01-25 09:16:14 +01:00
}
public async Task<TLUser> UpdateUsernameAsync(string username, CancellationToken token = default(CancellationToken))
2020-01-25 09:16:14 +01:00
{
var req = new TLRequestUpdateUsername { Username = username };
return await SendAuthenticatedRequestAsync<TLUser>(req, token)
.ConfigureAwait(false);
}
public async Task<bool> CheckUsernameAsync(string username, CancellationToken token = default(CancellationToken))
{
var req = new TLRequestCheckUsername { Username = username };
return await SendAuthenticatedRequestAsync<bool>(req, token)
.ConfigureAwait(false);
}
public async Task<TLImportedContacts> ImportContactsAsync(IReadOnlyList<TLInputPhoneContact> contacts, CancellationToken token = default(CancellationToken))
{
var req = new TLRequestImportContacts { Contacts = new TLVector<TLInputPhoneContact>(contacts)};
return await SendAuthenticatedRequestAsync<TLImportedContacts>(req, token)
.ConfigureAwait(false);
}
public async Task<bool> DeleteContactsAsync(IReadOnlyList<TLAbsInputUser> users, CancellationToken token = default(CancellationToken))
{
var req = new TLRequestDeleteContacts {Id = new TLVector<TLAbsInputUser>(users)};
return await SendAuthenticatedRequestAsync<bool>(req, token)
.ConfigureAwait(false);
}
public async Task<TLLink> DeleteContactAsync(TLAbsInputUser user, CancellationToken token = default(CancellationToken))
{
var req = new TLRequestDeleteContact {Id = user};
return await SendAuthenticatedRequestAsync<TLLink>(req, token)
.ConfigureAwait(false);
}
public async Task<TLContacts> GetContactsAsync(CancellationToken token = default(CancellationToken))
{
var req = new TLRequestGetContacts() { Hash = "" };
return await SendAuthenticatedRequestAsync<TLContacts>(req, token)
.ConfigureAwait(false);
}
public async Task<TLAbsUpdates> SendMessageAsync(TLAbsInputPeer peer, string message, CancellationToken token = default(CancellationToken))
{
2020-01-25 09:16:14 +01:00
return await SendAuthenticatedRequestAsync<TLAbsUpdates>(
new TLRequestSendMessage()
{
Peer = peer,
Message = message,
RandomId = Helpers.GenerateRandomLong()
}, token)
.ConfigureAwait(false);
2016-09-24 15:38:26 +02:00
}
2016-10-11 15:28:57 +02:00
public async Task<Boolean> SendTypingAsync(TLAbsInputPeer peer, CancellationToken token = default(CancellationToken))
{
var req = new TLRequestSetTyping()
{
Action = new TLSendMessageTypingAction(),
Peer = peer
};
return await SendAuthenticatedRequestAsync<Boolean>(req, token)
.ConfigureAwait(false);
}
2016-10-11 15:28:57 +02:00
public async Task<TLAbsDialogs> GetUserDialogsAsync(int offsetDate = 0, int offsetId = 0, TLAbsInputPeer offsetPeer = null, int limit = 100, CancellationToken token = default(CancellationToken))
{
if (offsetPeer == null)
offsetPeer = new TLInputPeerSelf();
var req = new TLRequestGetDialogs()
{
OffsetDate = offsetDate,
OffsetId = offsetId,
OffsetPeer = offsetPeer,
Limit = limit
};
return await SendAuthenticatedRequestAsync<TLAbsDialogs>(req, token)
.ConfigureAwait(false);
}
public async Task<TLAbsUpdates> SendUploadedPhoto(TLAbsInputPeer peer, TLAbsInputFile file, string caption, CancellationToken token = default(CancellationToken))
2016-10-29 10:47:18 +02:00
{
return await SendAuthenticatedRequestAsync<TLAbsUpdates>(new TLRequestSendMedia()
{
RandomId = Helpers.GenerateRandomLong(),
Background = false,
ClearDraft = false,
Media = new TLInputMediaUploadedPhoto() { File = file, Caption = caption },
Peer = peer
}, token)
.ConfigureAwait(false);
}
public async Task<TLAbsUpdates> SendUploadedDocument(
TLAbsInputPeer peer, TLAbsInputFile file, string caption, string mimeType, TLVector<TLAbsDocumentAttribute> attributes, CancellationToken token = default(CancellationToken))
{
return await SendAuthenticatedRequestAsync<TLAbsUpdates>(new TLRequestSendMedia()
{
RandomId = Helpers.GenerateRandomLong(),
Background = false,
ClearDraft = false,
Media = new TLInputMediaUploadedDocument()
{
File = file,
Caption = caption,
MimeType = mimeType,
Attributes = attributes
},
Peer = peer
}, token)
.ConfigureAwait(false);
}
public async Task<TLFile> GetFile(TLAbsInputFileLocation location, int filePartSize, int offset = 0, CancellationToken token = default(CancellationToken))
2016-10-23 12:29:18 +02:00
{
TLFile result = await SendAuthenticatedRequestAsync<TLFile>(new TLRequestGetFile
{
Location = location,
Limit = filePartSize,
Offset = offset
}, token)
.ConfigureAwait(false);
2016-10-29 10:47:18 +02:00
return result;
}
2016-10-23 12:29:18 +02:00
public async Task SendPingAsync(CancellationToken token = default(CancellationToken))
{
await sender.SendPingAsync(token)
.ConfigureAwait(false);
2018-03-03 17:38:51 +01:00
}
public async Task<TLAbsMessages> GetHistoryAsync(TLAbsInputPeer peer, int offsetId = 0, int offsetDate = 0, int addOffset = 0, int limit = 100, int maxId = 0, int minId = 0, CancellationToken token = default(CancellationToken))
2018-03-03 17:38:51 +01:00
{
var req = new TLRequestGetHistory()
{
Peer = peer,
OffsetId = offsetId,
OffsetDate = offsetDate,
AddOffset = addOffset,
Limit = limit,
MaxId = maxId,
MinId = minId
2018-03-03 17:38:51 +01:00
};
return await SendAuthenticatedRequestAsync<TLAbsMessages>(req, token)
.ConfigureAwait(false);
}
/// <summary>
/// Serch user or chat. API: contacts.search#11f812d8 q:string limit:int = contacts.Found;
/// </summary>
/// <param name="q">User or chat name</param>
/// <param name="limit">Max result count</param>
/// <returns></returns>
public async Task<TLFound> SearchUserAsync(string q, int limit = 10, CancellationToken token = default(CancellationToken))
{
var r = new TeleSharp.TL.Contacts.TLRequestSearch
{
Q = q,
Limit = limit
};
return await SendAuthenticatedRequestAsync<TLFound>(r, token)
.ConfigureAwait(false);
}
private void OnUserAuthenticated(TLUser TLUser)
2016-09-06 17:37:05 +02:00
{
session.TLUser = TLUser;
session.SessionExpires = int.MaxValue;
2016-09-06 17:37:05 +02:00
session.Save();
2018-03-03 17:38:51 +01:00
}
public bool IsConnected
{
get
{
if (transport == null)
2018-03-03 17:38:51 +01:00
return false;
return transport.IsConnected;
2018-03-03 17:38:51 +01:00
}
}
2016-12-15 21:02:23 +01:00
public void Dispose()
{
if (transport != null)
2016-12-15 21:02:23 +01:00
{
transport.Dispose();
transport = null;
2016-12-15 21:02:23 +01:00
}
}
}
2015-09-28 04:01:17 +02:00
}