Passed
Pull Request — master (#211)
by
unknown
04:27
created

BotApi::sendAnimation()   A

Complexity

Conditions 2
Paths 1

Size

Total Lines 21

Duplication

Lines 21
Ratio 100 %

Code Coverage

Tests 0
CRAP Score 6

Importance

Changes 0
Metric Value
dl 21
loc 21
ccs 0
cts 10
cp 0
rs 9.584
c 0
b 0
f 0
cc 2
nc 1
nop 8
crap 6

How to fix   Many Parameters   

Many Parameters

Methods with many parameters are not only hard to understand, but their parameters also often become inconsistent when you need more, or different data.

There are several approaches to avoid long parameter lists:

1
<?php
2
3
namespace TelegramBot\Api;
4
5
use TelegramBot\Api\Types\ArrayOfChatMemberEntity;
6
use TelegramBot\Api\Types\ArrayOfMessages;
7
use TelegramBot\Api\Types\ArrayOfUpdates;
8
use TelegramBot\Api\Types\Chat;
9
use TelegramBot\Api\Types\ChatMember;
10
use TelegramBot\Api\Types\File;
11
use TelegramBot\Api\Types\Inline\QueryResult\AbstractInlineQueryResult;
12
use TelegramBot\Api\Types\InputMedia\ArrayOfInputMedia;
13
use TelegramBot\Api\Types\Message;
14
use TelegramBot\Api\Types\Update;
15
use TelegramBot\Api\Types\User;
16
use TelegramBot\Api\Types\UserProfilePhotos;
17
18
/**
19
 * Class BotApi
20
 *
21
 * @package TelegramBot\Api
22
 */
23
class BotApi
24
{
25
    /**
26
     * HTTP codes
27
     *
28
     * @var array
29
     */
30
    public static $codes = [
31
        // Informational 1xx
32
        100 => 'Continue',
33
        101 => 'Switching Protocols',
34
        102 => 'Processing',            // RFC2518
35
        // Success 2xx
36
        200 => 'OK',
37
        201 => 'Created',
38
        202 => 'Accepted',
39
        203 => 'Non-Authoritative Information',
40
        204 => 'No Content',
41
        205 => 'Reset Content',
42
        206 => 'Partial Content',
43
        207 => 'Multi-Status',          // RFC4918
44
        208 => 'Already Reported',      // RFC5842
45
        226 => 'IM Used',               // RFC3229
46
        // Redirection 3xx
47
        300 => 'Multiple Choices',
48
        301 => 'Moved Permanently',
49
        302 => 'Found', // 1.1
50
        303 => 'See Other',
51
        304 => 'Not Modified',
52
        305 => 'Use Proxy',
53
        // 306 is deprecated but reserved
54
        307 => 'Temporary Redirect',
55
        308 => 'Permanent Redirect',    // RFC7238
56
        // Client Error 4xx
57
        400 => 'Bad Request',
58
        401 => 'Unauthorized',
59
        402 => 'Payment Required',
60
        403 => 'Forbidden',
61
        404 => 'Not Found',
62
        405 => 'Method Not Allowed',
63
        406 => 'Not Acceptable',
64
        407 => 'Proxy Authentication Required',
65
        408 => 'Request Timeout',
66
        409 => 'Conflict',
67
        410 => 'Gone',
68
        411 => 'Length Required',
69
        412 => 'Precondition Failed',
70
        413 => 'Payload Too Large',
71
        414 => 'URI Too Long',
72
        415 => 'Unsupported Media Type',
73
        416 => 'Range Not Satisfiable',
74
        417 => 'Expectation Failed',
75
        422 => 'Unprocessable Entity',                                        // RFC4918
76
        423 => 'Locked',                                                      // RFC4918
77
        424 => 'Failed Dependency',                                           // RFC4918
78
        425 => 'Reserved for WebDAV advanced collections expired proposal',   // RFC2817
79
        426 => 'Upgrade Required',                                            // RFC2817
80
        428 => 'Precondition Required',                                       // RFC6585
81
        429 => 'Too Many Requests',                                           // RFC6585
82
        431 => 'Request Header Fields Too Large',                             // RFC6585
83
        // Server Error 5xx
84
        500 => 'Internal Server Error',
85
        501 => 'Not Implemented',
86
        502 => 'Bad Gateway',
87
        503 => 'Service Unavailable',
88
        504 => 'Gateway Timeout',
89
        505 => 'HTTP Version Not Supported',
90
        506 => 'Variant Also Negotiates (Experimental)',                      // RFC2295
91
        507 => 'Insufficient Storage',                                        // RFC4918
92
        508 => 'Loop Detected',                                               // RFC5842
93
        510 => 'Not Extended',                                                // RFC2774
94
        511 => 'Network Authentication Required',                             // RFC6585
95
    ];
96
97
    private $proxySettings = [];
98
99
    /**
100
     * Default http status code
101
     */
102
    const DEFAULT_STATUS_CODE = 200;
103
104
    /**
105
     * Not Modified http status code
106
     */
107
    const NOT_MODIFIED_STATUS_CODE = 304;
108
109
    /**
110
     * Limits for tracked ids
111
     */
112
    const MAX_TRACKED_EVENTS = 200;
113
114
    /**
115
     * Url prefixes
116
     */
117
    const URL_PREFIX = 'https://api.telegram.org/bot';
118
119
    /**
120
     * Url prefix for files
121
     */
122
    const FILE_URL_PREFIX = 'https://api.telegram.org/file/bot';
123
124
    /**
125
     * CURL object
126
     *
127
     * @var
128
     */
129
    protected $curl;
130
131
    /**
132
     * CURL custom options
133
     *
134
     * @var array
135
     */
136
    protected $customCurlOptions = [];
137
138
    /**
139
     * Bot token
140
     *
141
     * @var string
142
     */
143
    protected $token;
144
145
    /**
146
     * Botan tracker
147
     *
148
     * @var \TelegramBot\Api\Botan
149
     */
150
    protected $tracker;
151
152
    /**
153
     * list of event ids
154
     *
155
     * @var array
156
     */
157
    protected $trackedEvents = [];
158
159
    /**
160
     * Check whether return associative array
161
     *
162
     * @var bool
163
     */
164
    protected $returnArray = true;
165
166
    /**
167
     * Constructor
168
     *
169
     * @param string $token Telegram Bot API token
170
     * @param string|null $trackerToken Yandex AppMetrica application api_key
171
     */
172 9
    public function __construct($token, $trackerToken = null)
173
    {
174 9
        $this->curl = curl_init();
175 9
        $this->token = $token;
176
177 9
        if ($trackerToken) {
178
            $this->tracker = new Botan($trackerToken);
179
        }
180 9
    }
181
182
    /**
183
     * Set return array
184
     *
185
     * @param bool $mode
186
     *
187
     * @return $this
188
     */
189
    public function setModeObject($mode = true)
190
    {
191
        $this->returnArray = !$mode;
192
193
        return $this;
194
    }
195
196
197
    /**
198
     * Call method
199
     *
200
     * @param string $method
201
     * @param array|null $data
202
     *
203
     * @return mixed
204
     * @throws \TelegramBot\Api\Exception
205
     * @throws \TelegramBot\Api\HttpException
206
     * @throws \TelegramBot\Api\InvalidJsonException
207
     */
208
    public function call($method, array $data = null)
209
    {
210
        $options = $this->proxySettings + [
211
            CURLOPT_URL => $this->getUrl().'/'.$method,
212
            CURLOPT_RETURNTRANSFER => true,
213
            CURLOPT_POST => null,
214
            CURLOPT_POSTFIELDS => null,
215
            CURLOPT_TIMEOUT => 5,
216
        ];
217
218
        if ($data) {
219
            $options[CURLOPT_POST] = true;
220
            $options[CURLOPT_POSTFIELDS] = $data;
221
        }
222
223
        if (!empty($this->customCurlOptions) && is_array($this->customCurlOptions)) {
224
            $options += $this->customCurlOptions;
225
        }
226
227
        $response = self::jsonValidate($this->executeCurl($options), $this->returnArray);
228
229
        if ($this->returnArray) {
230
            if (!isset($response['ok'])) {
231
                throw new Exception($response['description'], $response['error_code']);
232
            }
233
234
            return $response['result'];
235
        }
236
237
        if (!$response->ok) {
238
            throw new Exception($response->description, $response->error_code);
239
        }
240
241
        return $response->result;
242
    }
243
244
    /**
245
     * curl_exec wrapper for response validation
246
     *
247
     * @param array $options
248
     *
249
     * @return string
250
     *
251
     * @throws \TelegramBot\Api\HttpException
252
     */
253
    protected function executeCurl(array $options)
254
    {
255
        curl_setopt_array($this->curl, $options);
256
257
        $result = curl_exec($this->curl);
258
        self::curlValidate($this->curl, $result);
259
        if ($result === false) {
260
            throw new HttpException(curl_error($this->curl), curl_errno($this->curl));
261
        }
262
263
        return $result;
264
    }
265
266
    /**
267
     * Response validation
268
     *
269
     * @param resource $curl
270
     * @param string $response
271
     * @throws HttpException
272
     */
273
    public static function curlValidate($curl, $response = null)
274
    {
275
        $json = json_decode($response, true)?: [];
276
        if (($httpCode = curl_getinfo($curl, CURLINFO_HTTP_CODE))
277
            && !in_array($httpCode, [self::DEFAULT_STATUS_CODE, self::NOT_MODIFIED_STATUS_CODE])
278
        ) {
279
            $errorDescription = array_key_exists('description', $json) ? $json['description'] : self::$codes[$httpCode];
280
            $errorParameters = array_key_exists('parameters', $json) ? $json['parameters'] : [];
281
            throw new HttpException($errorDescription, $httpCode, null, $errorParameters);
282
        }
283
    }
284
285
    /**
286
     * JSON validation
287
     *
288
     * @param string $jsonString
289
     * @param boolean $asArray
290
     *
291
     * @return object|array
292
     * @throws \TelegramBot\Api\InvalidJsonException
293
     */
294
    public static function jsonValidate($jsonString, $asArray)
295
    {
296
        $json = json_decode($jsonString, $asArray);
297
298
        if (json_last_error() != JSON_ERROR_NONE) {
299
            throw new InvalidJsonException(json_last_error_msg(), json_last_error());
300
        }
301
302
        return $json;
303
    }
304
305
    /**
306
     * Use this method to send text messages. On success, the sent \TelegramBot\Api\Types\Message is returned.
307
     *
308
     * @param int|string $chatId
309
     * @param string $text
310
     * @param string|null $parseMode
311
     * @param bool $disablePreview
312
     * @param int|null $replyToMessageId
313
     * @param Types\ReplyKeyboardMarkup|Types\ReplyKeyboardHide|Types\ForceReply|
314
     *        Types\ReplyKeyboardRemove|null $replyMarkup
315
     * @param bool $disableNotification
316
     *
317
     * @return \TelegramBot\Api\Types\Message
318
     * @throws \TelegramBot\Api\InvalidArgumentException
319
     * @throws \TelegramBot\Api\Exception
320
     */
321
    public function sendMessage(
322
        $chatId,
323
        $text,
324
        $parseMode = null,
325
        $disablePreview = false,
326
        $replyToMessageId = null,
327
        $replyMarkup = null,
328
        $disableNotification = false
329
    ) {
330
        return Message::fromResponse($this->call('sendMessage', [
331
            'chat_id' => $chatId,
332
            'text' => $text,
333
            'parse_mode' => $parseMode,
334
            'disable_web_page_preview' => $disablePreview,
335
            'reply_to_message_id' => (int)$replyToMessageId,
336
            'reply_markup' => is_null($replyMarkup) ? $replyMarkup : $replyMarkup->toJson(),
337
            'disable_notification' => (bool)$disableNotification,
338
        ]));
339
    }
340
341
    /**
342
     * Use this method to send phone contacts
343
     *
344
     * @param int|string $chatId chat_id or @channel_name
345
     * @param string $phoneNumber
346
     * @param string $firstName
347
     * @param string $lastName
348
     * @param int|null $replyToMessageId
349
     * @param Types\ReplyKeyboardMarkup|Types\ReplyKeyboardHide|Types\ForceReply|
350
     *        Types\ReplyKeyboardRemove|null $replyMarkup
351
     * @param bool $disableNotification
352
     *
353
     * @return \TelegramBot\Api\Types\Message
354
     * @throws \TelegramBot\Api\Exception
355
     */
356
    public function sendContact(
357
        $chatId,
358
        $phoneNumber,
359
        $firstName,
360
        $lastName = null,
361
        $replyToMessageId = null,
362
        $replyMarkup = null,
363
        $disableNotification = false
364
    ) {
365
        return Message::fromResponse($this->call('sendContact', [
366
            'chat_id' => $chatId,
367
            'phone_number' => $phoneNumber,
368
            'first_name' => $firstName,
369
            'last_name' => $lastName,
370
            'reply_to_message_id' => $replyToMessageId,
371
            'reply_markup' => is_null($replyMarkup) ? $replyMarkup : $replyMarkup->toJson(),
372
            'disable_notification' => (bool)$disableNotification,
373
        ]));
374
    }
375
376
    /**
377
     * Use this method when you need to tell the user that something is happening on the bot's side.
378
     * The status is set for 5 seconds or less (when a message arrives from your bot,
379
     * Telegram clients clear its typing status).
380
     *
381
     * We only recommend using this method when a response from the bot will take a noticeable amount of time to arrive.
382
     *
383
     * Type of action to broadcast. Choose one, depending on what the user is about to receive:
384
     * `typing` for text messages, `upload_photo` for photos, `record_video` or `upload_video` for videos,
385
     * `record_audio` or upload_audio for audio files, `upload_document` for general files,
386
     * `find_location` for location data.
387
     *
388
     * @param int $chatId
389
     * @param string $action
390
     *
391
     * @return bool
392
     * @throws \TelegramBot\Api\Exception
393
     */
394
    public function sendChatAction($chatId, $action)
395
    {
396
        return $this->call('sendChatAction', [
397
            'chat_id' => $chatId,
398
            'action' => $action,
399
        ]);
400
    }
401
402
    /**
403
     * Use this method to get a list of profile pictures for a user.
404
     *
405
     * @param int $userId
406
     * @param int $offset
407
     * @param int $limit
408
     *
409
     * @return \TelegramBot\Api\Types\UserProfilePhotos
410
     * @throws \TelegramBot\Api\Exception
411
     */
412
    public function getUserProfilePhotos($userId, $offset = 0, $limit = 100)
413
    {
414
        return UserProfilePhotos::fromResponse($this->call('getUserProfilePhotos', [
415
            'user_id' => (int)$userId,
416
            'offset' => (int)$offset,
417
            'limit' => (int)$limit,
418
        ]));
419
    }
420
421
    /**
422
     * Use this method to specify a url and receive incoming updates via an outgoing webhook.
423
     * Whenever there is an update for the bot, we will send an HTTPS POST request to the specified url,
424
     * containing a JSON-serialized Update.
425
     * In case of an unsuccessful request, we will give up after a reasonable amount of attempts.
426
     *
427
     * @param string $url HTTPS url to send updates to. Use an empty string to remove webhook integration
428
     * @param \CURLFile|string $certificate Upload your public key certificate
429
     *                                      so that the root certificate in use can be checked
430
     *
431
     * @return string
432
     *
433
     * @throws \TelegramBot\Api\Exception
434
     */
435
    public function setWebhook($url = '', $certificate = null)
436
    {
437
        return $this->call('setWebhook', ['url' => $url, 'certificate' => $certificate]);
438
    }
439
440
    /**
441
     * A simple method for testing your bot's auth token.Requires no parameters.
442
     * Returns basic information about the bot in form of a User object.
443
     *
444
     * @return \TelegramBot\Api\Types\User
445
     * @throws \TelegramBot\Api\Exception
446
     * @throws \TelegramBot\Api\InvalidArgumentException
447
     */
448
    public function getMe()
449
    {
450
        return User::fromResponse($this->call('getMe'));
451
    }
452
453
    /**
454
     * Use this method to receive incoming updates using long polling.
455
     * An Array of Update objects is returned.
456
     *
457
     * Notes
458
     * 1. This method will not work if an outgoing webhook is set up.
459
     * 2. In order to avoid getting duplicate updates, recalculate offset after each server response.
460
     *
461
     * @param int $offset
462
     * @param int $limit
463
     * @param int $timeout
464
     *
465
     * @return Update[]
466
     * @throws \TelegramBot\Api\Exception
467
     * @throws \TelegramBot\Api\InvalidArgumentException
468
     */
469 2
    public function getUpdates($offset = 0, $limit = 100, $timeout = 0)
470
    {
471 2
        $updates = ArrayOfUpdates::fromResponse($this->call('getUpdates', [
472 2
            'offset' => $offset,
473 2
            'limit' => $limit,
474 2
            'timeout' => $timeout,
475 2
        ]));
476
477 2
        if ($this->tracker instanceof Botan) {
478
            foreach ($updates as $update) {
479
                $this->trackUpdate($update);
480
            }
481
        }
482
483 2
        return $updates;
484
    }
485
486
    /**
487
     * Use this method to send point on the map. On success, the sent Message is returned.
488
     *
489
     * @param int|string                                                              $chatId
490
     * @param float                                                                   $latitude
491
     * @param float                                                                   $longitude
492
     * @param int|null                                                                $replyToMessageId
493
     * @param Types\ReplyKeyboardMarkup|Types\ReplyKeyboardHide|Types\ForceReply|
494
     *        Types\ReplyKeyboardRemove|null $replyMarkup
495
     * @param bool                                                                    $disableNotification
496
     *
497
     * @param null|int                                                                $livePeriod
498
     * @return \TelegramBot\Api\Types\Message
499
     */
500
    public function sendLocation(
501
        $chatId,
502
        $latitude,
503
        $longitude,
504
        $replyToMessageId = null,
505
        $replyMarkup = null,
506
        $disableNotification = false,
507
        $livePeriod = null
508
    ) {
509
        return Message::fromResponse($this->call('sendLocation', [
510
            'chat_id'              => $chatId,
511
            'latitude'             => $latitude,
512
            'longitude'            => $longitude,
513
            'live_period'          => $livePeriod,
514
            'reply_to_message_id'  => $replyToMessageId,
515
            'reply_markup'         => is_null($replyMarkup) ? $replyMarkup : $replyMarkup->toJson(),
516
            'disable_notification' => (bool)$disableNotification,
517
        ]));
518
    }
519
520
    /**
521
     * Use this method to edit live location messages sent by the bot or via the bot (for inline bots).
522
     *
523
     * @param int|string                                                              $chatId
524
     * @param int                                                                     $messageId
525
     * @param string                                                                  $inlineMessageId
526
     * @param float                                                                   $latitude
527
     * @param float                                                                   $longitude
528
     * @param Types\ReplyKeyboardMarkup|Types\ReplyKeyboardHide|Types\ForceReply|
529
     *        Types\ReplyKeyboardRemove|null $replyMarkup
530
     * @return \TelegramBot\Api\Types\Message
531
     */
532
    public function editMessageLiveLocation(
533
        $chatId,
534
        $messageId,
535
        $inlineMessageId,
536
        $latitude,
537
        $longitude,
538
        $replyMarkup = null
539
    ) {
540
        return Message::fromResponse($this->call('sendLocation', [
541
            'chat_id'           => $chatId,
542
            'message_id'        => $messageId,
543
            'inline_message_id' => $inlineMessageId,
544
            'latitude'          => $latitude,
545
            'longitude'         => $longitude,
546
            'reply_markup'      => is_null($replyMarkup) ? $replyMarkup : $replyMarkup->toJson(),
547
        ]));
548
    }
549
550
    /**
551
     * Use this method to stop updating a live location message sent by the bot or via the bot (for inline bots) before
552
     * live_period expires.
553
     *
554
     * @param int|string                                                              $chatId
555
     * @param int                                                                     $messageId
556
     * @param string                                                                  $inlineMessageId
557
     * @param Types\ReplyKeyboardMarkup|Types\ReplyKeyboardHide|Types\ForceReply|
558
     *        Types\ReplyKeyboardRemove|null $replyMarkup
559
     * @return \TelegramBot\Api\Types\Message
560
     */
561
    public function stopMessageLiveLocation(
562
        $chatId,
563
        $messageId,
564
        $inlineMessageId,
565
        $replyMarkup = null
566
    ) {
567
        return Message::fromResponse($this->call('sendLocation', [
568
            'chat_id'           => $chatId,
569
            'message_id'        => $messageId,
570
            'inline_message_id' => $inlineMessageId,
571
            'reply_markup'      => is_null($replyMarkup) ? $replyMarkup : $replyMarkup->toJson(),
572
        ]));
573
    }
574
575
    /**
576
     * Use this method to send information about a venue. On success, the sent Message is returned.
577
     *
578
     * @param int|string $chatId chat_id or @channel_name
579
     * @param float $latitude
580
     * @param float $longitude
581
     * @param string $title
582
     * @param string $address
583
     * @param string|null $foursquareId
584
     * @param int|null $replyToMessageId
585
     * @param Types\ReplyKeyboardMarkup|Types\ReplyKeyboardHide|Types\ForceReply|
586
     *        Types\ReplyKeyboardRemove|null $replyMarkup
587
     * @param bool $disableNotification
588
     *
589
     * @return \TelegramBot\Api\Types\Message
590
     * @throws \TelegramBot\Api\Exception
591
     */
592
    public function sendVenue(
593
        $chatId,
594
        $latitude,
595
        $longitude,
596
        $title,
597
        $address,
598
        $foursquareId = null,
599
        $replyToMessageId = null,
600
        $replyMarkup = null,
601
        $disableNotification = false
602
    ) {
603
        return Message::fromResponse($this->call('sendVenue', [
604
            'chat_id' => $chatId,
605
            'latitude' => $latitude,
606
            'longitude' => $longitude,
607
            'title' => $title,
608
            'address' => $address,
609
            'foursquare_id' => $foursquareId,
610
            'reply_to_message_id' => $replyToMessageId,
611
            'reply_markup' => is_null($replyMarkup) ? $replyMarkup : $replyMarkup->toJson(),
612
            'disable_notification' => (bool)$disableNotification,
613
        ]));
614
    }
615
616
    /**
617
     * Use this method to send .webp stickers. On success, the sent Message is returned.
618
     *
619
     * @param int|string $chatId chat_id or @channel_name
620
     * @param \CURLFile|string $sticker
621
     * @param int|null $replyToMessageId
622
     * @param Types\ReplyKeyboardMarkup|Types\ReplyKeyboardHide|Types\ForceReply|
623
     *        Types\ReplyKeyboardRemove|null $replyMarkup
624
     * @param bool $disableNotification
625
     *
626
     * @return \TelegramBot\Api\Types\Message
627
     * @throws \TelegramBot\Api\InvalidArgumentException
628
     * @throws \TelegramBot\Api\Exception
629
     */
630 View Code Duplication
    public function sendSticker(
631
        $chatId,
632
        $sticker,
633
        $replyToMessageId = null,
634
        $replyMarkup = null,
635
        $disableNotification = false
636
    ) {
637
        return Message::fromResponse($this->call('sendSticker', [
638
            'chat_id' => $chatId,
639
            'sticker' => $sticker,
640
            'reply_to_message_id' => $replyToMessageId,
641
            'reply_markup' => is_null($replyMarkup) ? $replyMarkup : $replyMarkup->toJson(),
642
            'disable_notification' => (bool)$disableNotification,
643
        ]));
644
    }
645
646
    /**
647
     * Use this method to send video files,
648
     * Telegram clients support mp4 videos (other formats may be sent as Document).
649
     * On success, the sent Message is returned.
650
     *
651
     * @param int|string $chatId chat_id or @channel_name
652
     * @param \CURLFile|string $video
653
     * @param int|null $duration
654
     * @param string|null $caption
655
     * @param int|null $replyToMessageId
656
     * @param Types\ReplyKeyboardMarkup|Types\ReplyKeyboardHide|Types\ForceReply|
657
     *        Types\ReplyKeyboardRemove|null $replyMarkup
658
     * @param bool $disableNotification
659
     * @param bool $supportsStreaming Pass True, if the uploaded video is suitable for streaming
660
     * @param string|null $parseMode
661
     *
662
     * @return \TelegramBot\Api\Types\Message
663
     * @throws \TelegramBot\Api\InvalidArgumentException
664
     * @throws \TelegramBot\Api\Exception
665
     */
666 View Code Duplication
    public function sendVideo(
667
        $chatId,
668
        $video,
669
        $duration = null,
670
        $caption = null,
671
        $replyToMessageId = null,
672
        $replyMarkup = null,
673
        $disableNotification = false,
674
        $supportsStreaming = false,
675
        $parseMode = null
676
    ) {
677
        return Message::fromResponse($this->call('sendVideo', [
678
            'chat_id' => $chatId,
679
            'video' => $video,
680
            'duration' => $duration,
681
            'caption' => $caption,
682
            'reply_to_message_id' => $replyToMessageId,
683
            'reply_markup' => is_null($replyMarkup) ? $replyMarkup : $replyMarkup->toJson(),
684
            'disable_notification' => (bool)$disableNotification,
685
            'supports_streaming' => (bool)$supportsStreaming,
686
            'parse_mode' => $parseMode
687
        ]));
688
    }
689
690
    /**
691
     * Use this method to send animation files (GIF or H.264/MPEG-4 AVC video without sound),
692
     * On success, the sent Message is returned.
693
     * Bots can currently send animation files of up to 50 MB in size, this limit may be changed in the future.
694
     *
695
     * @param int|string $chatId chat_id or @channel_name
696
     * @param \CURLFile|string $animation
697
     * @param int|null $duration
698
     * @param string|null $caption
699
     * @param int|null $replyToMessageId
700
     * @param Types\ReplyKeyboardMarkup|Types\ReplyKeyboardHide|Types\ForceReply|
701
     *        Types\ReplyKeyboardRemove|null $replyMarkup
702
     * @param bool $disableNotification
703
     * @param string|null $parseMode
704
     *
705
     * @return \TelegramBot\Api\Types\Message
706
     * @throws \TelegramBot\Api\InvalidArgumentException
707
     * @throws \TelegramBot\Api\Exception
708
     */
709 View Code Duplication
    public function sendAnimation(
710
        $chatId,
711
        $animation,
712
        $duration = null,
713
        $caption = null,
714
        $replyToMessageId = null,
715
        $replyMarkup = null,
716
        $disableNotification = false,
717
        $parseMode = null
718
    ) {
719
        return Message::fromResponse($this->call('sendAnimation', [
720
            'chat_id' => $chatId,
721
            'animation' => $animation,
722
            'duration' => $duration,
723
            'caption' => $caption,
724
            'reply_to_message_id' => $replyToMessageId,
725
            'reply_markup' => is_null($replyMarkup) ? $replyMarkup : $replyMarkup->toJson(),
726
            'disable_notification' => (bool)$disableNotification,
727
            'parse_mode' => $parseMode
728
        ]));
729
    }
730
731
    /**
732
     * Use this method to send audio files,
733
     * if you want Telegram clients to display the file as a playable voice message.
734
     * For this to work, your audio must be in an .ogg file encoded with OPUS
735
     * (other formats may be sent as Audio or Document).
736
     * On success, the sent Message is returned.
737
     * Bots can currently send voice messages of up to 50 MB in size, this limit may be changed in the future.
738
     *
739
     * @param int|string $chatId chat_id or @channel_name
740
     * @param \CURLFile|string $voice
741
     * @param int|null $duration
742
     * @param int|null $replyToMessageId
743
     * @param Types\ReplyKeyboardMarkup|Types\ReplyKeyboardHide|Types\ForceReply|
744
     *        Types\ReplyKeyboardRemove|null $replyMarkup
745
     * @param bool $disableNotification
746
     * @param string|null $parseMode
747
     *
748
     * @return \TelegramBot\Api\Types\Message
749
     * @throws \TelegramBot\Api\InvalidArgumentException
750
     * @throws \TelegramBot\Api\Exception
751
     */
752
    public function sendVoice(
753
        $chatId,
754
        $voice,
755
        $duration = null,
756
        $replyToMessageId = null,
757
        $replyMarkup = null,
758
        $disableNotification = false,
759
        $parseMode = null
760
    ) {
761
        return Message::fromResponse($this->call('sendVoice', [
762
            'chat_id' => $chatId,
763
            'voice' => $voice,
764
            'duration' => $duration,
765
            'reply_to_message_id' => $replyToMessageId,
766
            'reply_markup' => is_null($replyMarkup) ? $replyMarkup : $replyMarkup->toJson(),
767
            'disable_notification' => (bool)$disableNotification,
768
            'parse_mode' => $parseMode
769
        ]));
770
    }
771
772
    /**
773
     * Use this method to forward messages of any kind. On success, the sent Message is returned.
774
     *
775
     * @param int|string $chatId chat_id or @channel_name
776
     * @param int $fromChatId
777
     * @param int $messageId
778
     * @param bool $disableNotification
779
     *
780
     * @return \TelegramBot\Api\Types\Message
781
     * @throws \TelegramBot\Api\InvalidArgumentException
782
     * @throws \TelegramBot\Api\Exception
783
     */
784
    public function forwardMessage($chatId, $fromChatId, $messageId, $disableNotification = false)
785
    {
786
        return Message::fromResponse($this->call('forwardMessage', [
787
            'chat_id' => $chatId,
788
            'from_chat_id' => $fromChatId,
789
            'message_id' => (int)$messageId,
790
            'disable_notification' => (bool)$disableNotification,
791
        ]));
792
    }
793
794
    /**
795
     * Use this method to send audio files,
796
     * if you want Telegram clients to display them in the music player.
797
     * Your audio must be in the .mp3 format.
798
     * On success, the sent Message is returned.
799
     * Bots can currently send audio files of up to 50 MB in size, this limit may be changed in the future.
800
     *
801
     * For backward compatibility, when the fields title and performer are both empty
802
     * and the mime-type of the file to be sent is not audio/mpeg, the file will be sent as a playable voice message.
803
     * For this to work, the audio must be in an .ogg file encoded with OPUS.
804
     * This behavior will be phased out in the future. For sending voice messages, use the sendVoice method instead.
805
     *
806
     * @deprecated since 20th February. Removed backward compatibility from the method sendAudio.
807
     * Voice messages now must be sent using the method sendVoice.
808
     * There is no more need to specify a non-empty title or performer while sending the audio by file_id.
809
     *
810
     * @param int|string $chatId chat_id or @channel_name
811
     * @param \CURLFile|string $audio
812
     * @param int|null $duration
813
     * @param string|null $performer
814
     * @param string|null $title
815
     * @param int|null $replyToMessageId
816
     * @param Types\ReplyKeyboardMarkup|Types\ReplyKeyboardHide|Types\ForceReply|
817
     *        Types\ReplyKeyboardRemove|null $replyMarkup
818
     * @param bool $disableNotification
819
     * @param string|null $parseMode
820
     *
821
     * @return \TelegramBot\Api\Types\Message
822
     * @throws \TelegramBot\Api\InvalidArgumentException
823
     * @throws \TelegramBot\Api\Exception
824
     */
825 View Code Duplication
    public function sendAudio(
826
        $chatId,
827
        $audio,
828
        $duration = null,
829
        $performer = null,
830
        $title = null,
831
        $replyToMessageId = null,
832
        $replyMarkup = null,
833
        $disableNotification = false,
834
        $parseMode = null
835
    ) {
836
        return Message::fromResponse($this->call('sendAudio', [
837
            'chat_id' => $chatId,
838
            'audio' => $audio,
839
            'duration' => $duration,
840
            'performer' => $performer,
841
            'title' => $title,
842
            'reply_to_message_id' => $replyToMessageId,
843
            'reply_markup' => is_null($replyMarkup) ? $replyMarkup : $replyMarkup->toJson(),
844
            'disable_notification' => (bool)$disableNotification,
845
            'parse_mode' => $parseMode
846
        ]));
847
    }
848
849
    /**
850
     * Use this method to send photos. On success, the sent Message is returned.
851
     *
852
     * @param int|string $chatId chat_id or @channel_name
853
     * @param \CURLFile|string $photo
854
     * @param string|null $caption
855
     * @param int|null $replyToMessageId
856
     * @param Types\ReplyKeyboardMarkup|Types\ReplyKeyboardHide|Types\ForceReply|
857
     *        Types\ReplyKeyboardRemove|null $replyMarkup
858
     * @param bool $disableNotification
859
     * @param string|null $parseMode
860
     *
861
     * @return \TelegramBot\Api\Types\Message
862
     * @throws \TelegramBot\Api\InvalidArgumentException
863
     * @throws \TelegramBot\Api\Exception
864
     */
865
    public function sendPhoto(
866
        $chatId,
867
        $photo,
868
        $caption = null,
869
        $replyToMessageId = null,
870
        $replyMarkup = null,
871
        $disableNotification = false,
872
        $parseMode = null
873
    ) {
874
        return Message::fromResponse($this->call('sendPhoto', [
875
            'chat_id' => $chatId,
876
            'photo' => $photo,
877
            'caption' => $caption,
878
            'reply_to_message_id' => $replyToMessageId,
879
            'reply_markup' => is_null($replyMarkup) ? $replyMarkup : $replyMarkup->toJson(),
880
            'disable_notification' => (bool)$disableNotification,
881
            'parse_mode' => $parseMode
882
        ]));
883
    }
884
885
    /**
886
     * Use this method to send general files. On success, the sent Message is returned.
887
     * Bots can currently send files of any type of up to 50 MB in size, this limit may be changed in the future.
888
     *
889
     * @param int|string $chatId chat_id or @channel_name
890
     * @param \CURLFile|string $document
891
     * @param string|null $caption
892
     * @param int|null $replyToMessageId
893
     * @param Types\ReplyKeyboardMarkup|Types\ReplyKeyboardHide|Types\ForceReply|
894
     *        Types\ReplyKeyboardRemove|null $replyMarkup
895
     * @param bool $disableNotification
896
     * @param string|null $parseMode
897
     *
898
     * @return \TelegramBot\Api\Types\Message
899
     * @throws \TelegramBot\Api\InvalidArgumentException
900
     * @throws \TelegramBot\Api\Exception
901
     */
902
    public function sendDocument(
903
        $chatId,
904
        $document,
905
        $caption = null,
906
        $replyToMessageId = null,
907
        $replyMarkup = null,
908
        $disableNotification = false,
909
        $parseMode = null
910
    ) {
911
        return Message::fromResponse($this->call('sendDocument', [
912
            'chat_id' => $chatId,
913
            'document' => $document,
914
            'caption' => $caption,
915
            'reply_to_message_id' => $replyToMessageId,
916
            'reply_markup' => is_null($replyMarkup) ? $replyMarkup : $replyMarkup->toJson(),
917
            'disable_notification' => (bool)$disableNotification,
918
            'parse_mode' => $parseMode
919
        ]));
920
    }
921
922
    /**
923
     * Use this method to get basic info about a file and prepare it for downloading.
924
     * For the moment, bots can download files of up to 20MB in size.
925
     * On success, a File object is returned.
926
     * The file can then be downloaded via the link https://api.telegram.org/file/bot<token>/<file_path>,
927
     * where <file_path> is taken from the response.
928
     * It is guaranteed that the link will be valid for at least 1 hour.
929
     * When the link expires, a new one can be requested by calling getFile again.
930
     *
931
     * @param $fileId
932
     *
933
     * @return \TelegramBot\Api\Types\File
934
     * @throws \TelegramBot\Api\InvalidArgumentException
935
     * @throws \TelegramBot\Api\Exception
936
     */
937
    public function getFile($fileId)
938
    {
939
        return File::fromResponse($this->call('getFile', ['file_id' => $fileId]));
940
    }
941
942
    /**
943
     * Get file contents via cURL
944
     *
945
     * @param $fileId
946
     *
947
     * @return string
948
     *
949
     * @throws \TelegramBot\Api\HttpException
950
     */
951
    public function downloadFile($fileId)
952
    {
953
        $file = $this->getFile($fileId);
954
        $options = [
955
            CURLOPT_HEADER => 0,
956
            CURLOPT_HTTPGET => 1,
957
            CURLOPT_RETURNTRANSFER => 1,
958
            CURLOPT_URL => $this->getFileUrl().'/'.$file->getFilePath(),
959
        ];
960
961
        return $this->executeCurl($options);
962
    }
963
964
    /**
965
     * Use this method to send answers to an inline query. On success, True is returned.
966
     * No more than 50 results per query are allowed.
967
     *
968
     * @param string $inlineQueryId
969
     * @param AbstractInlineQueryResult[] $results
970
     * @param int $cacheTime
971
     * @param bool $isPersonal
972
     * @param string $nextOffset
973
     * @param string $switchPmText
974
     * @param string $switchPmParameter
975
     *
976
     * @return mixed
977
     * @throws Exception
978
     */
979
    public function answerInlineQuery(
980
        $inlineQueryId,
981
        $results,
982
        $cacheTime = 300,
983
        $isPersonal = false,
984
        $nextOffset = '',
985
        $switchPmText = null,
986
        $switchPmParameter = null
987
    ) {
988
        $results = array_map(function ($item) {
989
            /* @var AbstractInlineQueryResult $item */
990
            return json_decode($item->toJson(), true);
991
        }, $results);
992
993
        return $this->call('answerInlineQuery', [
994
            'inline_query_id' => $inlineQueryId,
995
            'results' => json_encode($results),
996
            'cache_time' => $cacheTime,
997
            'is_personal' => $isPersonal,
998
            'next_offset' => $nextOffset,
999
            'switch_pm_text' => $switchPmText,
1000
            'switch_pm_parameter' => $switchPmParameter,
1001
        ]);
1002
    }
1003
1004
    /**
1005
     * Use this method to kick a user from a group or a supergroup.
1006
     * In the case of supergroups, the user will not be able to return to the group
1007
     * on their own using invite links, etc., unless unbanned first.
1008
     * The bot must be an administrator in the group for this to work. Returns True on success.
1009
     *
1010
     * @param int|string $chatId Unique identifier for the target group
1011
     * or username of the target supergroup (in the format @supergroupusername)
1012
     * @param int $userId Unique identifier of the target user
1013
     * @param null|int $untilDate Date when the user will be unbanned, unix time.
1014
     *                            If user is banned for more than 366 days or less than 30 seconds from the current time
1015
     *                            they are considered to be banned forever
1016
     *
1017
     * @return bool
1018
     */
1019
    public function kickChatMember($chatId, $userId, $untilDate = null)
1020
    {
1021
        return $this->call('kickChatMember', [
1022
            'chat_id' => $chatId,
1023
            'user_id' => $userId,
1024
            'until_date' => $untilDate
1025
        ]);
1026
    }
1027
1028
    /**
1029
     * Use this method to unban a previously kicked user in a supergroup.
1030
     * The user will not return to the group automatically, but will be able to join via link, etc.
1031
     * The bot must be an administrator in the group for this to work. Returns True on success.
1032
     *
1033
     * @param int|string $chatId Unique identifier for the target group
1034
     * or username of the target supergroup (in the format @supergroupusername)
1035
     * @param int $userId Unique identifier of the target user
1036
     *
1037
     * @return bool
1038
     */
1039
    public function unbanChatMember($chatId, $userId)
1040
    {
1041
        return $this->call('unbanChatMember', [
1042
            'chat_id' => $chatId,
1043
            'user_id' => $userId,
1044
        ]);
1045
    }
1046
1047
    /**
1048
     * Use this method to send answers to callback queries sent from inline keyboards.
1049
     * The answer will be displayed to the user as a notification at the top of the chat screen or as an alert.
1050
     *
1051
     * @param $callbackQueryId
1052
     * @param null $text
1053
     * @param bool $showAlert
1054
     *
1055
     * @return bool
1056
     */
1057
    public function answerCallbackQuery($callbackQueryId, $text = null, $showAlert = false)
1058
    {
1059
        return $this->call('answerCallbackQuery', [
1060
            'callback_query_id' => $callbackQueryId,
1061
            'text' => $text,
1062
            'show_alert' => (bool)$showAlert,
1063
        ]);
1064
    }
1065
1066
1067
    /**
1068
     * Use this method to edit text messages sent by the bot or via the bot
1069
     *
1070
     * @param int|string $chatId
1071
     * @param int $messageId
1072
     * @param string $text
1073
     * @param string $inlineMessageId
1074
     * @param string|null $parseMode
1075
     * @param bool $disablePreview
1076
     * @param Types\ReplyKeyboardMarkup|Types\ReplyKeyboardHide|Types\ForceReply|
1077
     *        Types\ReplyKeyboardRemove|null $replyMarkup
1078
     * @return Message
1079
     */
1080
    public function editMessageText(
1081
        $chatId,
1082
        $messageId,
1083
        $text,
1084
        $parseMode = null,
1085
        $disablePreview = false,
1086
        $replyMarkup = null,
1087
        $inlineMessageId = null
1088
    ) {
1089
        return Message::fromResponse($this->call('editMessageText', [
1090
            'chat_id' => $chatId,
1091
            'message_id' => $messageId,
1092
            'text' => $text,
1093
            'inline_message_id' => $inlineMessageId,
1094
            'parse_mode' => $parseMode,
1095
            'disable_web_page_preview' => $disablePreview,
1096
            'reply_markup' => is_null($replyMarkup) ? $replyMarkup : $replyMarkup->toJson(),
1097
        ]));
1098
    }
1099
1100
    /**
1101
     * Use this method to edit text messages sent by the bot or via the bot
1102
     *
1103
     * @param int|string $chatId
1104
     * @param int $messageId
1105
     * @param string|null $caption
1106
     * @param Types\ReplyKeyboardMarkup|Types\ReplyKeyboardHide|Types\ForceReply|
1107
     *        Types\ReplyKeyboardRemove|null $replyMarkup
1108
     * @param string $inlineMessageId
1109
     *
1110
     * @return \TelegramBot\Api\Types\Message
1111
     * @throws \TelegramBot\Api\InvalidArgumentException
1112
     * @throws \TelegramBot\Api\Exception
1113
     */
1114 View Code Duplication
    public function editMessageCaption(
1115
        $chatId,
1116
        $messageId,
1117
        $caption = null,
1118
        $replyMarkup = null,
1119
        $inlineMessageId = null
1120
    ) {
1121
        return Message::fromResponse($this->call('editMessageCaption', [
1122
            'chat_id' => $chatId,
1123
            'message_id' => $messageId,
1124
            'inline_message_id' => $inlineMessageId,
1125
            'caption' => $caption,
1126
            'reply_markup' => is_null($replyMarkup) ? $replyMarkup : $replyMarkup->toJson(),
1127
        ]));
1128
    }
1129
1130
    /**
1131
     * Use this method to edit only the reply markup of messages sent by the bot or via the bot
1132
     *
1133
     * @param int|string $chatId
1134
     * @param int $messageId
1135
     * @param Types\ReplyKeyboardMarkup|Types\ReplyKeyboardHide|Types\ForceReply|
1136
     *        Types\ReplyKeyboardRemove|null $replyMarkup
1137
     * @param string $inlineMessageId
1138
     *
1139
     * @return Message
1140
     */
1141
    public function editMessageReplyMarkup(
1142
        $chatId,
1143
        $messageId,
1144
        $replyMarkup = null,
1145
        $inlineMessageId = null
1146
    ) {
1147
        return Message::fromResponse($this->call('editMessageReplyMarkup', [
1148
            'chat_id' => $chatId,
1149
            'message_id' => $messageId,
1150
            'inline_message_id' => $inlineMessageId,
1151
            'reply_markup' => is_null($replyMarkup) ? $replyMarkup : $replyMarkup->toJson(),
1152
        ]));
1153
    }
1154
1155
    /**
1156
     * Use this method to delete a message, including service messages, with the following limitations:
1157
     *  - A message can only be deleted if it was sent less than 48 hours ago.
1158
     *  - Bots can delete outgoing messages in groups and supergroups.
1159
     *  - Bots granted can_post_messages permissions can delete outgoing messages in channels.
1160
     *  - If the bot is an administrator of a group, it can delete any message there.
1161
     *  - If the bot has can_delete_messages permission in a supergroup or a channel, it can delete any message there.
1162
     *
1163
     * @param int|string $chatId
1164
     * @param int $messageId
1165
     *
1166
     * @return bool
1167
     */
1168
    public function deleteMessage($chatId, $messageId)
1169
    {
1170
        return $this->call('deleteMessage', [
1171
            'chat_id' => $chatId,
1172
            'message_id' => $messageId,
1173
        ]);
1174
    }
1175
1176
    /**
1177
     * Close curl
1178
     */
1179 9
    public function __destruct()
1180
    {
1181 9
        $this->curl && curl_close($this->curl);
1182 9
    }
1183
1184
    /**
1185
     * @return string
1186
     */
1187
    public function getUrl()
1188
    {
1189
        return self::URL_PREFIX.$this->token;
1190
    }
1191
1192
    /**
1193
     * @return string
1194
     */
1195
    public function getFileUrl()
1196
    {
1197
        return self::FILE_URL_PREFIX.$this->token;
1198
    }
1199
1200
    /**
1201
     * @param \TelegramBot\Api\Types\Update $update
1202
     * @param string $eventName
1203
     *
1204
     * @throws \TelegramBot\Api\Exception
1205
     */
1206
    public function trackUpdate(Update $update, $eventName = 'Message')
1207
    {
1208
        if (!in_array($update->getUpdateId(), $this->trackedEvents)) {
1209
            $this->trackedEvents[] = $update->getUpdateId();
1210
1211
            $this->track($update->getMessage(), $eventName);
1212
1213
            if (count($this->trackedEvents) > self::MAX_TRACKED_EVENTS) {
1214
                $this->trackedEvents = array_slice($this->trackedEvents, round(self::MAX_TRACKED_EVENTS / 4));
1215
            }
1216
        }
1217
    }
1218
1219
    /**
1220
     * Wrapper for tracker
1221
     *
1222
     * @param \TelegramBot\Api\Types\Message $message
1223
     * @param string $eventName
1224
     *
1225
     * @throws \TelegramBot\Api\Exception
1226
     */
1227
    public function track(Message $message, $eventName = 'Message')
1228
    {
1229
        if ($this->tracker instanceof Botan) {
1230
            $this->tracker->track($message, $eventName);
1231
        }
1232
    }
1233
1234
    /**
1235
     * Use this method to send invoices. On success, the sent Message is returned.
1236
     *
1237
     * @param int|string $chatId
1238
     * @param string $title
1239
     * @param string $description
1240
     * @param string $payload
1241
     * @param string $providerToken
1242
     * @param string $startParameter
1243
     * @param string $currency
1244
     * @param array $prices
1245
     * @param string|null $photoUrl
1246
     * @param int|null $photoSize
1247
     * @param int|null $photoWidth
1248
     * @param int|null $photoHeight
1249
     * @param bool $needName
1250
     * @param bool $needPhoneNumber
1251
     * @param bool $needEmail
1252
     * @param bool $needShippingAddress
1253
     * @param bool $isFlexible
1254
     * @param int|null $replyToMessageId
1255
     * @param Types\ReplyKeyboardMarkup|Types\ReplyKeyboardHide|Types\ForceReply|
1256
     *        Types\ReplyKeyboardRemove|null $replyMarkup
1257
     * @param bool $disableNotification
1258
     * @param string|null $providerData
1259
     * @param bool $sendPhoneNumberToProvider
1260
     * @param bool $sendEmailToProvider
1261
     *
1262
     * @return Message
1263
     */
1264
    public function sendInvoice(
1265
        $chatId,
1266
        $title,
1267
        $description,
1268
        $payload,
1269
        $providerToken,
1270
        $startParameter,
1271
        $currency,
1272
        $prices,
1273
        $isFlexible = false,
1274
        $photoUrl = null,
1275
        $photoSize = null,
1276
        $photoWidth = null,
1277
        $photoHeight = null,
1278
        $needName = false,
1279
        $needPhoneNumber = false,
1280
        $needEmail = false,
1281
        $needShippingAddress = false,
1282
        $replyToMessageId = null,
1283
        $replyMarkup = null,
1284
        $disableNotification = false,
1285
        $providerData = null,
1286
        $sendPhoneNumberToProvider = false,
1287
        $sendEmailToProvider = false
1288
    ) {
1289
        return Message::fromResponse($this->call('sendInvoice', [
1290
            'chat_id' => $chatId,
1291
            'title' => $title,
1292
            'description' => $description,
1293
            'payload' => $payload,
1294
            'provider_token' => $providerToken,
1295
            'start_parameter' => $startParameter,
1296
            'currency' => $currency,
1297
            'prices' => json_encode($prices),
1298
            'is_flexible' => $isFlexible,
1299
            'photo_url' => $photoUrl,
1300
            'photo_size' => $photoSize,
1301
            'photo_width' => $photoWidth,
1302
            'photo_height' => $photoHeight,
1303
            'need_name' => $needName,
1304
            'need_phone_number' => $needPhoneNumber,
1305
            'need_email' => $needEmail,
1306
            'need_shipping_address' => $needShippingAddress,
1307
            'reply_to_message_id' => $replyToMessageId,
1308
            'reply_markup' => is_null($replyMarkup) ? $replyMarkup : $replyMarkup->toJson(),
1309
            'disable_notification' => (bool)$disableNotification,
1310
            'provider_data' => $providerData,
1311
            'send_phone_number_to_provider' => (bool)$sendPhoneNumberToProvider,
1312
            'send_email_to_provider' => (bool)$sendEmailToProvider
1313
        ]));
1314
    }
1315
1316
    /**
1317
     * If you sent an invoice requesting a shipping address and the parameter is_flexible was specified, the Bot API
1318
     * will send an Update with a shipping_query field to the bot. Use this method to reply to shipping queries.
1319
     * On success, True is returned.
1320
     *
1321
     * @param string $shippingQueryId
1322
     * @param bool $ok
1323
     * @param array $shipping_options
1324
     * @param null|string $errorMessage
1325
     *
1326
     * @return bool
1327
     *
1328
     */
1329
    public function answerShippingQuery($shippingQueryId, $ok = true, $shipping_options = [], $errorMessage = null)
1330
    {
1331
        return $this->call('answerShippingQuery', [
1332
            'shipping_query_id' => $shippingQueryId,
1333
            'ok' => (bool)$ok,
1334
            'shipping_options' => json_encode($shipping_options),
1335
            'error_message' => $errorMessage
1336
        ]);
1337
    }
1338
1339
    /**
1340
     * Use this method to respond to such pre-checkout queries. On success, True is returned.
1341
     * Note: The Bot API must receive an answer within 10 seconds after the pre-checkout query was sent.
1342
     *
1343
     * @param string $preCheckoutQueryId
1344
     * @param bool $ok
1345
     * @param null|string $errorMessage
1346
     *
1347
     * @return mixed
1348
     */
1349
    public function answerPreCheckoutQuery($preCheckoutQueryId, $ok = true, $errorMessage = null)
1350
    {
1351
        return $this->call('answerPreCheckoutQuery', [
1352
            'pre_checkout_query_id' => $preCheckoutQueryId,
1353
            'ok' => (bool)$ok,
1354
            'error_message' => $errorMessage
1355
        ]);
1356
    }
1357
1358
    /**
1359
     * Use this method to restrict a user in a supergroup.
1360
     * The bot must be an administrator in the supergroup for this to work and must have the appropriate admin rights.
1361
     * Pass True for all boolean parameters to lift restrictions from a user.
1362
     *
1363
     * @param string|int $chatId Unique identifier for the target chat or username of the target supergroup
1364
     *                   (in the format @supergroupusername)
1365
     * @param int $userId Unique identifier of the target user
1366
     * @param null|integer $untilDate Date when restrictions will be lifted for the user, unix time.
1367
     *                     If user is restricted for more than 366 days or less than 30 seconds from the current time,
1368
     *                     they are considered to be restricted forever
1369
     * @param bool $canSendMessages Pass True, if the user can send text messages, contacts, locations and venues
1370
     * @param bool $canSendMediaMessages No Pass True, if the user can send audios, documents, photos, videos,
1371
     *                                   video notes and voice notes, implies can_send_messages
1372
     * @param bool $canSendOtherMessages Pass True, if the user can send animations, games, stickers and
1373
     *                                   use inline bots, implies can_send_media_messages
1374
     * @param bool $canAddWebPagePreviews Pass True, if the user may add web page previews to their messages,
1375
     *                                    implies can_send_media_messages
1376
     *
1377
     * @return bool
1378
     */
1379
    public function restrictChatMember(
1380
        $chatId,
1381
        $userId,
1382
        $untilDate = null,
1383
        $canSendMessages = false,
1384
        $canSendMediaMessages = false,
1385
        $canSendOtherMessages = false,
1386
        $canAddWebPagePreviews = false
1387
    ) {
1388
        return $this->call('restrictChatMember', [
1389
            'chat_id' => $chatId,
1390
            'user_id' => $userId,
1391
            'until_date' => $untilDate,
1392
            'can_send_messages' => $canSendMessages,
1393
            'can_send_media_messages' => $canSendMediaMessages,
1394
            'can_send_other_messages' => $canSendOtherMessages,
1395
            'can_add_web_page_previews' => $canAddWebPagePreviews
1396
        ]);
1397
    }
1398
1399
    /**
1400
     * Use this method to promote or demote a user in a supergroup or a channel.
1401
     * The bot must be an administrator in the chat for this to work and must have the appropriate admin rights.
1402
     * Pass False for all boolean parameters to demote a user.
1403
     *
1404
     * @param string|int $chatId Unique identifier for the target chat or username of the target supergroup
1405
     *                   (in the format @supergroupusername)
1406
     * @param int $userId Unique identifier of the target user
1407
     * @param bool $canChangeInfo Pass True, if the administrator can change chat title, photo and other settings
1408
     * @param bool $canPostMessages Pass True, if the administrator can create channel posts, channels only
1409
     * @param bool $canEditMessages Pass True, if the administrator can edit messages of other users, channels only
1410
     * @param bool $canDeleteMessages Pass True, if the administrator can delete messages of other users
1411
     * @param bool $canInviteUsers Pass True, if the administrator can invite new users to the chat
1412
     * @param bool $canRestrictMembers Pass True, if the administrator can restrict, ban or unban chat members
1413
     * @param bool $canPinMessages Pass True, if the administrator can pin messages, supergroups only
1414
     * @param bool $canPromoteMembers Pass True, if the administrator can add new administrators with a subset of his
1415
     *                                own privileges or demote administrators that he has promoted,directly or
1416
     *                                indirectly (promoted by administrators that were appointed by him)
1417
     *
1418
     * @return bool
1419
     */
1420
    public function promoteChatMember(
1421
        $chatId,
1422
        $userId,
1423
        $canChangeInfo = true,
1424
        $canPostMessages = true,
1425
        $canEditMessages = true,
1426
        $canDeleteMessages = true,
1427
        $canInviteUsers = true,
1428
        $canRestrictMembers = true,
1429
        $canPinMessages = true,
1430
        $canPromoteMembers = true
1431
    ) {
1432
        return $this->call('promoteChatMember', [
1433
            'chat_id' => $chatId,
1434
            'user_id' => $userId,
1435
            'can_change_info' => $canChangeInfo,
1436
            'can_post_messages' => $canPostMessages,
1437
            'can_edit_messages' => $canEditMessages,
1438
            'can_delete_messages' => $canDeleteMessages,
1439
            'can_invite_users' => $canInviteUsers,
1440
            'can_restrict_members' => $canRestrictMembers,
1441
            'can_pin_messages' => $canPinMessages,
1442
            'can_promote_members' => $canPromoteMembers
1443
        ]);
1444
    }
1445
1446
    /**
1447
     * Use this method to export an invite link to a supergroup or a channel.
1448
     * The bot must be an administrator in the chat for this to work and must have the appropriate admin rights.
1449
     *
1450
     * @param string|int $chatId Unique identifier for the target chat or username of the target channel
1451
     *                           (in the format @channelusername)
1452
     * @return string
1453
     */
1454
    public function exportChatInviteLink($chatId)
1455
    {
1456
        return $this->call('exportChatInviteLink', [
1457
            'chat_id' => $chatId
1458
        ]);
1459
    }
1460
1461
    /**
1462
     * Use this method to set a new profile photo for the chat. Photos can't be changed for private chats.
1463
     * The bot must be an administrator in the chat for this to work and must have the appropriate admin rights.
1464
     *
1465
     * @param string|int $chatId Unique identifier for the target chat or username of the target channel
1466
     *                           (in the format @channelusername)
1467
     * @param \CURLFile|string $photo New chat photo, uploaded using multipart/form-data
1468
     *
1469
     * @return bool
1470
     */
1471
    public function setChatPhoto($chatId, $photo)
1472
    {
1473
        return $this->call('setChatPhoto', [
1474
            'chat_id' => $chatId,
1475
            'photo' => $photo
1476
        ]);
1477
    }
1478
1479
    /**
1480
     * Use this method to delete a chat photo. Photos can't be changed for private chats.
1481
     * The bot must be an administrator in the chat for this to work and must have the appropriate admin rights.
1482
     *
1483
     * @param string|int $chatId Unique identifier for the target chat or username of the target channel
1484
     *                           (in the format @channelusername)
1485
     *
1486
     * @return bool
1487
     */
1488
    public function deleteChatPhoto($chatId)
1489
    {
1490
        return $this->call('deleteChatPhoto', [
1491
            'chat_id' => $chatId
1492
        ]);
1493
    }
1494
1495
    /**
1496
     * Use this method to change the title of a chat. Titles can't be changed for private chats.
1497
     * The bot must be an administrator in the chat for this to work and must have the appropriate admin rights.
1498
     *
1499
     * @param string|int $chatId Unique identifier for the target chat or username of the target channel
1500
     *                           (in the format @channelusername)
1501
     * @param string $title New chat title, 1-255 characters
1502
     *
1503
     * @return bool
1504
     */
1505
    public function setChatTitle($chatId, $title)
1506
    {
1507
        return $this->call('setChatTitle', [
1508
            'chat_id' => $chatId,
1509
            'title' => $title
1510
        ]);
1511
    }
1512
1513
    /**
1514
     * Use this method to change the description of a supergroup or a channel.
1515
     * The bot must be an administrator in the chat for this to work and must have the appropriate admin rights.
1516
     *
1517
     * @param string|int $chatId Unique identifier for the target chat or username of the target channel
1518
     *                   (in the format @channelusername)
1519
     * @param string|null $description New chat description, 0-255 characters
1520
     *
1521
     * @return bool
1522
     */
1523
    public function setChatDescription($chatId, $description = null)
1524
    {
1525
        return $this->call('setChatDescription', [
1526
            'chat_id' => $chatId,
1527
            'title' => $description
1528
        ]);
1529
    }
1530
1531
    /**
1532
     * Use this method to pin a message in a supergroup.
1533
     * The bot must be an administrator in the chat for this to work and must have the appropriate admin rights.
1534
     *
1535
     * @param string|int $chatId Unique identifier for the target chat or username of the target channel
1536
     *                   (in the format @channelusername)
1537
     * @param int $messageId Identifier of a message to pin
1538
     * @param bool $disableNotification
1539
     *
1540
     * @return bool
1541
     */
1542
    public function pinChatMessage($chatId, $messageId, $disableNotification = false)
1543
    {
1544
        return $this->call('pinChatMessage', [
1545
            'chat_id' => $chatId,
1546
            'message_id' => $messageId,
1547
            'disable_notification' => $disableNotification
1548
        ]);
1549
    }
1550
1551
    /**
1552
     * Use this method to unpin a message in a supergroup chat.
1553
     * The bot must be an administrator in the chat for this to work and must have the appropriate admin rights.
1554
     *
1555
     * @param string|int $chatId Unique identifier for the target chat or username of the target channel
1556
     *                   (in the format @channelusername)
1557
     *
1558
     * @return bool
1559
     */
1560
    public function unpinChatMessage($chatId)
1561
    {
1562
        return $this->call('unpinChatMessage', [
1563
            'chat_id' => $chatId
1564
        ]);
1565
    }
1566
1567
    /**
1568
     * Use this method to get up to date information about the chat
1569
     * (current name of the user for one-on-one conversations, current username of a user, group or channel, etc.).
1570
     *
1571
     * @param string|int $chatId Unique identifier for the target chat or username of the target channel
1572
     *                   (in the format @channelusername)
1573
     *
1574
     * @return Chat
1575
     */
1576
    public function getChat($chatId)
1577
    {
1578
        return Chat::fromResponse($this->call('getChat', [
1579
            'chat_id' => $chatId
1580
        ]));
1581
    }
1582
1583
    /**
1584
     * Use this method to get information about a member of a chat.
1585
     *
1586
     * @param string|int $chatId Unique identifier for the target chat or username of the target channel
1587
     *                   (in the format @channelusername)
1588
     * @param int $userId
1589
     *
1590
     * @return ChatMember
1591
     */
1592
    public function getChatMember($chatId, $userId)
1593
    {
1594
        return ChatMember::fromResponse($this->call('getChatMember', [
1595
            'chat_id' => $chatId,
1596
            'user_id' => $userId
1597
        ]));
1598
    }
1599
1600
    /**
1601
     * Use this method for your bot to leave a group, supergroup or channel.
1602
     *
1603
     * @param string|int $chatId Unique identifier for the target chat or username of the target channel
1604
     *                   (in the format @channelusername)
1605
     *
1606
     * @return bool
1607
     */
1608
    public function leaveChat($chatId)
1609
    {
1610
        return $this->call('leaveChat', [
1611
            'chat_id' => $chatId
1612
        ]);
1613
    }
1614
1615
    /**
1616
     * Use this method to get the number of members in a chat.
1617
     *
1618
     * @param string|int $chatId Unique identifier for the target chat or username of the target channel
1619
     *                   (in the format @channelusername)
1620
     *
1621
     * @return int
1622
     */
1623
    public function getChatMembersCount($chatId)
1624
    {
1625
        return $this->call(
1626
            'getChatMembersCount',
1627
            [
1628
                'chat_id' => $chatId
1629
            ]
1630
        );
1631
    }
1632
1633
    /**
1634
     * Use this method to get a list of administrators in a chat.
1635
     *
1636
     * @param string|int $chatId Unique identifier for the target chat or username of the target channel
1637
     *                   (in the format @channelusername)
1638
     *
1639
     * @return array
1640
     */
1641
    public function getChatAdministrators($chatId)
1642
    {
1643
        return ArrayOfChatMemberEntity::fromResponse(
1644
            $this->call(
1645
                'getChatAdministrators',
1646
                [
1647
                    'chat_id' => $chatId
1648
                ]
1649
            )
1650
        );
1651
    }
1652
1653
    /**
1654
     * As of v.4.0, Telegram clients support rounded square mp4 videos of up to 1 minute long.
1655
     * Use this method to send video messages.
1656
     * On success, the sent Message is returned.
1657
     *
1658
     * @param int|string $chatId chat_id or @channel_name
1659
     * @param \CURLFile|string $videoNote
1660
     * @param int|null $duration
1661
     * @param int|null $length
1662
     * @param int|null $replyToMessageId
1663
     * @param Types\ReplyKeyboardMarkup|Types\ReplyKeyboardHide|Types\ForceReply|
1664
     *        Types\ReplyKeyboardRemove|null $replyMarkup
1665
     * @param bool $disableNotification
1666
     *
1667
     * @return \TelegramBot\Api\Types\Message
1668
     * @throws \TelegramBot\Api\InvalidArgumentException
1669
     * @throws \TelegramBot\Api\Exception
1670
     */
1671
    public function sendVideoNote(
1672
        $chatId,
1673
        $videoNote,
1674
        $duration = null,
1675
        $length = null,
1676
        $replyToMessageId = null,
1677
        $replyMarkup = null,
1678
        $disableNotification = false
1679
    ) {
1680
        return Message::fromResponse($this->call('sendVideoNote', [
1681
            'chat_id' => $chatId,
1682
            'video_note' => $videoNote,
1683
            'duration' => $duration,
1684
            'length' => $length,
1685
            'reply_to_message_id' => $replyToMessageId,
1686
            'reply_markup' => is_null($replyMarkup) ? $replyMarkup : $replyMarkup->toJson(),
1687
            'disable_notification' => (bool)$disableNotification
1688
        ]));
1689
    }
1690
1691
    /**
1692
     * Use this method to send a group of photos or videos as an album.
1693
     * On success, the sent \TelegramBot\Api\Types\Message is returned.
1694
     *
1695
     * @param int|string $chatId
1696
     * @param ArrayOfInputMedia $media
1697
     * @param int|null $replyToMessageId
1698
     * @param bool $disableNotification
1699
     *
1700
     * @return array
1701
     * @throws \TelegramBot\Api\Exception
1702
     */
1703
    public function sendMediaGroup(
1704
        $chatId,
1705
        $media,
1706
        $disableNotification = false,
1707
        $replyToMessageId = null
1708
    ) {
1709
        return ArrayOfMessages::fromResponse($this->call('sendMediaGroup', [
1710
            'chat_id' => $chatId,
1711
            'media' => $media->toJson(),
1712
            'reply_to_message_id' => (int)$replyToMessageId,
1713
            'disable_notification' => (bool)$disableNotification
1714
        ]));
1715
    }
1716
1717
    /**
1718
     * Enable proxy for curl requests. Empty string will disable proxy.
1719
     *
1720
     * @param string $proxyString
1721
     *
1722
     * @return BotApi
1723
     */
1724
    public function setProxy($proxyString = '')
1725
    {
1726
        if (empty($proxyString)) {
1727
            $this->proxySettings = [];
1728
            return $this;
1729
        }
1730
1731
        $this->proxySettings = [
1732
            CURLOPT_PROXY => $proxyString,
1733
            CURLOPT_HTTPPROXYTUNNEL => true,
1734
        ];
1735
        return $this;
1736
    }
1737
1738
    /**
1739
     * Set an option for a cURL transfer
1740
     *
1741
     * @param int $option The CURLOPT_XXX option to set
1742
     * @param mixed $value The value to be set on option
1743
     */
1744
    public function setCurlOption($option, $value)
1745
    {
1746
        $this->customCurlOptions[$option] = $value;
1747
    }
1748
1749
    /**
1750
     * Unset an option for a cURL transfer
1751
     *
1752
     * @param int $option The CURLOPT_XXX option to unset
1753
     */
1754
    public function unsetCurlOption($option)
1755
    {
1756
        unset($this->customCurlOptions[$option]);
1757
    }
1758
1759
    /**
1760
     * Clean custom options
1761
     */
1762
    public function resetCurlOptions()
1763
    {
1764
        $this->customCurlOptions = [];
1765
    }
1766
}
1767