使用TLSharp进行电报认证

时间:2017-01-16 13:01:48

标签: c# telegram

我尝试使用TLSharp v 0.1.0.209为Telegram开发一个客户端,除了接收消息并在其内容上运行一些简单的逻辑之外什么都不做

我的代码目前看起来像这样

using System;
using System.Collections.Generic;
using System.Diagnostics;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
using TLSharp.Core;

namespace TelegramBot
{
    public sealed class Service
    {
        private TelegramClient client;

        public Service()
        {
            this.client = new TelegramClient(etc.Constants.AppApiId, etc.Constants.AppApiHash);
        }

        public async void Connect()
        {
            await this.client.ConnectAsync();
        }

        public async void Authenticate(String phoneNumber)
        {
            var hash = await client.SendCodeRequestAsync(phoneNumber);

            {
                Debugger.Break();
            }

            var code = "<code_from_telegram>"; // you can change code in debugger

            var user = await client.MakeAuthAsync(phoneNumber, hash, code);
        }
    }
}

我称之为

static void Main(string[] args)
{
    Service bot = new Service();

    bot.Connect();
    bot.Authenticate(etc.Constants.PhoneNumber);

    Debugger.Break();
}

但是,在调用'SendCodeRequestAsync'时,我得到'NullPointerException'。我该如何解决/接近这个?该号码以“+12223334444”

格式提供

NullPointerException

1 个答案:

答案 0 :(得分:2)

问题是无法等待async void方法。他们抛出的任何异常都无法捕获。它们仅用于事件处理程序或类似事件处理程序的方法。

void方法的等价物为async Task,而不是async void

在这种情况下,方法应更改为:

    public async Task Connect()
    {
        await this.client.ConnectAsync();
    }

    public async Task Authenticate(String phoneNumber)
    {
    //...
    }

Main()应更改为:

static void Main(string[] args)
{
    Service bot = new Service();

    bot.Connect().Wait();
    bot.Authenticate(etc.Constants.PhoneNumber).Wait();

    Debugger.Break();
}

或者,甚至更好:

static void Main(string[] args)
{
    Service bot = new Service();

    Authenticate(bot).Wait();

    Debugger.Break();
}

static async Task Authenticate(Service bot)
{
    await bot.Connect();
    await bot.Authenticate(etc.Constants.PhoneNumber);
}