using System; using System.Collections.Generic; using System.Linq; using System.Security.Cryptography; using System.Text; using System.Threading; using System.Threading.Tasks; using TeleSharp.TL; using TeleSharp.TL.Account; using TeleSharp.TL.Auth; using TeleSharp.TL.Contacts; using TeleSharp.TL.Help; using TeleSharp.TL.Messages; using TeleSharp.TL.Upload; using TLSharp.Core.Auth; using TLSharp.Core.MTProto.Crypto; using TLSharp.Core.Network; using TLSharp.Core.Utils; using TLAuthorization = TeleSharp.TL.Auth.TLAuthorization; namespace TLSharp.Core { public class TelegramClient : IDisposable { private static NLog.Logger logger = NLog.LogManager.GetLogger("TelegramClient"); private MtProtoSender _sender; private AuthKey _key; private TcpTransport _transport; private string _apiHash = ""; private int _apiId = 0; private Session _session; private List dcOptions; private TcpClientConnectionHandler _handler; public delegate void UpdatesEvent (TelegramClient source, TLAbsUpdates updates); public delegate void ClientEvent(TelegramClient source); public event UpdatesEvent Updates; public event ClientEvent IdleLoop; public Session Session { get { return _session; } } public TelegramClient(int apiId, string apiHash, Session session = null, string sessionUserId = "session", TcpClientConnectionHandler handler = null) { if (apiId == default(int)) throw new MissingApiConfigurationException("API_ID"); if (string.IsNullOrEmpty(apiHash)) throw new MissingApiConfigurationException("API_HASH"); TLContext.Init(); _apiHash = apiHash; _apiId = apiId; _handler = handler; _session = Session.GetSession(session?.Store ?? new FileSessionStore(), session?.SessionUserId ?? sessionUserId, session); _transport = new TcpTransport(_session.ServerAddress, _session.Port, _handler); } public async Task ConnectAsync(bool reconnect = false) { if (_session.AuthKey == null || reconnect) { var result = await Authenticator.DoAuthentication(_transport); _session.AuthKey = result.AuthKey; _session.TimeOffset = result.TimeOffset; } _sender = new MtProtoSender(_transport, _session); _sender.UpdatesEvent += _sender_UpdatesEvent; //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); await _sender.Receive(invokewithLayer); dcOptions = ((TLConfig)invokewithLayer.Response).DcOptions.ToList(); return true; } private async Task ReconnectToDcAsync(int dcId) { if (dcOptions == null || !dcOptions.Any()) throw new InvalidOperationException($"Can't reconnect. Establish initial connection first."); TLExportedAuthorization exported = null; if (_session.TLUser != null) { TLRequestExportAuthorization exportAuthorization = new TLRequestExportAuthorization() { DcId = dcId }; exported = await SendRequestAsync(exportAuthorization); } var dc = dcOptions.First(d => d.Id == dcId); _transport = new TcpTransport(dc.IpAddress, dc.Port, _handler); _session.ServerAddress = dc.IpAddress; _session.Port = dc.Port; await ConnectAsync(true); if (_session.TLUser != null) { TLRequestImportAuthorization importAuthorization = new TLRequestImportAuthorization() { Id = exported.Id, Bytes = exported.Bytes }; var imported = await SendRequestAsync(importAuthorization); OnUserAuthenticated(((TLUser)imported.User)); } } public async Task MainLoopAsync(int timeslicems) { for (;;) { try { logger.Trace("Socket waiting"); await WaitEventAsync(timeslicems); } catch (TimeoutException) { } finally { logger.Trace("Running idle tasks"); IdleLoop?.Invoke(this); IdleLoop = null; } } } private void _sender_UpdatesEvent (TLAbsUpdates updates) { Updates?.Invoke (this, updates); } private async Task RequestWithDcMigration(TLMethod request) { var completed = false; while(!completed) { try { await _sender.Send(request); await _sender.Receive(request); completed = true; } catch(DataCenterMigrationException e) { await ReconnectToDcAsync(e.DC); // prepare the request for another try request.ConfirmReceived = false; } } } public async Task WaitEventAsync(int timeoutms) { await _sender.Receive (timeoutms); } public bool IsUserAuthorized() { return _session.TLUser != null; } public async Task IsPhoneRegisteredAsync(string phoneNumber) { if (String.IsNullOrWhiteSpace(phoneNumber)) throw new ArgumentNullException(nameof(phoneNumber)); if (_sender == null) throw new InvalidOperationException("Not connected!"); var authCheckPhoneRequest = new TLRequestCheckPhone() { PhoneNumber = phoneNumber }; await RequestWithDcMigration(authCheckPhoneRequest); return authCheckPhoneRequest.Response.PhoneRegistered; } public async Task SendCodeRequestAsync(string phoneNumber) { if (String.IsNullOrWhiteSpace(phoneNumber)) throw new ArgumentNullException(nameof(phoneNumber)); var request = new TLRequestSendCode() { PhoneNumber = phoneNumber, ApiId = _apiId, ApiHash = _apiHash }; await RequestWithDcMigration(request); return request.Response.PhoneCodeHash; } public async Task MakeAuthAsync(string phoneNumber, string phoneCodeHash, string code) { 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)); var request = new TLRequestSignIn() { PhoneNumber = phoneNumber, PhoneCodeHash = phoneCodeHash, PhoneCode = code }; await RequestWithDcMigration(request); OnUserAuthenticated(((TLUser)request.Response.User)); return ((TLUser)request.Response.User); } public async Task GetPasswordSetting() { var request = new TLRequestGetPassword(); await RequestWithDcMigration(request); return ((TLPassword)request.Response); } public async Task MakeAuthWithPasswordAsync(TLPassword password, string password_str) { byte[] password_Bytes = Encoding.UTF8.GetBytes(password_str); IEnumerable rv = password.CurrentSalt.Concat(password_Bytes).Concat(password.CurrentSalt); SHA256Managed hashstring = new SHA256Managed(); var password_hash = hashstring.ComputeHash(rv.ToArray()); var request = new TLRequestCheckPassword() { PasswordHash = password_hash }; await RequestWithDcMigration(request); OnUserAuthenticated(((TLUser)request.Response.User)); return ((TLUser)request.Response.User); } public async Task SignUpAsync(string phoneNumber, string phoneCodeHash, string code, string firstName, string lastName) { var request = new TLRequestSignUp() { PhoneNumber = phoneNumber, PhoneCode = code, PhoneCodeHash = phoneCodeHash, FirstName = firstName, LastName = lastName }; await RequestWithDcMigration(request); OnUserAuthenticated(((TLUser)request.Response.User)); return ((TLUser)request.Response.User); } public async Task SendRequestAsync(TLMethod methodToExecute) { await RequestWithDcMigration(methodToExecute); var result = methodToExecute.GetType().GetProperty("Response").GetValue(methodToExecute); return (T)result; } public async Task GetContactsAsync() { if (!IsUserAuthorized()) throw new InvalidOperationException("Authorize user first!"); var req = new TLRequestGetContacts() { Hash = "" }; return await SendRequestAsync(req); } public async Task SendMessageAsync(TLAbsInputPeer peer, string message) { if (!IsUserAuthorized()) throw new InvalidOperationException("Authorize user first!"); return await SendRequestAsync( new TLRequestSendMessage() { Peer = peer, Message = message, RandomId = Helpers.GenerateRandomLong() }); } public async Task SendTypingAsync(TLAbsInputPeer peer) { var req = new TLRequestSetTyping() { Action = new TLSendMessageTypingAction(), Peer = peer }; return await SendRequestAsync(req); } public async Task GetUserDialogsAsync() { var peer = new TLInputPeerSelf(); return await SendRequestAsync( new TLRequestGetDialogs() { OffsetDate = 0, OffsetPeer = peer, Limit = 100 }); } public async Task SendUploadedPhoto(TLAbsInputPeer peer, TLAbsInputFile file, string caption) { return await SendRequestAsync(new TLRequestSendMedia() { RandomId = Helpers.GenerateRandomLong(), Background = false, ClearDraft = false, Media = new TLInputMediaUploadedPhoto() { File = file, Caption = caption }, Peer = peer }); } public async Task SendUploadedDocument( TLAbsInputPeer peer, TLAbsInputFile file, string caption, string mimeType, TLVector attributes) { return await SendRequestAsync(new TLRequestSendMedia() { RandomId = Helpers.GenerateRandomLong(), Background = false, ClearDraft = false, Media = new TLInputMediaUploadedDocument() { File = file, Caption = caption, MimeType = mimeType, Attributes = attributes }, Peer = peer }); } public async Task GetFile(TLAbsInputFileLocation location, int filePartSize, int offset = 0) { TLFile result = null; result = await SendRequestAsync(new TLRequestGetFile() { Location = location, Limit = filePartSize, Offset = offset }); return result; } public async Task SendPingAsync() { await _sender.SendPingAsync(); } public async Task GetHistoryAsync(TLAbsInputPeer peer, int offset, int max_id, int limit) { if (!IsUserAuthorized()) throw new InvalidOperationException("Authorize user first!"); var req = new TLRequestGetHistory() { Peer = peer, AddOffset = offset, MaxId = max_id, Limit = limit }; return await SendRequestAsync(req); } /// /// Serch user or chat. API: contacts.search#11f812d8 q:string limit:int = contacts.Found; /// /// User or chat name /// Max result count /// public async Task SearchUserAsync(string q, int limit = 10) { var r = new TeleSharp.TL.Contacts.TLRequestSearch { Q = q, Limit = limit }; return await SendRequestAsync(r); } private void OnUserAuthenticated(TLUser TLUser) { _session.TLUser = TLUser; _session.SessionExpires = int.MaxValue; _session.Save(); } public bool IsConnected { get { if (_transport == null) return false; return _transport.IsConnected; } } public void Dispose() { if (_transport != null) { _transport.Dispose(); _transport = null; } } } public class MissingApiConfigurationException : Exception { public const string InfoUrl = "https://github.com/sochix/TLSharp#quick-configuration"; internal MissingApiConfigurationException(string invalidParamName) : base($"Your {invalidParamName} setting is missing. Adjust the configuration first, see {InfoUrl}") { } } public class InvalidPhoneCodeException : Exception { internal InvalidPhoneCodeException(string msg) : base(msg) { } } public class CloudPasswordNeededException : Exception { internal CloudPasswordNeededException(string msg) : base(msg) { } } }