├── Gemfile ├── .github └── workflows │ └── release.yml ├── business_diff.json ├── bot_only_diff.json ├── unauthed_diff.json ├── README.md ├── Gemfile.lock ├── bot.json ├── user_only_diff.json └── v4.json /Gemfile: -------------------------------------------------------------------------------- 1 | # frozen_string_literal: true 2 | 3 | source "https://rubygems.org" 4 | 5 | git_source(:github) { |repo_name| "https://github.com/#{repo_name}" } 6 | 7 | # gem "rails" 8 | gem "github-pages", "~> 215", group: :jekyll_plugins -------------------------------------------------------------------------------- /.github/workflows/release.yml: -------------------------------------------------------------------------------- 1 | name: Main 2 | 3 | on: push 4 | 5 | jobs: 6 | build: 7 | runs-on: ubuntu-latest 8 | steps: 9 | - name: Checkout 10 | uses: actions/checkout@v3 11 | - name: Release 12 | uses: softprops/action-gh-release@v1 13 | with: 14 | tag_name: latest 15 | files: | 16 | bot.json 17 | core.json 18 | v2.json 19 | v3.json 20 | v4.json 21 | -------------------------------------------------------------------------------- /business_diff.json: -------------------------------------------------------------------------------- 1 | { 2 | "ok": true, 3 | "result": [ 4 | "account.setGlobalPrivacySettings", 5 | "account.updateProfile", 6 | "messages.deleteMessages", 7 | "messages.editMessage", 8 | "messages.readHistory", 9 | "messages.sendMedia", 10 | "messages.sendMessage", 11 | "messages.sendMultiMedia", 12 | "messages.setTyping", 13 | "messages.updatePinnedMessage", 14 | "payments.convertStarGift", 15 | "payments.exportInvoice", 16 | "payments.getPaymentForm", 17 | "payments.getSavedStarGifts", 18 | "payments.getStarsStatus", 19 | "payments.sendStarsForm", 20 | "payments.transferStarGift", 21 | "payments.upgradeStarGift", 22 | "stories.deleteStories" 23 | ] 24 | } -------------------------------------------------------------------------------- /bot_only_diff.json: -------------------------------------------------------------------------------- 1 | { 2 | "ok": true, 3 | "result": [ 4 | "bots.answerWebhookJSONQuery", 5 | "bots.getBotCommands", 6 | "bots.getBotMenuButton", 7 | "bots.resetBotCommands", 8 | "bots.sendCustomRequest", 9 | "bots.setBotBroadcastDefaultAdminRights", 10 | "bots.setBotCommands", 11 | "bots.setBotGroupDefaultAdminRights", 12 | "bots.setBotMenuButton", 13 | "bots.updateUserEmojiStatus", 14 | "help.setBotUpdatesStatus", 15 | "messages.getGameHighScores", 16 | "messages.getInlineGameHighScores", 17 | "messages.savePreparedInlineMessage", 18 | "messages.sendWebViewResultMessage", 19 | "messages.setBotCallbackAnswer", 20 | "messages.setBotPrecheckoutResults", 21 | "messages.setBotShippingResults", 22 | "messages.setGameScore", 23 | "messages.setInlineBotResults", 24 | "messages.setInlineGameScore", 25 | "payments.exportInvoice", 26 | "payments.refundStarsCharge", 27 | "users.setSecureValueErrors" 28 | ] 29 | } -------------------------------------------------------------------------------- /unauthed_diff.json: -------------------------------------------------------------------------------- 1 | { 2 | "ok": true, 3 | "result": [ 4 | "account.deleteAccount", 5 | "account.getPassword", 6 | "account.sendVerifyEmailCode", 7 | "account.verifyEmail", 8 | "auth.bindTempAuthKey", 9 | "auth.cancelCode", 10 | "auth.checkPassword", 11 | "auth.exportLoginToken", 12 | "auth.importAuthorization", 13 | "auth.importBotAuthorization", 14 | "auth.importLoginToken", 15 | "auth.importWebTokenAuthorization", 16 | "auth.reportMissingCode", 17 | "auth.requestFirebaseSms", 18 | "auth.resendCode", 19 | "auth.resetLoginEmail", 20 | "auth.sendCode", 21 | "auth.signIn", 22 | "auth.signUp", 23 | "help.getAppConfig", 24 | "help.getConfig", 25 | "help.getCountriesList", 26 | "help.getDeepLinkInfo", 27 | "help.getNearestDc", 28 | "help.saveAppLog", 29 | "initConnection", 30 | "invokeWithLayer", 31 | "langpack.getDifference", 32 | "langpack.getLangPack", 33 | "langpack.getLanguage", 34 | "langpack.getLanguages", 35 | "langpack.getStrings", 36 | "payments.assignAppStoreTransaction", 37 | "payments.assignPlayMarketTransaction", 38 | "payments.canPurchaseStore", 39 | "payments.getPaymentForm", 40 | "payments.sendPaymentForm" 41 | ] 42 | } -------------------------------------------------------------------------------- /README.md: -------------------------------------------------------------------------------- 1 | # RPC database 2 | 3 | This database contains info about telegram MTProto RPC errors and localized descriptions for said errors. 4 | 5 | See [here](https://github.com/danog/telerpc) for the error reporting API. 6 | 7 | [Database JSON available at https://rpc.madelineproto.xyz/core.json »](https://rpc.madelineproto.xyz/core.json). 8 | 9 | Structure: 10 | 11 | * `errors` - All error messages and codes for each method (object). 12 | * Keys: Error codes as strings (numeric strings) 13 | * Values: All error messages for each method (object) 14 | * Keys: Error messages (string) 15 | * Values: An array of methods which may emit this error (array of strings, may be empty for errors that can be emitted by any method) 16 | * `descriptions` - Descriptions for every error mentioned in `errors` (and a few other errors not related to a specific method) 17 | * Keys: Error messages 18 | * Values: Error descriptions 19 | * `user_only` - A list of methods that can only be used by users, **not** bots. 20 | * `bot_only` - A list of methods that can only be used by bots, **not** users. 21 | * `business_supported` - A list of methods that can be used by bots over a [business connection with invokeWithBusinessConnection](https://core.telegram.org/api/business). 22 | 23 | Error messages and error descriptions may contain `printf` placeholders in key positions, for now only `%d` is used to map durations contained in error messages to error descriptions. 24 | 25 | Example: 26 | 27 | ```json 28 | { 29 | "errors": { 30 | "420": { 31 | "2FA_CONFIRM_WAIT_%d": [ 32 | "account.deleteAccount" 33 | ], 34 | "SLOWMODE_WAIT_%d": [ 35 | "messages.forwardMessages", 36 | "messages.sendInlineBotResult", 37 | "messages.sendMedia", 38 | "messages.sendMessage", 39 | "messages.sendMultiMedia" 40 | ] 41 | } 42 | }, 43 | "descriptions": { 44 | "2FA_CONFIRM_WAIT_%d": "Since this account is active and protected by a 2FA password, we will delete it in 1 week for security purposes. You can cancel this process at any time, you'll be able to reset your account in %d seconds.", 45 | "SLOWMODE_WAIT_%d": "Slowmode is enabled in this chat: wait %d seconds before sending another message to this chat.", 46 | "FLOOD_WAIT_%d": "Please wait %d seconds before repeating the action." 47 | }, 48 | "user_only": [ 49 | "account.deleteAccount" 50 | ], 51 | "bot_only": [ 52 | "messages.setInlineBotResults" 53 | ], 54 | "business_supported": [ 55 | "messages.sendMessage" 56 | ] 57 | } 58 | ``` -------------------------------------------------------------------------------- /Gemfile.lock: -------------------------------------------------------------------------------- 1 | GEM 2 | remote: https://rubygems.org/ 3 | specs: 4 | activesupport (6.0.4.1) 5 | concurrent-ruby (~> 1.0, >= 1.0.2) 6 | i18n (>= 0.7, < 2) 7 | minitest (~> 5.1) 8 | tzinfo (~> 1.1) 9 | zeitwerk (~> 2.2, >= 2.2.2) 10 | addressable (2.8.0) 11 | public_suffix (>= 2.0.2, < 5.0) 12 | coffee-script (2.4.1) 13 | coffee-script-source 14 | execjs 15 | coffee-script-source (1.11.1) 16 | colorator (1.1.0) 17 | commonmarker (0.17.13) 18 | ruby-enum (~> 0.5) 19 | concurrent-ruby (1.1.9) 20 | dnsruby (1.61.7) 21 | simpleidn (~> 0.1) 22 | em-websocket (0.5.2) 23 | eventmachine (>= 0.12.9) 24 | http_parser.rb (~> 0.6.0) 25 | ethon (0.14.0) 26 | ffi (>= 1.15.0) 27 | eventmachine (1.2.7) 28 | execjs (2.8.1) 29 | faraday (1.8.0) 30 | faraday-em_http (~> 1.0) 31 | faraday-em_synchrony (~> 1.0) 32 | faraday-excon (~> 1.1) 33 | faraday-httpclient (~> 1.0.1) 34 | faraday-net_http (~> 1.0) 35 | faraday-net_http_persistent (~> 1.1) 36 | faraday-patron (~> 1.0) 37 | faraday-rack (~> 1.0) 38 | multipart-post (>= 1.2, < 3) 39 | ruby2_keywords (>= 0.0.4) 40 | faraday-em_http (1.0.0) 41 | faraday-em_synchrony (1.0.0) 42 | faraday-excon (1.1.0) 43 | faraday-httpclient (1.0.1) 44 | faraday-net_http (1.0.1) 45 | faraday-net_http_persistent (1.2.0) 46 | faraday-patron (1.0.0) 47 | faraday-rack (1.0.0) 48 | ffi (1.15.4) 49 | forwardable-extended (2.6.0) 50 | gemoji (3.0.1) 51 | github-pages (215) 52 | github-pages-health-check (= 1.17.2) 53 | jekyll (= 3.9.0) 54 | jekyll-avatar (= 0.7.0) 55 | jekyll-coffeescript (= 1.1.1) 56 | jekyll-commonmark-ghpages (= 0.1.6) 57 | jekyll-default-layout (= 0.1.4) 58 | jekyll-feed (= 0.15.1) 59 | jekyll-gist (= 1.5.0) 60 | jekyll-github-metadata (= 2.13.0) 61 | jekyll-mentions (= 1.6.0) 62 | jekyll-optional-front-matter (= 0.3.2) 63 | jekyll-paginate (= 1.1.0) 64 | jekyll-readme-index (= 0.3.0) 65 | jekyll-redirect-from (= 0.16.0) 66 | jekyll-relative-links (= 0.6.1) 67 | jekyll-remote-theme (= 0.4.3) 68 | jekyll-sass-converter (= 1.5.2) 69 | jekyll-seo-tag (= 2.7.1) 70 | jekyll-sitemap (= 1.4.0) 71 | jekyll-swiss (= 1.0.0) 72 | jekyll-theme-architect (= 0.1.1) 73 | jekyll-theme-cayman (= 0.1.1) 74 | jekyll-theme-dinky (= 0.1.1) 75 | jekyll-theme-hacker (= 0.1.2) 76 | jekyll-theme-leap-day (= 0.1.1) 77 | jekyll-theme-merlot (= 0.1.1) 78 | jekyll-theme-midnight (= 0.1.1) 79 | jekyll-theme-minimal (= 0.1.1) 80 | jekyll-theme-modernist (= 0.1.1) 81 | jekyll-theme-primer (= 0.5.4) 82 | jekyll-theme-slate (= 0.1.1) 83 | jekyll-theme-tactile (= 0.1.1) 84 | jekyll-theme-time-machine (= 0.1.1) 85 | jekyll-titles-from-headings (= 0.5.3) 86 | jemoji (= 0.12.0) 87 | kramdown (= 2.3.1) 88 | kramdown-parser-gfm (= 1.1.0) 89 | liquid (= 4.0.3) 90 | mercenary (~> 0.3) 91 | minima (= 2.5.1) 92 | nokogiri (>= 1.10.4, < 2.0) 93 | rouge (= 3.26.0) 94 | terminal-table (~> 1.4) 95 | github-pages-health-check (1.17.2) 96 | addressable (~> 2.3) 97 | dnsruby (~> 1.60) 98 | octokit (~> 4.0) 99 | public_suffix (>= 2.0.2, < 5.0) 100 | typhoeus (~> 1.3) 101 | html-pipeline (2.14.0) 102 | activesupport (>= 2) 103 | nokogiri (>= 1.4) 104 | http_parser.rb (0.6.0) 105 | i18n (0.9.5) 106 | concurrent-ruby (~> 1.0) 107 | jekyll (3.9.0) 108 | addressable (~> 2.4) 109 | colorator (~> 1.0) 110 | em-websocket (~> 0.5) 111 | i18n (~> 0.7) 112 | jekyll-sass-converter (~> 1.0) 113 | jekyll-watch (~> 2.0) 114 | kramdown (>= 1.17, < 3) 115 | liquid (~> 4.0) 116 | mercenary (~> 0.3.3) 117 | pathutil (~> 0.9) 118 | rouge (>= 1.7, < 4) 119 | safe_yaml (~> 1.0) 120 | jekyll-avatar (0.7.0) 121 | jekyll (>= 3.0, < 5.0) 122 | jekyll-coffeescript (1.1.1) 123 | coffee-script (~> 2.2) 124 | coffee-script-source (~> 1.11.1) 125 | jekyll-commonmark (1.3.1) 126 | commonmarker (~> 0.14) 127 | jekyll (>= 3.7, < 5.0) 128 | jekyll-commonmark-ghpages (0.1.6) 129 | commonmarker (~> 0.17.6) 130 | jekyll-commonmark (~> 1.2) 131 | rouge (>= 2.0, < 4.0) 132 | jekyll-default-layout (0.1.4) 133 | jekyll (~> 3.0) 134 | jekyll-feed (0.15.1) 135 | jekyll (>= 3.7, < 5.0) 136 | jekyll-gist (1.5.0) 137 | octokit (~> 4.2) 138 | jekyll-github-metadata (2.13.0) 139 | jekyll (>= 3.4, < 5.0) 140 | octokit (~> 4.0, != 4.4.0) 141 | jekyll-mentions (1.6.0) 142 | html-pipeline (~> 2.3) 143 | jekyll (>= 3.7, < 5.0) 144 | jekyll-optional-front-matter (0.3.2) 145 | jekyll (>= 3.0, < 5.0) 146 | jekyll-paginate (1.1.0) 147 | jekyll-readme-index (0.3.0) 148 | jekyll (>= 3.0, < 5.0) 149 | jekyll-redirect-from (0.16.0) 150 | jekyll (>= 3.3, < 5.0) 151 | jekyll-relative-links (0.6.1) 152 | jekyll (>= 3.3, < 5.0) 153 | jekyll-remote-theme (0.4.3) 154 | addressable (~> 2.0) 155 | jekyll (>= 3.5, < 5.0) 156 | jekyll-sass-converter (>= 1.0, <= 3.0.0, != 2.0.0) 157 | rubyzip (>= 1.3.0, < 3.0) 158 | jekyll-sass-converter (1.5.2) 159 | sass (~> 3.4) 160 | jekyll-seo-tag (2.7.1) 161 | jekyll (>= 3.8, < 5.0) 162 | jekyll-sitemap (1.4.0) 163 | jekyll (>= 3.7, < 5.0) 164 | jekyll-swiss (1.0.0) 165 | jekyll-theme-architect (0.1.1) 166 | jekyll (~> 3.5) 167 | jekyll-seo-tag (~> 2.0) 168 | jekyll-theme-cayman (0.1.1) 169 | jekyll (~> 3.5) 170 | jekyll-seo-tag (~> 2.0) 171 | jekyll-theme-dinky (0.1.1) 172 | jekyll (~> 3.5) 173 | jekyll-seo-tag (~> 2.0) 174 | jekyll-theme-hacker (0.1.2) 175 | jekyll (> 3.5, < 5.0) 176 | jekyll-seo-tag (~> 2.0) 177 | jekyll-theme-leap-day (0.1.1) 178 | jekyll (~> 3.5) 179 | jekyll-seo-tag (~> 2.0) 180 | jekyll-theme-merlot (0.1.1) 181 | jekyll (~> 3.5) 182 | jekyll-seo-tag (~> 2.0) 183 | jekyll-theme-midnight (0.1.1) 184 | jekyll (~> 3.5) 185 | jekyll-seo-tag (~> 2.0) 186 | jekyll-theme-minimal (0.1.1) 187 | jekyll (~> 3.5) 188 | jekyll-seo-tag (~> 2.0) 189 | jekyll-theme-modernist (0.1.1) 190 | jekyll (~> 3.5) 191 | jekyll-seo-tag (~> 2.0) 192 | jekyll-theme-primer (0.5.4) 193 | jekyll (> 3.5, < 5.0) 194 | jekyll-github-metadata (~> 2.9) 195 | jekyll-seo-tag (~> 2.0) 196 | jekyll-theme-slate (0.1.1) 197 | jekyll (~> 3.5) 198 | jekyll-seo-tag (~> 2.0) 199 | jekyll-theme-tactile (0.1.1) 200 | jekyll (~> 3.5) 201 | jekyll-seo-tag (~> 2.0) 202 | jekyll-theme-time-machine (0.1.1) 203 | jekyll (~> 3.5) 204 | jekyll-seo-tag (~> 2.0) 205 | jekyll-titles-from-headings (0.5.3) 206 | jekyll (>= 3.3, < 5.0) 207 | jekyll-watch (2.2.1) 208 | listen (~> 3.0) 209 | jemoji (0.12.0) 210 | gemoji (~> 3.0) 211 | html-pipeline (~> 2.2) 212 | jekyll (>= 3.0, < 5.0) 213 | kramdown (2.3.1) 214 | rexml 215 | kramdown-parser-gfm (1.1.0) 216 | kramdown (~> 2.0) 217 | liquid (4.0.3) 218 | listen (3.7.0) 219 | rb-fsevent (~> 0.10, >= 0.10.3) 220 | rb-inotify (~> 0.9, >= 0.9.10) 221 | mercenary (0.3.6) 222 | mini_portile2 (2.8.5) 223 | minima (2.5.1) 224 | jekyll (>= 3.5, < 5.0) 225 | jekyll-feed (~> 0.9) 226 | jekyll-seo-tag (~> 2.1) 227 | minitest (5.14.4) 228 | multipart-post (2.1.1) 229 | nokogiri (1.16.3) 230 | mini_portile2 (~> 2.8.2) 231 | racc (~> 1.4) 232 | nokogiri (1.16.3-x86_64-linux) 233 | racc (~> 1.4) 234 | octokit (4.21.0) 235 | faraday (>= 0.9) 236 | sawyer (~> 0.8.0, >= 0.5.3) 237 | pathutil (0.16.2) 238 | forwardable-extended (~> 2.6) 239 | public_suffix (4.0.6) 240 | racc (1.7.3) 241 | rb-fsevent (0.11.0) 242 | rb-inotify (0.10.1) 243 | ffi (~> 1.0) 244 | rexml (3.2.5) 245 | rouge (3.26.0) 246 | ruby-enum (0.9.0) 247 | i18n 248 | ruby2_keywords (0.0.5) 249 | rubyzip (2.3.2) 250 | safe_yaml (1.0.5) 251 | sass (3.7.4) 252 | sass-listen (~> 4.0.0) 253 | sass-listen (4.0.0) 254 | rb-fsevent (~> 0.9, >= 0.9.4) 255 | rb-inotify (~> 0.9, >= 0.9.7) 256 | sawyer (0.8.2) 257 | addressable (>= 2.3.5) 258 | faraday (> 0.8, < 2.0) 259 | simpleidn (0.2.1) 260 | unf (~> 0.1.4) 261 | terminal-table (1.8.0) 262 | unicode-display_width (~> 1.1, >= 1.1.1) 263 | thread_safe (0.3.6) 264 | typhoeus (1.4.0) 265 | ethon (>= 0.9.0) 266 | tzinfo (1.2.9) 267 | thread_safe (~> 0.1) 268 | unf (0.1.4) 269 | unf_ext 270 | unf_ext (0.0.8) 271 | unicode-display_width (1.8.0) 272 | zeitwerk (2.4.2) 273 | 274 | PLATFORMS 275 | ruby 276 | x86_64-linux 277 | 278 | DEPENDENCIES 279 | github-pages (~> 215) 280 | 281 | BUNDLED WITH 282 | 2.2.26 283 | -------------------------------------------------------------------------------- /bot.json: -------------------------------------------------------------------------------- 1 | {"ok":true,"result":["account.acceptAuthorization","account.cancelPasswordEmail","account.changeAuthorizationSettings","account.changePhone","account.checkUsername","account.clearRecentEmojiStatuses","account.confirmPasswordEmail","account.confirmPhone","account.createBusinessChatLink","account.createTheme","account.declinePasswordReset","account.deleteAccount","account.deleteAutoSaveExceptions","account.deleteBusinessChatLink","account.deleteSecureValue","account.disablePeerConnectedBot","account.editBusinessChatLink","account.finishTakeoutSession","account.getAccountTTL","account.getAllSecureValues","account.getAuthorizationForm","account.getAuthorizations","account.getAutoDownloadSettings","account.getAutoSaveSettings","account.getBusinessChatLinks","account.getChannelDefaultEmojiStatuses","account.getChannelRestrictedStatusEmojis","account.getChatThemes","account.getCollectibleEmojiStatuses","account.getConnectedBots","account.getContactSignUpNotification","account.getContentSettings","account.getDefaultBackgroundEmojis","account.getDefaultEmojiStatuses","account.getDefaultGroupPhotoEmojis","account.getDefaultProfilePhotoEmojis","account.getGlobalPrivacySettings","account.getMultiWallPapers","account.getNotifyExceptions","account.getNotifySettings","account.getPaidMessagesRevenue","account.getPassword","account.getPasswordSettings","account.getPrivacy","account.getReactionsNotifySettings","account.getRecentEmojiStatuses","account.getSavedMusicIds","account.getSavedRingtones","account.getSecureValue","account.getTheme","account.getThemes","account.getTmpPassword","account.getUniqueGiftChatThemes","account.getWallPaper","account.getWallPapers","account.getWebAuthorizations","account.initTakeoutSession","account.installTheme","account.installWallPaper","account.invalidateSignInCodes","account.registerDevice","account.reorderUsernames","account.reportPeer","account.reportProfilePhoto","account.resendPasswordEmail","account.resetAuthorization","account.resetNotifySettings","account.resetPassword","account.resetWallPapers","account.resetWebAuthorization","account.resetWebAuthorizations","account.resolveBusinessChatLink","account.saveAutoDownloadSettings","account.saveAutoSaveSettings","account.saveMusic","account.saveRingtone","account.saveSecureValue","account.saveTheme","account.saveWallPaper","account.sendChangePhoneCode","account.sendConfirmPhoneCode","account.sendVerifyEmailCode","account.sendVerifyPhoneCode","account.setAccountTTL","account.setAuthorizationTTL","account.setContactSignUpNotification","account.setContentSettings","account.setGlobalPrivacySettings","account.setMainProfileTab","account.setPrivacy","account.setReactionsNotifySettings","account.toggleConnectedBotPaused","account.toggleNoPaidMessagesException","account.toggleSponsoredMessages","account.toggleUsername","account.unregisterDevice","account.updateBirthday","account.updateBusinessAwayMessage","account.updateBusinessGreetingMessage","account.updateBusinessIntro","account.updateBusinessLocation","account.updateBusinessWorkHours","account.updateColor","account.updateConnectedBot","account.updateDeviceLocked","account.updateEmojiStatus","account.updateNotifySettings","account.updatePasswordSettings","account.updatePersonalChannel","account.updateProfile","account.updateStatus","account.updateTheme","account.updateUsername","account.uploadRingtone","account.uploadTheme","account.uploadWallPaper","account.verifyEmail","account.verifyPhone","auth.acceptLoginToken","auth.cancelCode","auth.checkPassword","auth.checkRecoveryPassword","auth.exportLoginToken","auth.importLoginToken","auth.importWebTokenAuthorization","auth.recoverPassword","auth.reportMissingCode","auth.requestFirebaseSms","auth.requestPasswordRecovery","auth.resendCode","auth.resetAuthorizations","auth.resetLoginEmail","auth.sendCode","auth.signIn","auth.signUp","bots.addPreviewMedia","bots.allowSendMessage","bots.canSendMessage","bots.checkDownloadFileParams","bots.deletePreviewMedia","bots.editPreviewMedia","bots.getAdminedBots","bots.getBotRecommendations","bots.getPopularAppBots","bots.getPreviewInfo","bots.getPreviewMedias","bots.invokeWebViewCustomMethod","bots.reorderPreviewMedias","bots.reorderUsernames","bots.toggleUserEmojiStatusPermission","bots.toggleUsername","bots.updateStarRefProgram","channels.checkSearchPostsFlood","channels.checkUsername","channels.convertToGigagroup","channels.createChannel","channels.deactivateAllUsernames","channels.deleteChannel","channels.deleteHistory","channels.deleteParticipantHistory","channels.editCreator","channels.editLocation","channels.exportMessageLink","channels.getAdminLog","channels.getAdminedPublicChannels","channels.getChannelRecommendations","channels.getForumTopics","channels.getForumTopicsByID","channels.getGroupsForDiscussion","channels.getInactiveChannels","channels.getLeftChannels","channels.getMessageAuthor","channels.getSendAs","channels.inviteToChannel","channels.joinChannel","channels.readHistory","channels.readMessageContents","channels.reorderPinnedForumTopics","channels.reorderUsernames","channels.reportAntiSpamFalsePositive","channels.reportSpam","channels.restrictSponsoredMessages","channels.searchPosts","channels.setBoostsToUnblockRestrictions","channels.setDiscussionGroup","channels.setEmojiStickers","channels.setMainProfileTab","channels.toggleAntiSpam","channels.toggleAutotranslation","channels.toggleForum","channels.toggleJoinRequest","channels.toggleJoinToSend","channels.toggleParticipantsHidden","channels.togglePreHistoryHidden","channels.toggleSignatures","channels.toggleSlowMode","channels.toggleUsername","channels.toggleViewForumAsMessages","channels.updateColor","channels.updateEmojiStatus","channels.updatePaidMessagesPrice","channels.updatePinnedForumTopic","channels.updateUsername","chatlists.checkChatlistInvite","chatlists.deleteExportedInvite","chatlists.editExportedInvite","chatlists.exportChatlistInvite","chatlists.getChatlistUpdates","chatlists.getExportedInvites","chatlists.getLeaveChatlistSuggestions","chatlists.hideChatlistUpdates","chatlists.joinChatlistInvite","chatlists.joinChatlistUpdates","chatlists.leaveChatlist","contacts.acceptContact","contacts.addContact","contacts.block","contacts.blockFromReplies","contacts.deleteByPhones","contacts.deleteContacts","contacts.editCloseFriends","contacts.exportContactToken","contacts.getBirthdays","contacts.getBlocked","contacts.getContactIDs","contacts.getContacts","contacts.getLocated","contacts.getSaved","contacts.getSponsoredPeers","contacts.getStatuses","contacts.getTopPeers","contacts.importContactToken","contacts.importContacts","contacts.resetSaved","contacts.resetTopPeerRating","contacts.resolvePhone","contacts.search","contacts.setBlocked","contacts.toggleTopPeers","contacts.unblock","folders.editPeerFolders","fragment.getCollectibleInfo","help.acceptTermsOfService","help.dismissSuggestion","help.editUserInfo","help.getAppConfig","help.getAppUpdate","help.getCountriesList","help.getDeepLinkInfo","help.getInviteText","help.getNearestDc","help.getPassportConfig","help.getPeerColors","help.getPeerProfileColors","help.getPremiumPromo","help.getPromoData","help.getRecentMeUrls","help.getSupport","help.getSupportName","help.getTermsOfServiceUpdate","help.getTimezonesList","help.getUserInfo","help.hidePromoData","help.saveAppLog","langpack.getDifference","langpack.getLangPack","langpack.getLanguage","langpack.getLanguages","langpack.getStrings","messages.acceptEncryption","messages.acceptUrlAuth","messages.addChatUser","messages.appendTodoList","messages.checkChatInvite","messages.checkHistoryImport","messages.checkHistoryImportPeer","messages.checkQuickReplyShortcut","messages.clearAllDrafts","messages.clearRecentReactions","messages.clearRecentStickers","messages.clickSponsoredMessage","messages.createChat","messages.deleteChat","messages.deleteExportedChatInvite","messages.deleteFactCheck","messages.deleteHistory","messages.deletePhoneCallHistory","messages.deleteQuickReplyMessages","messages.deleteQuickReplyShortcut","messages.deleteRevokedExportedChatInvites","messages.deleteSavedHistory","messages.deleteScheduledMessages","messages.discardEncryption","messages.editChatAdmin","messages.editFactCheck","messages.editQuickReplyShortcut","messages.faveSticker","messages.getAdminsWithInvites","messages.getAllDrafts","messages.getAllStickers","messages.getArchivedStickers","messages.getAttachMenuBot","messages.getAttachMenuBots","messages.getAttachedStickers","messages.getAvailableEffects","messages.getAvailableReactions","messages.getBotApp","messages.getBotCallbackAnswer","messages.getChatInviteImporters","messages.getCommonChats","messages.getDefaultHistoryTTL","messages.getDefaultTagReactions","messages.getDhConfig","messages.getDialogFilters","messages.getDialogUnreadMarks","messages.getDialogs","messages.getDiscussionMessage","messages.getEmojiGroups","messages.getEmojiKeywords","messages.getEmojiKeywordsDifference","messages.getEmojiKeywordsLanguages","messages.getEmojiProfilePhotoGroups","messages.getEmojiStatusGroups","messages.getEmojiStickerGroups","messages.getEmojiStickers","messages.getEmojiURL","messages.getExportedChatInvite","messages.getExportedChatInvites","messages.getExtendedMedia","messages.getFactCheck","messages.getFavedStickers","messages.getFeaturedEmojiStickers","messages.getFeaturedStickers","messages.getHistory","messages.getInlineBotResults","messages.getMaskStickers","messages.getMessageEditData","messages.getMessageReactionsList","messages.getMessageReadParticipants","messages.getMessagesReactions","messages.getMessagesViews","messages.getMyStickers","messages.getOldFeaturedStickers","messages.getOnlines","messages.getOutboxReadDate","messages.getPaidReactionPrivacy","messages.getPeerDialogs","messages.getPeerSettings","messages.getPinnedDialogs","messages.getPinnedSavedDialogs","messages.getPollResults","messages.getPollVotes","messages.getPreparedInlineMessage","messages.getQuickReplies","messages.getQuickReplyMessages","messages.getRecentLocations","messages.getRecentReactions","messages.getRecentStickers","messages.getReplies","messages.getSavedDialogs","messages.getSavedDialogsByID","messages.getSavedGifs","messages.getSavedHistory","messages.getSavedReactionTags","messages.getScheduledHistory","messages.getScheduledMessages","messages.getSearchCounters","messages.getSearchResultsCalendar","messages.getSearchResultsPositions","messages.getSplitRanges","messages.getSponsoredMessages","messages.getStickers","messages.getSuggestedDialogFilters","messages.getTopReactions","messages.getUnreadMentions","messages.getUnreadReactions","messages.getWebPage","messages.getWebPagePreview","messages.hideAllChatJoinRequests","messages.hidePeerSettingsBar","messages.importChatInvite","messages.initHistoryImport","messages.installStickerSet","messages.markDialogUnread","messages.migrateChat","messages.prolongWebView","messages.rateTranscribedAudio","messages.readDiscussion","messages.readEncryptedHistory","messages.readFeaturedStickers","messages.readHistory","messages.readMentions","messages.readMessageContents","messages.readReactions","messages.readSavedHistory","messages.receivedMessages","messages.receivedQueue","messages.reorderPinnedDialogs","messages.reorderPinnedSavedDialogs","messages.reorderQuickReplies","messages.reorderStickerSets","messages.report","messages.reportEncryptedSpam","messages.reportMessagesDelivery","messages.reportReaction","messages.reportSpam","messages.reportSponsoredMessage","messages.requestAppWebView","messages.requestEncryption","messages.requestMainWebView","messages.requestSimpleWebView","messages.requestUrlAuth","messages.requestWebView","messages.saveDefaultSendAs","messages.saveDraft","messages.saveGif","messages.saveRecentSticker","messages.search","messages.searchCustomEmoji","messages.searchEmojiStickerSets","messages.searchGlobal","messages.searchSentMedia","messages.searchStickerSets","messages.searchStickers","messages.sendBotRequestedPeer","messages.sendEncrypted","messages.sendEncryptedFile","messages.sendEncryptedService","messages.sendInlineBotResult","messages.sendPaidReaction","messages.sendQuickReplyMessages","messages.sendScheduledMessages","messages.sendScreenshotNotification","messages.sendVote","messages.sendWebViewData","messages.setChatAvailableReactions","messages.setChatTheme","messages.setChatWallPaper","messages.setDefaultHistoryTTL","messages.setDefaultReaction","messages.setEncryptedTyping","messages.setHistoryTTL","messages.startBot","messages.startHistoryImport","messages.toggleBotInAttachMenu","messages.toggleDialogFilterTags","messages.toggleDialogPin","messages.toggleNoForwards","messages.togglePaidReactionPrivacy","messages.togglePeerTranslations","messages.toggleSavedDialogPin","messages.toggleStickerSets","messages.toggleTodoCompleted","messages.transcribeAudio","messages.translateText","messages.uninstallStickerSet","messages.updateDialogFilter","messages.updateDialogFiltersOrder","messages.updateSavedReactionTag","messages.uploadEncryptedFile","messages.uploadImportedMedia","messages.viewSponsoredMessage","payments.applyGiftCode","payments.assignAppStoreTransaction","payments.assignPlayMarketTransaction","payments.botCancelStarsSubscription","payments.canPurchaseStore","payments.changeStarsSubscription","payments.checkCanSendGift","payments.checkGiftCode","payments.clearSavedInfo","payments.connectStarRefBot","payments.convertStarGift","payments.createStarGiftCollection","payments.deleteStarGiftCollection","payments.editConnectedStarRefBot","payments.fulfillStarsSubscription","payments.getBankCardData","payments.getConnectedStarRefBot","payments.getConnectedStarRefBots","payments.getGiveawayInfo","payments.getPaymentReceipt","payments.getPremiumGiftCodeOptions","payments.getResaleStarGifts","payments.getSavedInfo","payments.getSavedStarGift","payments.getSavedStarGifts","payments.getStarGiftCollections","payments.getStarGiftUpgradePreview","payments.getStarGiftWithdrawalUrl","payments.getStarsGiftOptions","payments.getStarsGiveawayOptions","payments.getStarsRevenueAdsAccountUrl","payments.getStarsRevenueStats","payments.getStarsRevenueWithdrawalUrl","payments.getStarsStatus","payments.getStarsSubscriptions","payments.getStarsTopupOptions","payments.getStarsTransactionsByID","payments.getSuggestedStarRefBots","payments.getUniqueStarGift","payments.getUniqueStarGiftValueInfo","payments.launchPrepaidGiveaway","payments.reorderStarGiftCollections","payments.saveStarGift","payments.sendPaymentForm","payments.toggleChatStarGiftNotifications","payments.toggleStarGiftsPinnedToTop","payments.transferStarGift","payments.updateStarGiftCollection","payments.updateStarGiftPrice","payments.upgradeStarGift","payments.validateRequestedInfo","phone.acceptCall","phone.checkGroupCall","phone.confirmCall","phone.createConferenceCall","phone.createGroupCall","phone.declineConferenceCallInvite","phone.deleteConferenceCallParticipants","phone.discardCall","phone.discardGroupCall","phone.editGroupCallParticipant","phone.editGroupCallTitle","phone.exportGroupCallInvite","phone.getCallConfig","phone.getGroupCall","phone.getGroupCallChainBlocks","phone.getGroupCallJoinAs","phone.getGroupCallStreamChannels","phone.getGroupCallStreamRtmpUrl","phone.getGroupParticipants","phone.inviteConferenceCallParticipant","phone.inviteToGroupCall","phone.joinGroupCall","phone.joinGroupCallPresentation","phone.leaveGroupCall","phone.leaveGroupCallPresentation","phone.receivedCall","phone.requestCall","phone.saveCallDebug","phone.saveCallLog","phone.saveDefaultGroupCallJoinAs","phone.sendConferenceCallBroadcast","phone.sendSignalingData","phone.setCallRating","phone.startScheduledGroupCall","phone.toggleGroupCallRecord","phone.toggleGroupCallSettings","phone.toggleGroupCallStartSubscription","photos.deletePhotos","photos.uploadContactProfilePhoto","premium.applyBoost","premium.getBoostsList","premium.getBoostsStatus","premium.getMyBoosts","smsjobs.finishJob","smsjobs.getSmsJob","smsjobs.getStatus","smsjobs.isEligibleToJoin","smsjobs.join","smsjobs.leave","smsjobs.updateSettings","stats.getBroadcastStats","stats.getMegagroupStats","stats.getMessagePublicForwards","stats.getMessageStats","stats.getStoryPublicForwards","stats.getStoryStats","stats.loadAsyncGraph","stickers.checkShortName","stickers.suggestShortName","stories.activateStealthMode","stories.canSendStory","stories.createAlbum","stories.deleteAlbum","stories.deleteStories","stories.exportStoryLink","stories.getAlbumStories","stories.getAlbums","stories.getAllReadPeerStories","stories.getAllStories","stories.getChatsToSend","stories.getPeerMaxIDs","stories.getPeerStories","stories.getPinnedStories","stories.getStoriesArchive","stories.getStoriesByID","stories.getStoriesViews","stories.getStoryReactionsList","stories.getStoryViewsList","stories.incrementStoryViews","stories.readStories","stories.reorderAlbums","stories.report","stories.searchPosts","stories.sendReaction","stories.toggleAllStoriesHidden","stories.togglePeerStoriesHidden","stories.togglePinned","stories.togglePinnedToTop","stories.updateAlbum","upload.getCdnFile","upload.getWebFile","users.getRequirementsToContact","users.getSavedMusic","users.getSavedMusicByID"]} -------------------------------------------------------------------------------- /user_only_diff.json: -------------------------------------------------------------------------------- 1 | { 2 | "ok": true, 3 | "result": [ 4 | "account.acceptAuthorization", 5 | "account.cancelPasswordEmail", 6 | "account.changeAuthorizationSettings", 7 | "account.changePhone", 8 | "account.checkUsername", 9 | "account.clearRecentEmojiStatuses", 10 | "account.confirmPasswordEmail", 11 | "account.confirmPhone", 12 | "account.createBusinessChatLink", 13 | "account.createTheme", 14 | "account.declinePasswordReset", 15 | "account.deleteAccount", 16 | "account.deleteAutoSaveExceptions", 17 | "account.deleteBusinessChatLink", 18 | "account.deleteSecureValue", 19 | "account.disablePeerConnectedBot", 20 | "account.editBusinessChatLink", 21 | "account.finishTakeoutSession", 22 | "account.getAccountTTL", 23 | "account.getAllSecureValues", 24 | "account.getAuthorizationForm", 25 | "account.getAuthorizations", 26 | "account.getAutoDownloadSettings", 27 | "account.getAutoSaveSettings", 28 | "account.getBusinessChatLinks", 29 | "account.getChannelDefaultEmojiStatuses", 30 | "account.getChannelRestrictedStatusEmojis", 31 | "account.getChatThemes", 32 | "account.getCollectibleEmojiStatuses", 33 | "account.getConnectedBots", 34 | "account.getContactSignUpNotification", 35 | "account.getContentSettings", 36 | "account.getDefaultBackgroundEmojis", 37 | "account.getDefaultEmojiStatuses", 38 | "account.getDefaultGroupPhotoEmojis", 39 | "account.getDefaultProfilePhotoEmojis", 40 | "account.getGlobalPrivacySettings", 41 | "account.getMultiWallPapers", 42 | "account.getNotifyExceptions", 43 | "account.getNotifySettings", 44 | "account.getPaidMessagesRevenue", 45 | "account.getPassword", 46 | "account.getPasswordSettings", 47 | "account.getPrivacy", 48 | "account.getReactionsNotifySettings", 49 | "account.getRecentEmojiStatuses", 50 | "account.getSavedMusicIds", 51 | "account.getSavedRingtones", 52 | "account.getSecureValue", 53 | "account.getTheme", 54 | "account.getThemes", 55 | "account.getTmpPassword", 56 | "account.getUniqueGiftChatThemes", 57 | "account.getWallPaper", 58 | "account.getWallPapers", 59 | "account.getWebAuthorizations", 60 | "account.initTakeoutSession", 61 | "account.installTheme", 62 | "account.installWallPaper", 63 | "account.invalidateSignInCodes", 64 | "account.registerDevice", 65 | "account.reorderUsernames", 66 | "account.reportPeer", 67 | "account.reportProfilePhoto", 68 | "account.resendPasswordEmail", 69 | "account.resetAuthorization", 70 | "account.resetNotifySettings", 71 | "account.resetPassword", 72 | "account.resetWallPapers", 73 | "account.resetWebAuthorization", 74 | "account.resetWebAuthorizations", 75 | "account.resolveBusinessChatLink", 76 | "account.saveAutoDownloadSettings", 77 | "account.saveAutoSaveSettings", 78 | "account.saveMusic", 79 | "account.saveRingtone", 80 | "account.saveSecureValue", 81 | "account.saveTheme", 82 | "account.saveWallPaper", 83 | "account.sendChangePhoneCode", 84 | "account.sendConfirmPhoneCode", 85 | "account.sendVerifyEmailCode", 86 | "account.sendVerifyPhoneCode", 87 | "account.setAccountTTL", 88 | "account.setAuthorizationTTL", 89 | "account.setContactSignUpNotification", 90 | "account.setContentSettings", 91 | "account.setGlobalPrivacySettings", 92 | "account.setMainProfileTab", 93 | "account.setPrivacy", 94 | "account.setReactionsNotifySettings", 95 | "account.toggleConnectedBotPaused", 96 | "account.toggleNoPaidMessagesException", 97 | "account.toggleSponsoredMessages", 98 | "account.toggleUsername", 99 | "account.unregisterDevice", 100 | "account.updateBirthday", 101 | "account.updateBusinessAwayMessage", 102 | "account.updateBusinessGreetingMessage", 103 | "account.updateBusinessIntro", 104 | "account.updateBusinessLocation", 105 | "account.updateBusinessWorkHours", 106 | "account.updateColor", 107 | "account.updateConnectedBot", 108 | "account.updateDeviceLocked", 109 | "account.updateEmojiStatus", 110 | "account.updateNotifySettings", 111 | "account.updatePasswordSettings", 112 | "account.updatePersonalChannel", 113 | "account.updateProfile", 114 | "account.updateStatus", 115 | "account.updateTheme", 116 | "account.updateUsername", 117 | "account.uploadRingtone", 118 | "account.uploadTheme", 119 | "account.uploadWallPaper", 120 | "account.verifyEmail", 121 | "account.verifyPhone", 122 | "auth.acceptLoginToken", 123 | "auth.cancelCode", 124 | "auth.checkPassword", 125 | "auth.checkRecoveryPassword", 126 | "auth.exportLoginToken", 127 | "auth.importLoginToken", 128 | "auth.importWebTokenAuthorization", 129 | "auth.recoverPassword", 130 | "auth.reportMissingCode", 131 | "auth.requestFirebaseSms", 132 | "auth.requestPasswordRecovery", 133 | "auth.resendCode", 134 | "auth.resetAuthorizations", 135 | "auth.resetLoginEmail", 136 | "auth.sendCode", 137 | "auth.signIn", 138 | "auth.signUp", 139 | "bots.addPreviewMedia", 140 | "bots.allowSendMessage", 141 | "bots.canSendMessage", 142 | "bots.checkDownloadFileParams", 143 | "bots.deletePreviewMedia", 144 | "bots.editPreviewMedia", 145 | "bots.getAdminedBots", 146 | "bots.getBotRecommendations", 147 | "bots.getPopularAppBots", 148 | "bots.getPreviewInfo", 149 | "bots.getPreviewMedias", 150 | "bots.invokeWebViewCustomMethod", 151 | "bots.reorderPreviewMedias", 152 | "bots.reorderUsernames", 153 | "bots.toggleUserEmojiStatusPermission", 154 | "bots.toggleUsername", 155 | "bots.updateStarRefProgram", 156 | "channels.checkSearchPostsFlood", 157 | "channels.checkUsername", 158 | "channels.convertToGigagroup", 159 | "channels.createChannel", 160 | "channels.deactivateAllUsernames", 161 | "channels.deleteChannel", 162 | "channels.deleteHistory", 163 | "channels.deleteParticipantHistory", 164 | "channels.editCreator", 165 | "channels.editLocation", 166 | "channels.exportMessageLink", 167 | "channels.getAdminLog", 168 | "channels.getAdminedPublicChannels", 169 | "channels.getChannelRecommendations", 170 | "channels.getForumTopics", 171 | "channels.getForumTopicsByID", 172 | "channels.getGroupsForDiscussion", 173 | "channels.getInactiveChannels", 174 | "channels.getLeftChannels", 175 | "channels.getMessageAuthor", 176 | "channels.getSendAs", 177 | "channels.inviteToChannel", 178 | "channels.joinChannel", 179 | "channels.readHistory", 180 | "channels.readMessageContents", 181 | "channels.reorderPinnedForumTopics", 182 | "channels.reorderUsernames", 183 | "channels.reportAntiSpamFalsePositive", 184 | "channels.reportSpam", 185 | "channels.restrictSponsoredMessages", 186 | "channels.searchPosts", 187 | "channels.setBoostsToUnblockRestrictions", 188 | "channels.setDiscussionGroup", 189 | "channels.setEmojiStickers", 190 | "channels.setMainProfileTab", 191 | "channels.toggleAntiSpam", 192 | "channels.toggleAutotranslation", 193 | "channels.toggleForum", 194 | "channels.toggleJoinRequest", 195 | "channels.toggleJoinToSend", 196 | "channels.toggleParticipantsHidden", 197 | "channels.togglePreHistoryHidden", 198 | "channels.toggleSignatures", 199 | "channels.toggleSlowMode", 200 | "channels.toggleUsername", 201 | "channels.toggleViewForumAsMessages", 202 | "channels.updateColor", 203 | "channels.updateEmojiStatus", 204 | "channels.updatePaidMessagesPrice", 205 | "channels.updatePinnedForumTopic", 206 | "channels.updateUsername", 207 | "chatlists.checkChatlistInvite", 208 | "chatlists.deleteExportedInvite", 209 | "chatlists.editExportedInvite", 210 | "chatlists.exportChatlistInvite", 211 | "chatlists.getChatlistUpdates", 212 | "chatlists.getExportedInvites", 213 | "chatlists.getLeaveChatlistSuggestions", 214 | "chatlists.hideChatlistUpdates", 215 | "chatlists.joinChatlistInvite", 216 | "chatlists.joinChatlistUpdates", 217 | "chatlists.leaveChatlist", 218 | "contacts.acceptContact", 219 | "contacts.addContact", 220 | "contacts.block", 221 | "contacts.blockFromReplies", 222 | "contacts.deleteByPhones", 223 | "contacts.deleteContacts", 224 | "contacts.editCloseFriends", 225 | "contacts.exportContactToken", 226 | "contacts.getBirthdays", 227 | "contacts.getBlocked", 228 | "contacts.getContactIDs", 229 | "contacts.getContacts", 230 | "contacts.getLocated", 231 | "contacts.getSaved", 232 | "contacts.getSponsoredPeers", 233 | "contacts.getStatuses", 234 | "contacts.getTopPeers", 235 | "contacts.importContactToken", 236 | "contacts.importContacts", 237 | "contacts.resetSaved", 238 | "contacts.resetTopPeerRating", 239 | "contacts.resolvePhone", 240 | "contacts.search", 241 | "contacts.setBlocked", 242 | "contacts.toggleTopPeers", 243 | "contacts.unblock", 244 | "folders.editPeerFolders", 245 | "fragment.getCollectibleInfo", 246 | "help.acceptTermsOfService", 247 | "help.dismissSuggestion", 248 | "help.editUserInfo", 249 | "help.getAppConfig", 250 | "help.getAppUpdate", 251 | "help.getCountriesList", 252 | "help.getDeepLinkInfo", 253 | "help.getInviteText", 254 | "help.getNearestDc", 255 | "help.getPassportConfig", 256 | "help.getPeerColors", 257 | "help.getPeerProfileColors", 258 | "help.getPremiumPromo", 259 | "help.getPromoData", 260 | "help.getRecentMeUrls", 261 | "help.getSupport", 262 | "help.getSupportName", 263 | "help.getTermsOfServiceUpdate", 264 | "help.getTimezonesList", 265 | "help.getUserInfo", 266 | "help.hidePromoData", 267 | "help.saveAppLog", 268 | "langpack.getDifference", 269 | "langpack.getLangPack", 270 | "langpack.getLanguage", 271 | "langpack.getLanguages", 272 | "langpack.getStrings", 273 | "messages.acceptEncryption", 274 | "messages.acceptUrlAuth", 275 | "messages.addChatUser", 276 | "messages.appendTodoList", 277 | "messages.checkChatInvite", 278 | "messages.checkHistoryImport", 279 | "messages.checkHistoryImportPeer", 280 | "messages.checkQuickReplyShortcut", 281 | "messages.clearAllDrafts", 282 | "messages.clearRecentReactions", 283 | "messages.clearRecentStickers", 284 | "messages.clickSponsoredMessage", 285 | "messages.createChat", 286 | "messages.deleteChat", 287 | "messages.deleteExportedChatInvite", 288 | "messages.deleteFactCheck", 289 | "messages.deleteHistory", 290 | "messages.deletePhoneCallHistory", 291 | "messages.deleteQuickReplyMessages", 292 | "messages.deleteQuickReplyShortcut", 293 | "messages.deleteRevokedExportedChatInvites", 294 | "messages.deleteSavedHistory", 295 | "messages.deleteScheduledMessages", 296 | "messages.discardEncryption", 297 | "messages.editChatAdmin", 298 | "messages.editFactCheck", 299 | "messages.editQuickReplyShortcut", 300 | "messages.faveSticker", 301 | "messages.getAdminsWithInvites", 302 | "messages.getAllDrafts", 303 | "messages.getAllStickers", 304 | "messages.getArchivedStickers", 305 | "messages.getAttachMenuBot", 306 | "messages.getAttachMenuBots", 307 | "messages.getAttachedStickers", 308 | "messages.getAvailableEffects", 309 | "messages.getAvailableReactions", 310 | "messages.getBotApp", 311 | "messages.getBotCallbackAnswer", 312 | "messages.getChatInviteImporters", 313 | "messages.getCommonChats", 314 | "messages.getDefaultHistoryTTL", 315 | "messages.getDefaultTagReactions", 316 | "messages.getDhConfig", 317 | "messages.getDialogFilters", 318 | "messages.getDialogUnreadMarks", 319 | "messages.getDialogs", 320 | "messages.getDiscussionMessage", 321 | "messages.getEmojiGroups", 322 | "messages.getEmojiKeywords", 323 | "messages.getEmojiKeywordsDifference", 324 | "messages.getEmojiKeywordsLanguages", 325 | "messages.getEmojiProfilePhotoGroups", 326 | "messages.getEmojiStatusGroups", 327 | "messages.getEmojiStickerGroups", 328 | "messages.getEmojiStickers", 329 | "messages.getEmojiURL", 330 | "messages.getExportedChatInvite", 331 | "messages.getExportedChatInvites", 332 | "messages.getExtendedMedia", 333 | "messages.getFactCheck", 334 | "messages.getFavedStickers", 335 | "messages.getFeaturedEmojiStickers", 336 | "messages.getFeaturedStickers", 337 | "messages.getHistory", 338 | "messages.getInlineBotResults", 339 | "messages.getMaskStickers", 340 | "messages.getMessageEditData", 341 | "messages.getMessageReactionsList", 342 | "messages.getMessageReadParticipants", 343 | "messages.getMessagesReactions", 344 | "messages.getMessagesViews", 345 | "messages.getMyStickers", 346 | "messages.getOldFeaturedStickers", 347 | "messages.getOnlines", 348 | "messages.getOutboxReadDate", 349 | "messages.getPaidReactionPrivacy", 350 | "messages.getPeerDialogs", 351 | "messages.getPeerSettings", 352 | "messages.getPinnedDialogs", 353 | "messages.getPinnedSavedDialogs", 354 | "messages.getPollResults", 355 | "messages.getPollVotes", 356 | "messages.getPreparedInlineMessage", 357 | "messages.getQuickReplies", 358 | "messages.getQuickReplyMessages", 359 | "messages.getRecentLocations", 360 | "messages.getRecentReactions", 361 | "messages.getRecentStickers", 362 | "messages.getReplies", 363 | "messages.getSavedDialogs", 364 | "messages.getSavedDialogsByID", 365 | "messages.getSavedGifs", 366 | "messages.getSavedHistory", 367 | "messages.getSavedReactionTags", 368 | "messages.getScheduledHistory", 369 | "messages.getScheduledMessages", 370 | "messages.getSearchCounters", 371 | "messages.getSearchResultsCalendar", 372 | "messages.getSearchResultsPositions", 373 | "messages.getSplitRanges", 374 | "messages.getSponsoredMessages", 375 | "messages.getStickers", 376 | "messages.getSuggestedDialogFilters", 377 | "messages.getTopReactions", 378 | "messages.getUnreadMentions", 379 | "messages.getUnreadReactions", 380 | "messages.getWebPage", 381 | "messages.getWebPagePreview", 382 | "messages.hideAllChatJoinRequests", 383 | "messages.hidePeerSettingsBar", 384 | "messages.importChatInvite", 385 | "messages.initHistoryImport", 386 | "messages.installStickerSet", 387 | "messages.markDialogUnread", 388 | "messages.migrateChat", 389 | "messages.prolongWebView", 390 | "messages.rateTranscribedAudio", 391 | "messages.readDiscussion", 392 | "messages.readEncryptedHistory", 393 | "messages.readFeaturedStickers", 394 | "messages.readHistory", 395 | "messages.readMentions", 396 | "messages.readMessageContents", 397 | "messages.readReactions", 398 | "messages.readSavedHistory", 399 | "messages.receivedMessages", 400 | "messages.receivedQueue", 401 | "messages.reorderPinnedDialogs", 402 | "messages.reorderPinnedSavedDialogs", 403 | "messages.reorderQuickReplies", 404 | "messages.reorderStickerSets", 405 | "messages.report", 406 | "messages.reportEncryptedSpam", 407 | "messages.reportMessagesDelivery", 408 | "messages.reportReaction", 409 | "messages.reportSpam", 410 | "messages.reportSponsoredMessage", 411 | "messages.requestAppWebView", 412 | "messages.requestEncryption", 413 | "messages.requestMainWebView", 414 | "messages.requestSimpleWebView", 415 | "messages.requestUrlAuth", 416 | "messages.requestWebView", 417 | "messages.saveDefaultSendAs", 418 | "messages.saveDraft", 419 | "messages.saveGif", 420 | "messages.saveRecentSticker", 421 | "messages.search", 422 | "messages.searchCustomEmoji", 423 | "messages.searchEmojiStickerSets", 424 | "messages.searchGlobal", 425 | "messages.searchSentMedia", 426 | "messages.searchStickerSets", 427 | "messages.searchStickers", 428 | "messages.sendBotRequestedPeer", 429 | "messages.sendEncrypted", 430 | "messages.sendEncryptedFile", 431 | "messages.sendEncryptedService", 432 | "messages.sendInlineBotResult", 433 | "messages.sendPaidReaction", 434 | "messages.sendQuickReplyMessages", 435 | "messages.sendScheduledMessages", 436 | "messages.sendScreenshotNotification", 437 | "messages.sendVote", 438 | "messages.sendWebViewData", 439 | "messages.setChatAvailableReactions", 440 | "messages.setChatTheme", 441 | "messages.setChatWallPaper", 442 | "messages.setDefaultHistoryTTL", 443 | "messages.setDefaultReaction", 444 | "messages.setEncryptedTyping", 445 | "messages.setHistoryTTL", 446 | "messages.startBot", 447 | "messages.startHistoryImport", 448 | "messages.toggleBotInAttachMenu", 449 | "messages.toggleDialogFilterTags", 450 | "messages.toggleDialogPin", 451 | "messages.toggleNoForwards", 452 | "messages.togglePaidReactionPrivacy", 453 | "messages.togglePeerTranslations", 454 | "messages.toggleSavedDialogPin", 455 | "messages.toggleStickerSets", 456 | "messages.toggleTodoCompleted", 457 | "messages.transcribeAudio", 458 | "messages.translateText", 459 | "messages.uninstallStickerSet", 460 | "messages.updateDialogFilter", 461 | "messages.updateDialogFiltersOrder", 462 | "messages.updateSavedReactionTag", 463 | "messages.uploadEncryptedFile", 464 | "messages.uploadImportedMedia", 465 | "messages.viewSponsoredMessage", 466 | "payments.applyGiftCode", 467 | "payments.assignAppStoreTransaction", 468 | "payments.assignPlayMarketTransaction", 469 | "payments.botCancelStarsSubscription", 470 | "payments.canPurchaseStore", 471 | "payments.changeStarsSubscription", 472 | "payments.checkCanSendGift", 473 | "payments.checkGiftCode", 474 | "payments.clearSavedInfo", 475 | "payments.connectStarRefBot", 476 | "payments.convertStarGift", 477 | "payments.createStarGiftCollection", 478 | "payments.deleteStarGiftCollection", 479 | "payments.editConnectedStarRefBot", 480 | "payments.fulfillStarsSubscription", 481 | "payments.getBankCardData", 482 | "payments.getConnectedStarRefBot", 483 | "payments.getConnectedStarRefBots", 484 | "payments.getGiveawayInfo", 485 | "payments.getPaymentReceipt", 486 | "payments.getPremiumGiftCodeOptions", 487 | "payments.getResaleStarGifts", 488 | "payments.getSavedInfo", 489 | "payments.getSavedStarGift", 490 | "payments.getSavedStarGifts", 491 | "payments.getStarGiftCollections", 492 | "payments.getStarGiftUpgradePreview", 493 | "payments.getStarGiftWithdrawalUrl", 494 | "payments.getStarsGiftOptions", 495 | "payments.getStarsGiveawayOptions", 496 | "payments.getStarsRevenueAdsAccountUrl", 497 | "payments.getStarsRevenueStats", 498 | "payments.getStarsRevenueWithdrawalUrl", 499 | "payments.getStarsStatus", 500 | "payments.getStarsSubscriptions", 501 | "payments.getStarsTopupOptions", 502 | "payments.getStarsTransactionsByID", 503 | "payments.getSuggestedStarRefBots", 504 | "payments.getUniqueStarGift", 505 | "payments.getUniqueStarGiftValueInfo", 506 | "payments.launchPrepaidGiveaway", 507 | "payments.reorderStarGiftCollections", 508 | "payments.saveStarGift", 509 | "payments.sendPaymentForm", 510 | "payments.toggleChatStarGiftNotifications", 511 | "payments.toggleStarGiftsPinnedToTop", 512 | "payments.transferStarGift", 513 | "payments.updateStarGiftCollection", 514 | "payments.updateStarGiftPrice", 515 | "payments.upgradeStarGift", 516 | "payments.validateRequestedInfo", 517 | "phone.acceptCall", 518 | "phone.checkGroupCall", 519 | "phone.confirmCall", 520 | "phone.createConferenceCall", 521 | "phone.createGroupCall", 522 | "phone.declineConferenceCallInvite", 523 | "phone.deleteConferenceCallParticipants", 524 | "phone.discardCall", 525 | "phone.discardGroupCall", 526 | "phone.editGroupCallParticipant", 527 | "phone.editGroupCallTitle", 528 | "phone.exportGroupCallInvite", 529 | "phone.getCallConfig", 530 | "phone.getGroupCall", 531 | "phone.getGroupCallChainBlocks", 532 | "phone.getGroupCallJoinAs", 533 | "phone.getGroupCallStreamChannels", 534 | "phone.getGroupCallStreamRtmpUrl", 535 | "phone.getGroupParticipants", 536 | "phone.inviteConferenceCallParticipant", 537 | "phone.inviteToGroupCall", 538 | "phone.joinGroupCall", 539 | "phone.joinGroupCallPresentation", 540 | "phone.leaveGroupCall", 541 | "phone.leaveGroupCallPresentation", 542 | "phone.receivedCall", 543 | "phone.requestCall", 544 | "phone.saveCallDebug", 545 | "phone.saveCallLog", 546 | "phone.saveDefaultGroupCallJoinAs", 547 | "phone.sendConferenceCallBroadcast", 548 | "phone.sendSignalingData", 549 | "phone.setCallRating", 550 | "phone.startScheduledGroupCall", 551 | "phone.toggleGroupCallRecord", 552 | "phone.toggleGroupCallSettings", 553 | "phone.toggleGroupCallStartSubscription", 554 | "photos.deletePhotos", 555 | "photos.uploadContactProfilePhoto", 556 | "premium.applyBoost", 557 | "premium.getBoostsList", 558 | "premium.getBoostsStatus", 559 | "premium.getMyBoosts", 560 | "smsjobs.finishJob", 561 | "smsjobs.getSmsJob", 562 | "smsjobs.getStatus", 563 | "smsjobs.isEligibleToJoin", 564 | "smsjobs.join", 565 | "smsjobs.leave", 566 | "smsjobs.updateSettings", 567 | "stats.getBroadcastStats", 568 | "stats.getMegagroupStats", 569 | "stats.getMessagePublicForwards", 570 | "stats.getMessageStats", 571 | "stats.getStoryPublicForwards", 572 | "stats.getStoryStats", 573 | "stats.loadAsyncGraph", 574 | "stickers.checkShortName", 575 | "stickers.suggestShortName", 576 | "stories.activateStealthMode", 577 | "stories.canSendStory", 578 | "stories.createAlbum", 579 | "stories.deleteAlbum", 580 | "stories.deleteStories", 581 | "stories.exportStoryLink", 582 | "stories.getAlbumStories", 583 | "stories.getAlbums", 584 | "stories.getAllReadPeerStories", 585 | "stories.getAllStories", 586 | "stories.getChatsToSend", 587 | "stories.getPeerMaxIDs", 588 | "stories.getPeerStories", 589 | "stories.getPinnedStories", 590 | "stories.getStoriesArchive", 591 | "stories.getStoriesByID", 592 | "stories.getStoriesViews", 593 | "stories.getStoryReactionsList", 594 | "stories.getStoryViewsList", 595 | "stories.incrementStoryViews", 596 | "stories.readStories", 597 | "stories.reorderAlbums", 598 | "stories.report", 599 | "stories.searchPosts", 600 | "stories.sendReaction", 601 | "stories.toggleAllStoriesHidden", 602 | "stories.togglePeerStoriesHidden", 603 | "stories.togglePinned", 604 | "stories.togglePinnedToTop", 605 | "stories.updateAlbum", 606 | "upload.getCdnFile", 607 | "upload.getWebFile", 608 | "users.getRequirementsToContact", 609 | "users.getSavedMusic", 610 | "users.getSavedMusicByID" 611 | ] 612 | } -------------------------------------------------------------------------------- /v4.json: -------------------------------------------------------------------------------- 1 | {"ok":true,"result":{"420":{"2FA_CONFIRM_WAIT_%d":["account.deleteAccount"],"ADDRESS_INVALID":["channels.createChannel"],"FLOOD_PREMIUM_WAIT_%d":["upload.getFile"],"FROZEN_METHOD_INVALID":["channels.deleteMessages","channels.joinChannel","channels.searchPosts"],"PREMIUM_SUB_ACTIVE_UNTIL_%d":["payments.applyGiftCode"],"SLOWMODE_WAIT_%d":["messages.forwardMessages","messages.sendInlineBotResult","messages.sendMedia","messages.sendMessage","messages.sendMultiMedia"],"TAKEOUT_INIT_DELAY_%d":["account.initTakeoutSession"],"FLOOD_WAIT_%d":[]},"400":{"ABOUT_TOO_LONG":["account.updateProfile"],"ACCESS_TOKEN_EXPIRED":["auth.importBotAuthorization"],"ACCESS_TOKEN_INVALID":["auth.importBotAuthorization"],"AD_EXPIRED":["channels.reportSponsoredMessage"],"ADDRESS_INVALID":["channels.createChannel"],"ADMIN_ID_INVALID":["messages.deleteRevokedExportedChatInvites","messages.getExportedChatInvites"],"ADMIN_RANK_EMOJI_NOT_ALLOWED":["channels.editAdmin"],"ADMIN_RANK_INVALID":["channels.editAdmin"],"ADMIN_RIGHTS_EMPTY":["messages.sendMessage"],"ADMINS_TOO_MUCH":["channels.editAdmin"],"ALBUM_PHOTOS_TOO_MANY":["photos.updateProfilePhoto","photos.uploadProfilePhoto"],"API_ID_INVALID":["auth.exportLoginToken","auth.importBotAuthorization","auth.importWebTokenAuthorization","auth.sendCode"],"API_ID_PUBLISHED_FLOOD":["auth.exportLoginToken","auth.importBotAuthorization","auth.sendCode"],"ARTICLE_TITLE_EMPTY":["messages.setInlineBotResults"],"AUDIO_CONTENT_URL_EMPTY":["messages.setInlineBotResults"],"AUDIO_TITLE_EMPTY":["messages.setInlineBotResults"],"AUTH_BYTES_INVALID":["auth.importAuthorization","invokeWithLayer"],"AUTH_TOKEN_ALREADY_ACCEPTED":["auth.acceptLoginToken","auth.importLoginToken"],"AUTH_TOKEN_EXCEPTION":["auth.acceptLoginToken"],"AUTH_TOKEN_EXPIRED":["auth.acceptLoginToken","auth.importLoginToken"],"AUTH_TOKEN_INVALID":["auth.importLoginToken"],"AUTH_TOKEN_INVALIDX":["auth.acceptLoginToken","auth.importLoginToken"],"AUTOARCHIVE_NOT_AVAILABLE":["account.setGlobalPrivacySettings"],"BALANCE_TOO_LOW":["messages.sendMessage","messages.sendPaidReaction","payments.sendStarsForm"],"BANK_CARD_NUMBER_INVALID":["payments.getBankCardData"],"BANNED_RIGHTS_INVALID":["messages.editChatDefaultBannedRights"],"BIRTHDAY_INVALID":["account.updateBirthday"],"BOOST_NOT_MODIFIED":["stories.applyBoost","stories.canApplyBoost"],"BOOST_PEER_INVALID":["payments.getPaymentForm"],"BOOSTS_EMPTY":["premium.applyBoost"],"BOOSTS_REQUIRED":["channels.updateColor","stories.canSendStory","stories.sendStory"],"BOT_ALREADY_DISABLED":["account.disablePeerConnectedBot"],"BOT_APP_BOT_INVALID":["messages.getBotApp","messages.requestAppWebView"],"BOT_APP_INVALID":["messages.getBotApp","messages.requestAppWebView"],"BOT_APP_SHORTNAME_INVALID":["messages.getBotApp","messages.requestAppWebView"],"BOT_BUSINESS_MISSING":["account.updateConnectedBot"],"BOT_CHANNELS_NA":["channels.editAdmin"],"BOT_COMMAND_DESCRIPTION_INVALID":["bots.setBotCommands"],"BOT_COMMAND_INVALID":["bots.setBotCommands"],"BOT_DOMAIN_INVALID":["messages.editMessage","messages.sendMessage"],"BOT_FALLBACK_UNSUPPORTED":["photos.updateProfilePhoto"],"BOT_GAMES_DISABLED":["messages.sendMedia"],"BOT_GROUPS_BLOCKED":["channels.editAdmin","channels.inviteToChannel","messages.addChatUser"],"BOT_INLINE_DISABLED":["messages.getInlineBotResults"],"BOT_INVALID":["account.acceptAuthorization","account.getAuthorizationForm","bots.addPreviewMedia","bots.allowSendMessage","bots.canSendMessage","bots.checkDownloadFileParams","bots.deletePreviewMedia","bots.editPreviewMedia","bots.getBotInfo","bots.getBotRecommendations","bots.getPreviewInfo","bots.getPreviewMedias","bots.invokeWebViewCustomMethod","bots.reorderPreviewMedias","bots.reorderUsernames","bots.setBotInfo","bots.setCustomVerification","bots.toggleUserEmojiStatusPermission","bots.toggleUsername","bots.updateStarRefProgram","messages.editMessage","messages.getAttachMenuBot","messages.getInlineBotResults","messages.prolongWebView","messages.requestMainWebView","messages.requestSimpleWebView","messages.requestWebView","messages.sendMessage","messages.sendWebViewData","messages.startBot","messages.toggleBotInAttachMenu","photos.uploadProfilePhoto"],"BOT_INVOICE_INVALID":["payments.getPaymentForm","payments.sendStarsForm"],"BOT_NOT_CONNECTED_YET":["account.disablePeerConnectedBot"],"BOT_ONESIDE_NOT_AVAIL":["messages.updatePinnedMessage"],"BOT_PAYMENTS_DISABLED":["messages.sendMedia"],"BOT_RESPONSE_TIMEOUT":["messages.getBotCallbackAnswer","messages.getInlineBotResults"],"BOT_SCORE_NOT_MODIFIED":["messages.setGameScore"],"BOT_WEBVIEW_DISABLED":["messages.requestWebView"],"BOTS_TOO_MUCH":["channels.editAdmin","channels.inviteToChannel"],"BROADCAST_ID_INVALID":["channels.setDiscussionGroup"],"BROADCAST_PUBLIC_VOTERS_FORBIDDEN":["messages.forwardMessages","messages.sendMedia"],"BROADCAST_REQUIRED":["stats.getBroadcastStats"],"BUSINESS_CONNECTION_INVALID":["account.setGlobalPrivacySettings","account.updateProfile","messages.deleteMessages","messages.editMessage","messages.readHistory","messages.sendMedia","messages.sendMessage","messages.sendMultiMedia","messages.setTyping","messages.updatePinnedMessage","payments.convertStarGift","payments.exportInvoice","payments.getPaymentForm","payments.getSavedStarGifts","payments.getStarsStatus","payments.sendStarsForm","payments.transferStarGift","payments.upgradeStarGift","stories.deleteStories"],"BUSINESS_CONNECTION_NOT_ALLOWED":["account.acceptAuthorization","account.cancelPasswordEmail","account.changeAuthorizationSettings","account.changePhone","account.checkUsername","account.clearRecentEmojiStatuses","account.confirmPasswordEmail","account.confirmPhone","account.createBusinessChatLink","account.createTheme","account.declinePasswordReset","account.deleteAutoSaveExceptions","account.deleteBusinessChatLink","account.deleteSecureValue","account.disablePeerConnectedBot","account.editBusinessChatLink","account.finishTakeoutSession","account.getAccountTTL","account.getAllSecureValues","account.getAuthorizationForm","account.getAuthorizations","account.getAutoDownloadSettings","account.getAutoSaveSettings","account.getBotBusinessConnection","account.getBusinessChatLinks","account.getChannelDefaultEmojiStatuses","account.getChannelRestrictedStatusEmojis","account.getChatThemes","account.getCollectibleEmojiStatuses","account.getConnectedBots","account.getContactSignUpNotification","account.getContentSettings","account.getDefaultBackgroundEmojis","account.getDefaultEmojiStatuses","account.getDefaultGroupPhotoEmojis","account.getDefaultProfilePhotoEmojis","account.getGlobalPrivacySettings","account.getMultiWallPapers","account.getNotifyExceptions","account.getNotifySettings","account.getPaidMessagesRevenue","account.getPassword","account.getPasswordSettings","account.getPrivacy","account.getReactionsNotifySettings","account.getRecentEmojiStatuses","account.getSavedMusicIds","account.getSavedRingtones","account.getSecureValue","account.getTheme","account.getThemes","account.getTmpPassword","account.getUniqueGiftChatThemes","account.getWallPaper","account.getWallPapers","account.getWebAuthorizations","account.initTakeoutSession","account.installTheme","account.installWallPaper","account.invalidateSignInCodes","account.registerDevice","account.reorderUsernames","account.reportPeer","account.reportProfilePhoto","account.resendPasswordEmail","account.resetNotifySettings","account.resetWallPapers","account.resetWebAuthorization","account.resetWebAuthorizations","account.resolveBusinessChatLink","account.saveAutoDownloadSettings","account.saveAutoSaveSettings","account.saveMusic","account.saveRingtone","account.saveSecureValue","account.saveTheme","account.saveWallPaper","account.sendChangePhoneCode","account.sendConfirmPhoneCode","account.sendVerifyEmailCode","account.sendVerifyPhoneCode","account.setAccountTTL","account.setAuthorizationTTL","account.setContactSignUpNotification","account.setContentSettings","account.setGlobalPrivacySettings","account.setMainProfileTab","account.setPrivacy","account.setReactionsNotifySettings","account.toggleConnectedBotPaused","account.toggleNoPaidMessagesException","account.toggleSponsoredMessages","account.toggleUsername","account.unregisterDevice","account.updateBirthday","account.updateBusinessAwayMessage","account.updateBusinessGreetingMessage","account.updateBusinessIntro","account.updateBusinessLocation","account.updateBusinessWorkHours","account.updateColor","account.updateConnectedBot","account.updateDeviceLocked","account.updateEmojiStatus","account.updateNotifySettings","account.updatePasswordSettings","account.updatePersonalChannel","account.updateProfile","account.updateStatus","account.updateTheme","account.uploadRingtone","account.uploadTheme","account.uploadWallPaper","account.verifyEmail","account.verifyPhone","auth.acceptLoginToken","auth.bindTempAuthKey","auth.cancelCode","auth.checkPassword","auth.checkRecoveryPassword","auth.exportAuthorization","auth.exportLoginToken","auth.importAuthorization","auth.importBotAuthorization","auth.importLoginToken","auth.importWebTokenAuthorization","auth.recoverPassword","auth.reportMissingCode","auth.requestFirebaseSms","auth.requestPasswordRecovery","auth.resendCode","auth.resetLoginEmail","auth.sendCode","auth.signIn","auth.signUp","bots.addPreviewMedia","bots.allowSendMessage","bots.answerWebhookJSONQuery","bots.canSendMessage","bots.checkDownloadFileParams","bots.deletePreviewMedia","bots.editPreviewMedia","bots.getAdminedBots","bots.getBotCommands","bots.getBotInfo","bots.getBotMenuButton","bots.getBotRecommendations","bots.getPopularAppBots","bots.getPreviewInfo","bots.getPreviewMedias","bots.invokeWebViewCustomMethod","bots.reorderPreviewMedias","bots.reorderUsernames","bots.resetBotCommands","bots.sendCustomRequest","bots.setBotBroadcastDefaultAdminRights","bots.setBotCommands","bots.setBotGroupDefaultAdminRights","bots.setBotInfo","bots.setBotMenuButton","bots.setCustomVerification","bots.toggleUserEmojiStatusPermission","bots.toggleUsername","bots.updateStarRefProgram","bots.updateUserEmojiStatus","channels.checkSearchPostsFlood","channels.checkUsername","channels.convertToGigagroup","channels.createChannel","channels.createForumTopic","channels.deactivateAllUsernames","channels.deleteChannel","channels.deleteHistory","channels.deleteMessages","channels.deleteParticipantHistory","channels.deleteTopicHistory","channels.editAdmin","channels.editBanned","channels.editCreator","channels.editForumTopic","channels.editLocation","channels.editPhoto","channels.editTitle","channels.exportMessageLink","channels.getAdminedPublicChannels","channels.getAdminLog","channels.getChannelRecommendations","channels.getChannels","channels.getForumTopics","channels.getForumTopicsByID","channels.getFullChannel","channels.getGroupsForDiscussion","channels.getInactiveChannels","channels.getLeftChannels","channels.getMessageAuthor","channels.getMessages","channels.getParticipant","channels.getParticipants","channels.getSendAs","channels.inviteToChannel","channels.joinChannel","channels.leaveChannel","channels.readHistory","channels.readMessageContents","channels.reorderPinnedForumTopics","channels.reorderUsernames","channels.reportAntiSpamFalsePositive","channels.reportSpam","channels.restrictSponsoredMessages","channels.searchPosts","channels.setBoostsToUnblockRestrictions","channels.setDiscussionGroup","channels.setEmojiStickers","channels.setMainProfileTab","channels.setStickers","channels.toggleAntiSpam","channels.toggleAutotranslation","channels.toggleForum","channels.toggleJoinRequest","channels.toggleJoinToSend","channels.toggleParticipantsHidden","channels.togglePreHistoryHidden","channels.toggleSignatures","channels.toggleSlowMode","channels.toggleUsername","channels.toggleViewForumAsMessages","channels.updateColor","channels.updateEmojiStatus","channels.updatePaidMessagesPrice","channels.updatePinnedForumTopic","channels.updateUsername","chatlists.checkChatlistInvite","chatlists.deleteExportedInvite","chatlists.editExportedInvite","chatlists.exportChatlistInvite","chatlists.getChatlistUpdates","chatlists.getExportedInvites","chatlists.getLeaveChatlistSuggestions","chatlists.hideChatlistUpdates","chatlists.joinChatlistInvite","chatlists.joinChatlistUpdates","chatlists.leaveChatlist","contacts.acceptContact","contacts.addContact","contacts.block","contacts.blockFromReplies","contacts.deleteByPhones","contacts.deleteContacts","contacts.editCloseFriends","contacts.exportContactToken","contacts.getBirthdays","contacts.getBlocked","contacts.getContactIDs","contacts.getContacts","contacts.getLocated","contacts.getSaved","contacts.getSponsoredPeers","contacts.getStatuses","contacts.getTopPeers","contacts.importContacts","contacts.importContactToken","contacts.resetSaved","contacts.resetTopPeerRating","contacts.resolvePhone","contacts.resolveUsername","contacts.search","contacts.setBlocked","contacts.toggleTopPeers","contacts.unblock","folders.editPeerFolders","fragment.getCollectibleInfo","help.acceptTermsOfService","help.dismissSuggestion","help.editUserInfo","help.getAppConfig","help.getAppUpdate","help.getCdnConfig","help.getConfig","help.getCountriesList","help.getDeepLinkInfo","help.getInviteText","help.getNearestDc","help.getPassportConfig","help.getPeerColors","help.getPeerProfileColors","help.getPremiumPromo","help.getPromoData","help.getRecentMeUrls","help.getSupport","help.getSupportName","help.getTermsOfServiceUpdate","help.getTimezonesList","help.getUserInfo","help.hidePromoData","help.saveAppLog","help.setBotUpdatesStatus","langpack.getDifference","langpack.getLangPack","langpack.getLanguage","langpack.getLanguages","langpack.getStrings","messages.acceptEncryption","messages.acceptUrlAuth","messages.addChatUser","messages.appendTodoList","messages.checkChatInvite","messages.checkHistoryImport","messages.checkHistoryImportPeer","messages.checkQuickReplyShortcut","messages.clearAllDrafts","messages.clearRecentReactions","messages.clearRecentStickers","messages.clickSponsoredMessage","messages.createChat","messages.deleteChat","messages.deleteChatUser","messages.deleteExportedChatInvite","messages.deleteFactCheck","messages.deleteHistory","messages.deleteMessages","messages.deletePhoneCallHistory","messages.deleteQuickReplyMessages","messages.deleteQuickReplyShortcut","messages.deleteRevokedExportedChatInvites","messages.deleteSavedHistory","messages.deleteScheduledMessages","messages.discardEncryption","messages.editChatAbout","messages.editChatAdmin","messages.editChatDefaultBannedRights","messages.editChatPhoto","messages.editChatTitle","messages.editExportedChatInvite","messages.editFactCheck","messages.editInlineBotMessage","messages.editMessage","messages.editQuickReplyShortcut","messages.exportChatInvite","messages.faveSticker","messages.forwardMessages","messages.getAdminsWithInvites","messages.getAllDrafts","messages.getAllStickers","messages.getArchivedStickers","messages.getAttachedStickers","messages.getAttachMenuBot","messages.getAttachMenuBots","messages.getAvailableEffects","messages.getAvailableReactions","messages.getBotApp","messages.getBotCallbackAnswer","messages.getChatInviteImporters","messages.getChats","messages.getCommonChats","messages.getCustomEmojiDocuments","messages.getDefaultHistoryTTL","messages.getDefaultTagReactions","messages.getDhConfig","messages.getDialogFilters","messages.getDialogs","messages.getDialogUnreadMarks","messages.getDiscussionMessage","messages.getDocumentByHash","messages.getEmojiGroups","messages.getEmojiKeywords","messages.getEmojiKeywordsDifference","messages.getEmojiKeywordsLanguages","messages.getEmojiProfilePhotoGroups","messages.getEmojiStatusGroups","messages.getEmojiStickerGroups","messages.getEmojiStickers","messages.getEmojiURL","messages.getExportedChatInvite","messages.getExportedChatInvites","messages.getExtendedMedia","messages.getFactCheck","messages.getFavedStickers","messages.getFeaturedEmojiStickers","messages.getFeaturedStickers","messages.getFullChat","messages.getGameHighScores","messages.getHistory","messages.getInlineBotResults","messages.getInlineGameHighScores","messages.getMaskStickers","messages.getMessageEditData","messages.getMessageReactionsList","messages.getMessageReadParticipants","messages.getMessages","messages.getMessagesReactions","messages.getMessagesViews","messages.getMyStickers","messages.getOldFeaturedStickers","messages.getOnlines","messages.getOutboxReadDate","messages.getPaidReactionPrivacy","messages.getPeerDialogs","messages.getPeerSettings","messages.getPinnedDialogs","messages.getPinnedSavedDialogs","messages.getPollResults","messages.getPollVotes","messages.getPreparedInlineMessage","messages.getQuickReplies","messages.getQuickReplyMessages","messages.getRecentLocations","messages.getRecentReactions","messages.getRecentStickers","messages.getReplies","messages.getSavedDialogs","messages.getSavedDialogsByID","messages.getSavedGifs","messages.getSavedHistory","messages.getSavedReactionTags","messages.getScheduledHistory","messages.getScheduledMessages","messages.getSearchCounters","messages.getSearchResultsCalendar","messages.getSearchResultsPositions","messages.getSplitRanges","messages.getSponsoredMessages","messages.getStickers","messages.getStickerSet","messages.getSuggestedDialogFilters","messages.getTopReactions","messages.getUnreadMentions","messages.getUnreadReactions","messages.getWebPage","messages.getWebPagePreview","messages.hideAllChatJoinRequests","messages.hideChatJoinRequest","messages.hidePeerSettingsBar","messages.importChatInvite","messages.initHistoryImport","messages.installStickerSet","messages.markDialogUnread","messages.migrateChat","messages.prolongWebView","messages.rateTranscribedAudio","messages.readDiscussion","messages.readEncryptedHistory","messages.readFeaturedStickers","messages.readHistory","messages.readMentions","messages.readMessageContents","messages.readReactions","messages.readSavedHistory","messages.receivedMessages","messages.receivedQueue","messages.reorderPinnedDialogs","messages.reorderPinnedSavedDialogs","messages.reorderQuickReplies","messages.reorderStickerSets","messages.report","messages.reportEncryptedSpam","messages.reportMessagesDelivery","messages.reportReaction","messages.reportSpam","messages.reportSponsoredMessage","messages.requestAppWebView","messages.requestEncryption","messages.requestMainWebView","messages.requestSimpleWebView","messages.requestUrlAuth","messages.requestWebView","messages.saveDefaultSendAs","messages.saveDraft","messages.saveGif","messages.savePreparedInlineMessage","messages.saveRecentSticker","messages.search","messages.searchCustomEmoji","messages.searchEmojiStickerSets","messages.searchGlobal","messages.searchSentMedia","messages.searchStickers","messages.searchStickerSets","messages.sendBotRequestedPeer","messages.sendEncrypted","messages.sendEncryptedFile","messages.sendEncryptedService","messages.sendInlineBotResult","messages.sendMedia","messages.sendMessage","messages.sendMultiMedia","messages.sendPaidReaction","messages.sendQuickReplyMessages","messages.sendReaction","messages.sendScheduledMessages","messages.sendScreenshotNotification","messages.sendVote","messages.sendWebViewData","messages.sendWebViewResultMessage","messages.setBotCallbackAnswer","messages.setBotPrecheckoutResults","messages.setBotShippingResults","messages.setChatAvailableReactions","messages.setChatTheme","messages.setChatWallPaper","messages.setDefaultHistoryTTL","messages.setDefaultReaction","messages.setEncryptedTyping","messages.setGameScore","messages.setHistoryTTL","messages.setInlineBotResults","messages.setInlineGameScore","messages.setTyping","messages.startBot","messages.startHistoryImport","messages.toggleBotInAttachMenu","messages.toggleDialogFilterTags","messages.toggleDialogPin","messages.toggleNoForwards","messages.togglePaidReactionPrivacy","messages.togglePeerTranslations","messages.toggleSavedDialogPin","messages.toggleStickerSets","messages.toggleSuggestedPostApproval","messages.toggleTodoCompleted","messages.transcribeAudio","messages.translateText","messages.uninstallStickerSet","messages.unpinAllMessages","messages.updateDialogFilter","messages.updateDialogFiltersOrder","messages.updatePinnedMessage","messages.updateSavedReactionTag","messages.uploadEncryptedFile","messages.uploadImportedMedia","messages.uploadMedia","messages.viewSponsoredMessage","payments.applyGiftCode","payments.assignAppStoreTransaction","payments.assignPlayMarketTransaction","payments.botCancelStarsSubscription","payments.canPurchaseStore","payments.changeStarsSubscription","payments.checkCanSendGift","payments.checkGiftCode","payments.clearSavedInfo","payments.connectStarRefBot","payments.convertStarGift","payments.createStarGiftCollection","payments.deleteStarGiftCollection","payments.editConnectedStarRefBot","payments.exportInvoice","payments.fulfillStarsSubscription","payments.getBankCardData","payments.getConnectedStarRefBot","payments.getConnectedStarRefBots","payments.getGiveawayInfo","payments.getPaymentForm","payments.getPaymentReceipt","payments.getPremiumGiftCodeOptions","payments.getResaleStarGifts","payments.getSavedInfo","payments.getSavedStarGift","payments.getSavedStarGifts","payments.getStarGiftCollections","payments.getStarGifts","payments.getStarGiftUpgradePreview","payments.getStarGiftWithdrawalUrl","payments.getStarsGiftOptions","payments.getStarsGiveawayOptions","payments.getStarsRevenueAdsAccountUrl","payments.getStarsRevenueStats","payments.getStarsRevenueWithdrawalUrl","payments.getStarsStatus","payments.getStarsSubscriptions","payments.getStarsTopupOptions","payments.getStarsTransactions","payments.getStarsTransactionsByID","payments.getSuggestedStarRefBots","payments.getUniqueStarGift","payments.getUniqueStarGiftValueInfo","payments.launchPrepaidGiveaway","payments.refundStarsCharge","payments.reorderStarGiftCollections","payments.saveStarGift","payments.sendPaymentForm","payments.sendStarsForm","payments.toggleChatStarGiftNotifications","payments.toggleStarGiftsPinnedToTop","payments.transferStarGift","payments.updateStarGiftCollection","payments.updateStarGiftPrice","payments.upgradeStarGift","payments.validateRequestedInfo","phone.acceptCall","phone.checkGroupCall","phone.confirmCall","phone.createConferenceCall","phone.createGroupCall","phone.declineConferenceCallInvite","phone.deleteConferenceCallParticipants","phone.discardCall","phone.discardGroupCall","phone.editGroupCallParticipant","phone.editGroupCallTitle","phone.exportGroupCallInvite","phone.getCallConfig","phone.getGroupCall","phone.getGroupCallChainBlocks","phone.getGroupCallJoinAs","phone.getGroupCallStreamChannels","phone.getGroupCallStreamRtmpUrl","phone.getGroupParticipants","phone.inviteConferenceCallParticipant","phone.inviteToGroupCall","phone.joinGroupCall","phone.joinGroupCallPresentation","phone.leaveGroupCall","phone.leaveGroupCallPresentation","phone.receivedCall","phone.requestCall","phone.saveCallDebug","phone.saveCallLog","phone.saveDefaultGroupCallJoinAs","phone.sendConferenceCallBroadcast","phone.sendSignalingData","phone.setCallRating","phone.startScheduledGroupCall","phone.toggleGroupCallRecord","phone.toggleGroupCallSettings","phone.toggleGroupCallStartSubscription","photos.deletePhotos","photos.getUserPhotos","photos.uploadContactProfilePhoto","premium.applyBoost","premium.getBoostsList","premium.getBoostsStatus","premium.getMyBoosts","premium.getUserBoosts","smsjobs.finishJob","smsjobs.getSmsJob","smsjobs.getStatus","smsjobs.isEligibleToJoin","smsjobs.join","smsjobs.leave","smsjobs.updateSettings","stats.getBroadcastStats","stats.getMegagroupStats","stats.getMessagePublicForwards","stats.getMessageStats","stats.getStoryPublicForwards","stats.getStoryStats","stats.loadAsyncGraph","stickers.addStickerToSet","stickers.changeSticker","stickers.changeStickerPosition","stickers.checkShortName","stickers.createStickerSet","stickers.deleteStickerSet","stickers.removeStickerFromSet","stickers.renameStickerSet","stickers.replaceSticker","stickers.setStickerSetThumb","stickers.suggestShortName","stories.activateStealthMode","stories.canSendStory","stories.createAlbum","stories.deleteAlbum","stories.deleteStories","stories.editStory","stories.exportStoryLink","stories.getAlbums","stories.getAlbumStories","stories.getAllReadPeerStories","stories.getAllStories","stories.getChatsToSend","stories.getPeerMaxIDs","stories.getPeerStories","stories.getPinnedStories","stories.getStoriesArchive","stories.getStoriesByID","stories.getStoriesViews","stories.getStoryReactionsList","stories.getStoryViewsList","stories.incrementStoryViews","stories.readStories","stories.reorderAlbums","stories.report","stories.searchPosts","stories.sendReaction","stories.sendStory","stories.toggleAllStoriesHidden","stories.togglePeerStoriesHidden","stories.togglePinned","stories.togglePinnedToTop","stories.updateAlbum","updates.getChannelDifference","updates.getDifference","updates.getState","upload.getCdnFile","upload.getCdnFileHashes","upload.getFile","upload.getFileHashes","upload.getWebFile","upload.reuploadCdnFile","upload.saveBigFilePart","upload.saveFilePart","users.getFullUser","users.getRequirementsToContact","users.getSavedMusic","users.getSavedMusicByID","users.getUsers","users.setSecureValueErrors"],"BUSINESS_PEER_INVALID":["messages.editMessage","messages.sendMedia","messages.sendMessage","messages.sendMultiMedia","messages.setTyping","messages.updatePinnedMessage"],"BUSINESS_PEER_USAGE_MISSING":["messages.sendMessage","messages.setTyping"],"BUSINESS_RECIPIENTS_EMPTY":["account.updateConnectedBot"],"BUSINESS_WORK_HOURS_EMPTY":["account.updateBusinessWorkHours"],"BUSINESS_WORK_HOURS_PERIOD_INVALID":["account.updateBusinessWorkHours"],"BUTTON_COPY_TEXT_INVALID":["messages.editMessage","messages.sendMedia","messages.sendMessage"],"BUTTON_DATA_INVALID":["messages.editInlineBotMessage","messages.editMessage","messages.sendMedia","messages.sendMessage","messages.setInlineBotResults"],"BUTTON_ID_INVALID":["messages.sendMessage"],"BUTTON_INVALID":["bots.setBotMenuButton"],"BUTTON_POS_INVALID":["messages.sendMedia"],"BUTTON_TEXT_INVALID":["bots.setBotMenuButton"],"BUTTON_TYPE_INVALID":["messages.editMessage","messages.sendMedia","messages.sendMessage","messages.setInlineBotResults"],"BUTTON_URL_INVALID":["bots.setBotMenuButton","messages.editMessage","messages.sendMedia","messages.sendMessage","messages.setInlineBotResults"],"BUTTON_USER_INVALID":["messages.sendMessage"],"BUTTON_USER_PRIVACY_RESTRICTED":["messages.sendMedia","messages.sendMessage"],"CALL_ALREADY_ACCEPTED":["phone.acceptCall","phone.discardCall"],"CALL_ALREADY_DECLINED":["phone.acceptCall","phone.confirmCall","phone.receivedCall"],"CALL_OCCUPY_FAILED":["phone.discardCall"],"CALL_PEER_INVALID":["phone.acceptCall","phone.confirmCall","phone.discardCall","phone.receivedCall","phone.saveCallDebug","phone.saveCallLog","phone.sendSignalingData","phone.setCallRating"],"CALL_PROTOCOL_FLAGS_INVALID":["phone.acceptCall","phone.requestCall"],"CALL_PROTOCOL_LAYER_INVALID":["phone.acceptCall","phone.requestCall"],"CDN_METHOD_INVALID":["invokeWithLayer","updates.getDifference","upload.getCdnFileHashes","upload.getFile","upload.reuploadCdnFile"],"CHANNEL_FORUM_MISSING":["channels.createForumTopic","channels.deleteTopicHistory","channels.editForumTopic","channels.getForumTopics","channels.getForumTopicsByID"],"CHANNEL_ID_INVALID":["channels.convertToGigagroup"],"CHANNEL_INVALID":["account.getNotifySettings","account.updateNotifySettings","channels.checkUsername","channels.clickSponsoredMessage","channels.convertToGigagroup","channels.createForumTopic","channels.deactivateAllUsernames","channels.deleteChannel","channels.deleteHistory","channels.deleteMessages","channels.deleteParticipantHistory","channels.deleteTopicHistory","channels.deleteUserHistory","channels.editAbout","channels.editAdmin","channels.editBanned","channels.editForumTopic","channels.editLocation","channels.editPhoto","channels.editTitle","channels.exportInvite","channels.exportMessageLink","channels.getAdminLog","channels.getChannelRecommendations","channels.getChannels","channels.getForumTopics","channels.getForumTopicsByID","channels.getFullChannel","channels.getMessageAuthor","channels.getMessages","channels.getParticipant","channels.getParticipants","channels.getSendAs","channels.getSponsoredMessages","channels.inviteToChannel","channels.joinChannel","channels.leaveChannel","channels.readHistory","channels.readMessageContents","channels.reorderPinnedForumTopics","channels.reorderUsernames","channels.reportAntiSpamFalsePositive","channels.reportSpam","channels.reportSponsoredMessage","channels.restrictSponsoredMessages","channels.setBoostsToUnblockRestrictions","channels.setDiscussionGroup","channels.setEmojiStickers","channels.setMainProfileTab","channels.setStickers","channels.toggleAntiSpam","channels.toggleAutotranslation","channels.toggleForum","channels.toggleInvites","channels.toggleJoinRequest","channels.toggleJoinToSend","channels.toggleParticipantsHidden","channels.togglePreHistoryHidden","channels.toggleSignatures","channels.toggleSlowMode","channels.toggleUsername","channels.toggleViewForumAsMessages","channels.updateColor","channels.updateEmojiStatus","channels.updatePaidMessagesPrice","channels.updatePinnedForumTopic","channels.updatePinnedMessage","channels.updateUsername","channels.viewSponsoredMessage","chatlists.editExportedInvite","chatlists.exportChatlistInvite","folders.editPeerFolders","messages.editChatAbout","messages.editChatDefaultBannedRights","messages.editMessage","messages.exportChatInvite","messages.forwardMessages","messages.getBotCallbackAnswer","messages.getChatInviteImporters","messages.getDiscussionMessage","messages.getExportedChatInvite","messages.getExportedChatInvites","messages.getHistory","messages.getInlineBotResults","messages.getMessagesReactions","messages.getMessagesViews","messages.getPeerDialogs","messages.getPeerSettings","messages.getReplies","messages.getSponsoredMessages","messages.getUnreadMentions","messages.hideAllChatJoinRequests","messages.importChatInvite","messages.readMentions","messages.report","messages.saveDefaultSendAs","messages.search","messages.sendInlineBotResult","messages.sendMedia","messages.sendMessage","messages.sendMultiMedia","messages.sendPaidReaction","messages.sendReaction","messages.sendVote","messages.setTyping","messages.uploadMedia","phone.getGroupCallJoinAs","premium.getBoostsStatus","stats.getBroadcastRevenueStats","stats.getBroadcastRevenueTransactions","stats.getBroadcastStats","stats.getMegagroupStats","stats.getMessagePublicForwards","stats.getMessageStats","stories.canSendStory","stories.deleteStories","stories.getBoostersList","stories.getPeerStories","stories.getPinnedStories","stories.getStoriesByID","stories.getStoriesViews","stories.sendStory","updates.getChannelDifference","updates.getDifference","upload.getFile","users.getFullUser","users.getUsers"],"CHANNEL_MONOFORUM_UNSUPPORTED":["channels.editAdmin","channels.editCreator","channels.getForumTopics","channels.getParticipants","channels.inviteToChannel","channels.joinChannel","channels.updatePaidMessagesPrice","messages.exportChatInvite","messages.getPeerSettings","messages.sendMessage"],"CHANNEL_PARICIPANT_MISSING":["channels.deleteHistory"],"CHANNEL_PRIVATE":["account.getNotifySettings","account.reportPeer","account.updateNotifySettings","channels.checkUsername","channels.deleteChannel","channels.deleteHistory","channels.deleteMessages","channels.deleteParticipantHistory","channels.deleteUserHistory","channels.editAdmin","channels.editBanned","channels.editCreator","channels.editPhoto","channels.editTitle","channels.exportMessageLink","channels.getAdminLog","channels.getChannelRecommendations","channels.getChannels","channels.getForumTopics","channels.getFullChannel","channels.getMessages","channels.getParticipant","channels.getParticipants","channels.getSendAs","channels.getSponsoredMessages","channels.inviteToChannel","channels.joinChannel","channels.leaveChannel","channels.readHistory","channels.readMessageContents","channels.togglePreHistoryHidden","channels.toggleUsername","channels.updateUsername","channels.viewSponsoredMessage","chatlists.exportChatlistInvite","contacts.addContact","contacts.block","contacts.unblock","folders.editPeerFolders","messages.deleteHistory","messages.editChatAbout","messages.editChatDefaultBannedRights","messages.editExportedChatInvite","messages.editMessage","messages.exportChatInvite","messages.forwardMessages","messages.getBotCallbackAnswer","messages.getChatInviteImporters","messages.getDiscussionMessage","messages.getExportedChatInvite","messages.getExportedChatInvites","messages.getHistory","messages.getInlineBotResults","messages.getMessagesReactions","messages.getMessagesViews","messages.getOnlines","messages.getPeerDialogs","messages.getPeerSettings","messages.getReplies","messages.getSponsoredMessages","messages.getUnreadMentions","messages.hideAllChatJoinRequests","messages.hideChatJoinRequest","messages.importChatInvite","messages.readHistory","messages.readMentions","messages.report","messages.reportSpam","messages.search","messages.sendInlineBotResult","messages.sendMedia","messages.sendMessage","messages.sendMultiMedia","messages.sendReaction","messages.sendVote","messages.setTyping","messages.toggleDialogPin","messages.updatePinnedMessage","messages.uploadMedia","phone.createGroupCall","premium.getBoostsStatus","stats.getBroadcastStats","stories.getPeerStories","stories.getStoriesByID","stories.getStoriesViews","updates.getChannelDifference","updates.getDifference","upload.getFile","users.getFullUser","users.getUsers"],"CHANNEL_TOO_BIG":["channels.deleteHistory"],"CHANNEL_TOO_LARGE":["channels.deleteChannel"],"CHANNELS_ADMIN_LOCATED_TOO_MUCH":["channels.createChannel","channels.getAdminedPublicChannels"],"CHANNELS_ADMIN_PUBLIC_TOO_MUCH":["channels.checkUsername","channels.editCreator","channels.getAdminedPublicChannels","channels.updateUsername"],"CHANNELS_TOO_MUCH":["channels.createChannel","channels.joinChannel","chatlists.joinChatlistInvite","messages.hideAllChatJoinRequests","messages.hideChatJoinRequest","messages.importChatInvite","messages.migrateChat"],"CHARGE_ALREADY_REFUNDED":["payments.refundStarsCharge"],"CHARGE_ID_EMPTY":["payments.refundStarsCharge"],"CHARGE_ID_INVALID":["payments.botCancelStarsSubscription"],"CHAT_ABOUT_NOT_MODIFIED":["channels.editAbout","messages.editChatAbout"],"CHAT_ABOUT_TOO_LONG":["channels.createChannel","channels.editAbout","messages.editChatAbout"],"CHAT_ADMIN_REQUIRED":["channels.convertToGigagroup","channels.deleteChannel","channels.deleteHistory","channels.deleteParticipantHistory","channels.deleteUserHistory","channels.editAbout","channels.editAdmin","channels.editBanned","channels.editCreator","channels.editLocation","channels.editPhoto","channels.editTitle","channels.exportInvite","channels.getAdminLog","channels.getParticipant","channels.getParticipants","channels.inviteToChannel","channels.reportSpam","channels.setDiscussionGroup","channels.toggleInvites","channels.toggleJoinRequest","channels.toggleJoinToSend","channels.toggleParticipantsHidden","channels.togglePreHistoryHidden","channels.toggleSignatures","channels.toggleSlowMode","channels.toggleUsername","channels.updatePinnedMessage","channels.updateUsername","chatlists.exportChatlistInvite","messages.addChatUser","messages.checkHistoryImportPeer","messages.deleteChat","messages.deleteChatUser","messages.deleteExportedChatInvite","messages.deleteHistory","messages.editChatAbout","messages.editChatDefaultBannedRights","messages.editChatTitle","messages.editExportedChatInvite","messages.editMessage","messages.exportChatInvite","messages.forwardMessages","messages.getAdminsWithInvites","messages.getChatInviteImporters","messages.getExportedChatInvite","messages.getExportedChatInvites","messages.getMessageEditData","messages.getScheduledHistory","messages.getScheduledMessages","messages.hideAllChatJoinRequests","messages.hideChatJoinRequest","messages.initHistoryImport","messages.migrateChat","messages.readSavedHistory","messages.search","messages.sendInlineBotResult","messages.sendMedia","messages.sendMessage","messages.sendMultiMedia","messages.setChatAvailableReactions","messages.setTyping","messages.startBot","messages.toggleNoForwards","messages.unpinAllMessages","messages.updatePinnedMessage","messages.uploadImportedMedia","messages.uploadMedia","payments.getStarsTransactions","phone.createGroupCall","phone.getGroupCallStreamRtmpUrl","premium.getBoostsList","stats.getBroadcastRevenueStats","stats.getBroadcastStats","stats.getMegagroupStats","stats.getMessagePublicForwards","stats.getMessageStats","stories.canSendStory","stories.getBoostersList","stories.getStoriesArchive","stories.sendStory"],"CHAT_DISCUSSION_UNALLOWED":["channels.toggleForum"],"CHAT_FORWARDS_RESTRICTED":["messages.editMessage","messages.forwardMessages","messages.sendMedia","messages.sendMessage","messages.sendMultiMedia"],"CHAT_ID_EMPTY":["messages.discardEncryption"],"CHAT_ID_INVALID":["channels.checkUsername","channels.getSendAs","channels.setStickers","channels.toggleJoinRequest","channels.toggleJoinToSend","channels.toggleParticipantsHidden","channels.togglePreHistoryHidden","channels.toggleSignatures","channels.toggleSlowMode","channels.updatePinnedMessage","folders.editPeerFolders","messages.acceptEncryption","messages.addChatUser","messages.deleteChat","messages.deleteChatUser","messages.deleteHistory","messages.editChatAbout","messages.editChatAdmin","messages.editChatDefaultBannedRights","messages.editChatPhoto","messages.editChatTitle","messages.exportChatInvite","messages.forwardMessage","messages.forwardMessages","messages.getChats","messages.getExportedChatInvites","messages.getFullChat","messages.getHistory","messages.getMessagesViews","messages.getOnlines","messages.migrateChat","messages.readDiscussion","messages.readEncryptedHistory","messages.readHistory","messages.reportEncryptedSpam","messages.search","messages.sendEncrypted","messages.sendEncryptedFile","messages.sendEncryptedService","messages.sendMessage","messages.setEncryptedTyping","messages.setTyping","messages.toggleChatAdmins","messages.updateDialogFilter","messages.uploadEncryptedFile","messages.uploadMedia"],"CHAT_INVALID":["channels.editTitle","channels.inviteToChannel","channels.joinChannel","channels.leaveChannel","messages.addChatUser","messages.createChat","messages.importChatInvite","messages.updatePinnedMessage"],"CHAT_INVITE_PERMANENT":["messages.editExportedChatInvite"],"CHAT_LINK_EXISTS":["channels.togglePreHistoryHidden"],"CHAT_MEMBER_ADD_FAILED":["channels.editCreator","channels.inviteToChannel","messages.addChatUser","messages.createChat"],"CHAT_NOT_MODIFIED":["channels.deleteChannel","channels.editCreator","channels.editLocation","channels.editPhoto","channels.editTitle","channels.getChannelRecommendations","channels.getFullChannel","channels.getMessages","channels.getSponsoredMessages","channels.reorderUsernames","channels.toggleAntiSpam","channels.toggleForum","channels.toggleInvites","channels.toggleJoinRequest","channels.toggleJoinToSend","channels.toggleParticipantsHidden","channels.togglePreHistoryHidden","channels.toggleSignatures","channels.toggleSlowMode","channels.toggleUsername","channels.updatePaidMessagesPrice","channels.updatePinnedMessage","channels.updateUsername","messages.editChatAbout","messages.editChatDefaultBannedRights","messages.editChatPhoto","messages.editChatTitle","messages.getDialogs","messages.getHistory","messages.getMessagesViews","messages.setChatAvailableReactions","messages.setHistoryTTL","messages.toggleChatAdmins","messages.toggleNoForwards","messages.unpinAllMessages","messages.updatePinnedMessage","updates.getChannelDifference","updates.getDifference"],"CHAT_PUBLIC_REQUIRED":["channels.toggleJoinRequest"],"CHAT_RESTRICTED":["messages.forwardMessages","messages.sendInlineBotResult","messages.sendMedia","messages.sendMessage","messages.uploadMedia"],"CHAT_REVOKE_DATE_UNSUPPORTED":["messages.deleteHistory"],"CHAT_SEND_INLINE_FORBIDDEN":["messages.sendInlineBotResult"],"CHAT_TITLE_EMPTY":["channels.createChannel","channels.editTitle","messages.createChat","messages.editChatTitle"],"CHAT_TOO_BIG":["messages.getMessageReadParticipants","messages.getMessagesReadParticipants"],"CHATLINK_SLUG_EMPTY":["account.deleteBusinessChatLink","account.editBusinessChatLink","account.resolveBusinessChatLink"],"CHATLINK_SLUG_EXPIRED":["account.deleteBusinessChatLink","account.resolveBusinessChatLink"],"CHATLINKS_TOO_MUCH":["account.createBusinessChatLink"],"CHATLIST_EXCLUDE_INVALID":["messages.updateDialogFilter"],"CHATLISTS_TOO_MUCH":["chatlists.exportChatlistInvite","chatlists.joinChatlistInvite"],"CODE_EMPTY":["auth.checkRecoveryPassword","auth.recoverPassword"],"CODE_HASH_INVALID":["account.confirmPhone"],"CODE_INVALID":["account.confirmPasswordEmail"],"COLLECTIBLE_INVALID":["account.updateEmojiStatus","fragment.getCollectibleInfo"],"COLLECTIBLE_NOT_FOUND":["fragment.getCollectibleInfo"],"COLOR_INVALID":["account.updateColor"],"CONNECTION_API_ID_INVALID":["help.getConfig","invokeWithLayer"],"CONNECTION_APP_VERSION_EMPTY":["help.getConfig"],"CONNECTION_ID_INVALID":["account.getBotBusinessConnection"],"CONNECTION_LAYER_INVALID":["contacts.resolveUsername","help.getConfig","initConnection"],"CONTACT_ADD_MISSING":["contacts.acceptContact"],"CONTACT_ID_INVALID":["contacts.acceptContact","contacts.addContact","contacts.block","contacts.deleteContact","contacts.unblock"],"CONTACT_MISSING":["photos.uploadContactProfilePhoto"],"CONTACT_NAME_EMPTY":["contacts.addContact"],"CONTACT_REQ_MISSING":["contacts.acceptContact"],"CREATE_CALL_FAILED":["phone.createGroupCall"],"CURRENCY_TOTAL_AMOUNT_INVALID":["messages.sendMedia","payments.exportInvoice"],"CUSTOM_REACTIONS_TOO_MANY":["messages.sendReaction"],"DATA_HASH_SIZE_INVALID":["users.setSecureValueErrors"],"DATA_INVALID":["help.getConfig","messages.getBotCallbackAnswer","messages.sendEncrypted","messages.sendEncryptedService"],"DATA_JSON_INVALID":["bots.answerWebhookJSONQuery","bots.invokeWebViewCustomMethod","bots.sendCustomRequest","help.acceptTermsOfService","payments.assignPlayMarketTransaction","phone.joinGroupCall","phone.saveCallDebug"],"DATA_TOO_LONG":["messages.sendEncrypted","messages.sendEncryptedFile"],"DATE_EMPTY":["updates.getDifference"],"DC_ID_INVALID":["auth.exportAuthorization"],"DH_G_A_INVALID":["messages.requestEncryption"],"DOCUMENT_INVALID":["account.saveMusic","account.updateColor","account.updateEmojiStatus","channels.editForumTopic","messages.editMessage","messages.sendMedia","messages.sendMessage","messages.sendReaction","messages.setChatAvailableReactions","messages.setInlineBotResults","upload.getWebFile"],"EFFECT_ID_INVALID":["messages.sendMedia","messages.sendMultiMedia"],"EMAIL_HASH_EXPIRED":["account.cancelPasswordEmail","account.confirmPasswordEmail","account.resendPasswordEmail"],"EMAIL_INVALID":["account.sendVerifyEmailCode","account.updatePasswordSettings","account.verifyEmail"],"EMAIL_NOT_ALLOWED":["account.sendVerifyEmailCode","account.verifyEmail"],"EMAIL_NOT_SETUP":["account.sendVerifyEmailCode"],"EMAIL_UNCONFIRMED":["account.updatePasswordSettings"],"EMAIL_UNCONFIRMED_%d":["account.updatePasswordSettings"],"EMAIL_VERIFY_EXPIRED":["account.verifyEmail"],"EMOJI_INVALID":["messages.setChatTheme"],"EMOJI_MARKUP_INVALID":["photos.uploadProfilePhoto"],"EMOJI_NOT_MODIFIED":["messages.setChatTheme"],"EMOTICON_EMPTY":["messages.getStickers","messages.searchCustomEmoji"],"EMOTICON_INVALID":["messages.sendMedia"],"EMOTICON_STICKERPACK_MISSING":["messages.getStickerSet"],"ENCRYPTED_MESSAGE_INVALID":["auth.bindTempAuthKey"],"ENCRYPTION_ALREADY_ACCEPTED":["messages.acceptEncryption","messages.discardEncryption"],"ENCRYPTION_ALREADY_DECLINED":["messages.acceptEncryption","messages.discardEncryption"],"ENCRYPTION_DECLINED":["messages.sendEncrypted","messages.sendEncryptedFile","messages.sendEncryptedService","messages.sendMessage"],"ENCRYPTION_ID_INVALID":["messages.discardEncryption","messages.sendEncryptedService"],"ENTITIES_TOO_LONG":["messages.editMessage","messages.sendMessage"],"ENTITY_BOUNDS_INVALID":["help.editUserInfo","messages.editInlineBotMessage","messages.editMessage","messages.getWebPagePreview","messages.saveDraft","messages.sendInlineBotResult","messages.sendMedia","messages.sendMessage","messages.sendMultiMedia"],"ENTITY_MENTION_USER_INVALID":["messages.sendMessage"],"ERROR_TEXT_EMPTY":["messages.setBotPrecheckoutResults"],"EXPIRE_DATE_INVALID":["messages.exportChatInvite"],"EXPIRES_AT_INVALID":["auth.bindTempAuthKey"],"EXPORT_CARD_INVALID":["contacts.importCard"],"EXTENDED_MEDIA_AMOUNT_INVALID":["messages.sendMedia"],"EXTENDED_MEDIA_INVALID":["messages.sendMedia"],"EXTERNAL_URL_INVALID":["messages.sendMedia"],"FILE_CONTENT_TYPE_INVALID":["messages.setInlineBotResults"],"FILE_EMTPY":["messages.sendEncryptedFile"],"FILE_ID_INVALID":["upload.getFile"],"FILE_PART_EMPTY":["upload.saveBigFilePart","upload.saveFilePart"],"FILE_PART_INVALID":["upload.saveBigFilePart","upload.saveFilePart"],"FILE_PART_LENGTH_INVALID":["messages.sendMedia","messages.uploadMedia"],"FILE_PART_SIZE_CHANGED":["upload.saveBigFilePart"],"FILE_PART_SIZE_INVALID":["upload.saveBigFilePart"],"FILE_PART_TOO_BIG":["upload.saveBigFilePart"],"FILE_PART_TOO_SMALL":["upload.saveBigFilePart"],"FILE_PARTS_INVALID":["channels.editPhoto","messages.editMessage","messages.sendMedia","messages.uploadMedia","photos.updateProfilePhoto","photos.uploadProfilePhoto","upload.saveBigFilePart"],"FILE_REFERENCE_%d_EXPIRED":["messages.sendMultiMedia"],"FILE_REFERENCE_%d_INVALID":["messages.sendMultiMedia"],"FILE_REFERENCE_EMPTY":["messages.sendMedia","upload.getFile"],"FILE_REFERENCE_EXPIRED":["messages.sendMedia","upload.getFile"],"FILE_REFERENCE_INVALID":["channels.editPhoto","upload.getFile"],"FILE_TITLE_EMPTY":["messages.setInlineBotResults"],"FILE_TOKEN_INVALID":["upload.getCdnFile","upload.getCdnFileHashes","upload.reuploadCdnFile"],"FILTER_ID_INVALID":["chatlists.deleteExportedInvite","chatlists.editExportedInvite","chatlists.exportChatlistInvite","chatlists.getChatlistUpdates","chatlists.getExportedInvites","chatlists.getLeaveChatlistSuggestions","chatlists.hideChatlistUpdates","chatlists.joinChatlistUpdates","chatlists.leaveChatlist","messages.updateDialogFilter"],"FILTER_INCLUDE_EMPTY":["chatlists.joinChatlistInvite","chatlists.joinChatlistUpdates","messages.updateDialogFilter"],"FILTER_NOT_SUPPORTED":["chatlists.deleteExportedInvite","chatlists.editExportedInvite","chatlists.exportChatlistInvite","chatlists.getChatlistUpdates","chatlists.getLeaveChatlistSuggestions","chatlists.hideChatlistUpdates","messages.getSearchResultsCalendar","messages.searchSentMedia"],"FILTER_TITLE_EMPTY":["messages.updateDialogFilter"],"FIRSTNAME_INVALID":["account.updateProfile","auth.signUp"],"FOLDER_ID_EMPTY":["folders.deleteFolder"],"FOLDER_ID_INVALID":["folders.deleteFolder","folders.editPeerFolders","messages.getDialogs","messages.getPinnedDialogs","messages.searchGlobal"],"FORM_EXPIRED":["payments.sendStarsForm"],"FORM_ID_EMPTY":["payments.sendStarsForm"],"FORM_SUBMIT_DUPLICATE":["payments.sendStarsForm"],"FORM_UNSUPPORTED":["payments.sendPaymentForm","payments.sendStarsForm"],"FORUM_ENABLED":["channels.convertToGigagroup","channels.togglePreHistoryHidden"],"FRESH_CHANGE_ADMINS_FORBIDDEN":["channels.editAdmin"],"FROM_MESSAGE_BOT_DISABLED":["messages.sendMessage","updates.getChannelDifference","users.getUsers"],"FROM_PEER_INVALID":["messages.search"],"FROZEN_PARTICIPANT_MISSING":["channels.getMessages","messages.getHistory","messages.getPeerDialogs","updates.getChannelDifference"],"GAME_BOT_INVALID":["messages.sendMedia"],"GENERAL_MODIFY_ICON_FORBIDDEN":["channels.editForumTopic"],"GEO_POINT_INVALID":["contacts.getLocated"],"GIF_CONTENT_TYPE_INVALID":["messages.setInlineBotResults"],"GIF_ID_INVALID":["messages.saveGif"],"GIFT_MONTHS_INVALID":["payments.getPaymentForm"],"GIFT_SLUG_EXPIRED":["payments.applyGiftCode","payments.checkGiftCode"],"GIFT_SLUG_INVALID":["payments.applyGiftCode","payments.checkGiftCode"],"GIFT_STARS_INVALID":["payments.sendStarsForm"],"GRAPH_EXPIRED_RELOAD":["stats.loadAsyncGraph"],"GRAPH_INVALID_RELOAD":["stats.loadAsyncGraph"],"GRAPH_OUTDATED_RELOAD":["stats.loadAsyncGraph"],"GROUPCALL_ALREADY_DISCARDED":["phone.createGroupCall","phone.discardGroupCall","phone.discardGroupCallRequest"],"GROUPCALL_FORBIDDEN":["phone.editGroupCallParticipant"],"GROUPCALL_INVALID":["phone.checkGroupCall","phone.deleteConferenceCallParticipants","phone.discardGroupCall","phone.editGroupCallParticipant","phone.editGroupCallTitle","phone.exportGroupCallInvite","phone.getGroupCall","phone.getGroupCallChainBlocks","phone.getGroupCallStreamChannels","phone.getGroupParticipants","phone.inviteConferenceCallParticipant","phone.inviteToGroupCall","phone.joinGroupCall","phone.joinGroupCallPresentation","phone.leaveGroupCall","phone.leaveGroupCallPresentation","phone.sendConferenceCallBroadcast","phone.startScheduledGroupCall","phone.toggleGroupCallRecord","phone.toggleGroupCallSettings","phone.toggleGroupCallStartSubscription"],"GROUPCALL_JOIN_MISSING":["phone.checkGroupCall","phone.getGroupCallStreamChannels"],"GROUPCALL_NOT_MODIFIED":["phone.toggleGroupCallRecord","phone.toggleGroupCallSettings"],"GROUPCALL_SSRC_DUPLICATE_MUCH":["phone.joinGroupCall"],"GROUPED_MEDIA_INVALID":["messages.forwardMessages"],"HASH_INVALID":["account.changeAuthorizationSettings","account.resetAuthorization","account.resetWebAuthorization","account.sendConfirmPhoneCode"],"HASH_SIZE_INVALID":["users.setSecureValueErrors"],"HASHTAG_INVALID":["stories.searchPosts"],"HIDE_REQUESTER_MISSING":["messages.hideAllChatJoinRequests","messages.hideChatJoinRequest"],"ID_EXPIRED":["messages.getPreparedInlineMessage"],"ID_INVALID":["messages.getPreparedInlineMessage"],"IMAGE_PROCESS_FAILED":["channels.editPhoto","messages.editChatPhoto","messages.editMessage","messages.sendMedia","messages.uploadMedia","photos.updateProfilePhoto","photos.uploadProfilePhoto","stories.sendStory"],"IMPORT_FILE_INVALID":["messages.initHistoryImport"],"IMPORT_FORMAT_DATE_INVALID":["messages.initHistoryImport"],"IMPORT_FORMAT_UNRECOGNIZED":["messages.checkHistoryImport","messages.initHistoryImport"],"IMPORT_ID_INVALID":["messages.startHistoryImport","messages.uploadImportedMedia"],"IMPORT_TOKEN_INVALID":["contacts.importContactToken"],"INLINE_RESULT_EXPIRED":["messages.sendInlineBotResult"],"INPUT_CHATLIST_INVALID":["chatlists.getChatlistUpdates"],"INPUT_FILE_INVALID":["messages.sendMedia"],"INPUT_FILTER_INVALID":["messages.search","messages.searchGlobal"],"INPUT_PEERS_EMPTY":["messages.getPeerDialogs"],"INPUT_PURPOSE_INVALID":["payments.assignAppStoreTransaction","payments.canPurchaseStore"],"INPUT_TEXT_EMPTY":["messages.translateText"],"INPUT_TEXT_TOO_LONG":["messages.translateText"],"INPUT_USER_DEACTIVATED":["channels.editAdmin","channels.editBanned","channels.inviteToChannel","channels.reportSpam","contacts.block","messages.addChatUser","messages.createChat","messages.deleteChatUser","messages.editMessage","messages.forwardMessages","messages.getInlineBotResults","messages.hideChatJoinRequest","messages.requestEncryption","messages.requestWebView","messages.saveDraft","messages.search","messages.sendInlineBotResult","messages.sendMedia","messages.sendMessage","messages.sendScreenshotNotification","messages.setTyping","messages.startBot","messages.unpinAllMessages","messages.updatePinnedMessage","messages.uploadMedia","payments.getStarsGiftOptions","phone.requestCall"],"INVITE_FORBIDDEN_WITH_JOINAS":["phone.inviteToGroupCall"],"INVITE_HASH_EMPTY":["channels.joinChannel","messages.checkChatInvite","messages.importChatInvite"],"INVITE_HASH_EXPIRED":["channels.exportInvite","channels.joinChannel","invokeWithLayer","messages.checkChatInvite","messages.deleteExportedChatInvite","messages.editExportedChatInvite","messages.getChatInviteImporters","messages.getExportedChatInvite","messages.hideAllChatJoinRequests","messages.importChatInvite"],"INVITE_HASH_INVALID":["channels.joinChannel","messages.checkChatInvite","messages.importChatInvite"],"INVITE_REQUEST_SENT":["channels.joinChannel","messages.importChatInvite"],"INVITE_REVOKED_MISSING":["messages.deleteExportedChatInvite"],"INVITE_SLUG_EMPTY":["chatlists.checkChatlistInvite","chatlists.editExportedInvite","chatlists.joinChatlistInvite"],"INVITE_SLUG_EXPIRED":["chatlists.checkChatlistInvite","chatlists.deleteExportedInvite","chatlists.editExportedInvite","chatlists.joinChatlistInvite"],"INVITE_SLUG_INVALID":["chatlists.deleteExportedInvite"],"INVITES_TOO_MUCH":["chatlists.exportChatlistInvite"],"INVOICE_INVALID":["payments.getPaymentForm","payments.sendPaymentForm"],"INVOICE_PAYLOAD_INVALID":["messages.sendMedia","payments.exportInvoice"],"JOIN_AS_PEER_INVALID":["phone.joinGroupCall","phone.saveDefaultGroupCallJoinAs"],"LANG_CODE_INVALID":["bots.getBotInfo","bots.resetBotCommands","bots.setBotCommands"],"LANG_CODE_NOT_SUPPORTED":["langpack.getLangPack","langpack.getLanguage","langpack.getStrings"],"LANG_PACK_INVALID":["langpack.getDifference","langpack.getLangPack","langpack.getLanguage","langpack.getLanguages","langpack.getStrings"],"LANGUAGE_INVALID":["langpack.getLangPack"],"LASTNAME_INVALID":["auth.signUp"],"LIMIT_INVALID":["upload.getFile"],"LINK_NOT_MODIFIED":["channels.setDiscussionGroup"],"LOCATION_INVALID":["photos.updateProfilePhoto","upload.getFile","upload.getFileHashes","upload.getWebFile","upload.reuploadCdnFile"],"MAX_DATE_INVALID":["messages.deleteHistory","messages.readEncryptedHistory"],"MAX_ID_INVALID":["photos.getUserPhotos","stories.readStories"],"MAX_QTS_INVALID":["messages.receivedQueue"],"MD5_CHECKSUM_INVALID":["messages.sendEncryptedFile","messages.sendMedia"],"MEDIA_ALREADY_PAID":["payments.sendStarsForm"],"MEDIA_CAPTION_TOO_LONG":["messages.editMessage","messages.sendMedia","messages.sendMultiMedia"],"MEDIA_EMPTY":["messages.editMessage","messages.forwardMessages","messages.getAttachedStickers","messages.sendInlineBotResult","messages.sendMedia","messages.sendMultiMedia","stories.sendStory"],"MEDIA_FILE_INVALID":["stories.sendStory"],"MEDIA_GROUPED_INVALID":["messages.editMessage"],"MEDIA_INVALID":["messages.editMessage","messages.sendMedia","messages.sendMultiMedia","messages.uploadImportedMedia","messages.uploadMedia","payments.exportInvoice"],"MEDIA_NEW_INVALID":["messages.editMessage"],"MEDIA_PREV_INVALID":["messages.editMessage"],"MEDIA_TTL_INVALID":["messages.editMessage"],"MEDIA_TYPE_INVALID":["stories.sendStory"],"MEDIA_VIDEO_STORY_MISSING":["stories.sendStory"],"MEGAGROUP_GEO_REQUIRED":["channels.editLocation"],"MEGAGROUP_ID_INVALID":["channels.setDiscussionGroup"],"MEGAGROUP_PREHISTORY_HIDDEN":["channels.setDiscussionGroup"],"MEGAGROUP_REQUIRED":["channels.editLocation","stats.getMegagroupStats"],"MESSAGE_EDIT_TIME_EXPIRED":["messages.editMessage"],"MESSAGE_EMPTY":["auth.sendInvites","messages.editMessage","messages.getWebPagePreview","messages.sendMedia","messages.sendMessage","messages.setInlineBotResults"],"MESSAGE_ID_INVALID":["channels.exportMessageLink","messages.appendTodoList","messages.deleteHistory","messages.deleteMessages","messages.editInlineBotMessage","messages.editMessage","messages.forwardMessage","messages.forwardMessages","messages.getBotCallbackAnswer","messages.getGameHighScores","messages.getInlineGameHighScores","messages.getMessageEditData","messages.getMessagesReadParticipants","messages.getOutboxReadDate","messages.getPollResults","messages.sendBotRequestedPeer","messages.sendPaidReaction","messages.sendReaction","messages.sendScheduledMessages","messages.sendVote","messages.setGameScore","messages.setInlineGameScore","messages.updatePinnedMessage","payments.convertStarGift","payments.getGiveawayInfo","payments.getPaymentForm","payments.getPaymentReceipt","payments.saveStarGift","payments.sendPaymentForm","payments.transferStarGift","payments.upgradeStarGift","payments.validateRequestedInfo","phone.declineConferenceCallInvite","stats.getMessagePublicForwards","stats.getMessageStats"],"MESSAGE_IDS_EMPTY":["channels.getMessages","messages.forwardMessages"],"MESSAGE_NOT_MODIFIED":["messages.editInlineBotMessage","messages.editMessage","messages.sendReaction"],"MESSAGE_NOT_READ_YET":["messages.getOutboxReadDate"],"MESSAGE_POLL_CLOSED":["messages.sendVote"],"MESSAGE_TOO_LONG":["messages.editMessage","messages.sendMessage","messages.setBotCallbackAnswer","messages.setInlineBotResults","messages.updateDialogFilter"],"MESSAGE_TOO_OLD":["messages.getOutboxReadDate"],"METHOD_INVALID":["bots.invokeWebViewCustomMethod","bots.sendCustomRequest","messages.searchGifs"],"MIN_DATE_INVALID":["messages.deleteHistory"],"MONTH_INVALID":["payments.getPaymentForm","payments.sendStarsForm"],"MSG_ID_INVALID":["account.updateNotifySettings","channels.checkUsername","channels.deleteMessages","channels.deleteParticipantHistory","channels.deleteUserHistory","channels.editAdmin","channels.editBanned","channels.exportMessageLink","channels.getAdminLog","channels.getChannels","channels.getFullChannel","channels.getMessages","channels.getParticipant","channels.getParticipants","channels.getSponsoredMessages","channels.inviteToChannel","channels.joinChannel","channels.leaveChannel","channels.readHistory","channels.readMessageContents","channels.reportSpam","contacts.acceptContact","contacts.addContact","contacts.block","contacts.blockFromReplies","contacts.deleteContacts","contacts.unblock","help.getConfig","messages.addChatUser","messages.deleteHistory","messages.editMessage","messages.exportChatInvite","messages.forwardMessages","messages.getCommonChats","messages.getDiscussionMessage","messages.getHistory","messages.getInlineBotResults","messages.getMessageReactionsList","messages.getMessageReadParticipants","messages.getMessagesViews","messages.getPeerDialogs","messages.getPeerSettings","messages.getPollVotes","messages.getReplies","messages.getUnreadMentions","messages.hideChatJoinRequest","messages.importChatInvite","messages.readDiscussion","messages.readHistory","messages.readMentions","messages.reportReaction","messages.reportSpam","messages.requestAppWebView","messages.requestWebView","messages.saveDraft","messages.search","messages.sendInlineBotResult","messages.sendMedia","messages.sendMessage","messages.sendMultiMedia","messages.sendReaction","messages.sendVote","messages.setTyping","messages.startBot","messages.transcribeAudio","messages.translateText","messages.updateDialogFilter","messages.uploadMedia","photos.getUserPhotos","stories.getPeerStories","updates.getChannelDifference","updates.getDifference","upload.getFile","upload.saveFilePart","users.getFullUser","users.getUsers"],"MSG_TOO_OLD":["messages.getMessageReadParticipants"],"MSG_VOICE_MISSING":["messages.transcribeAudio"],"MSG_WAIT_FAILED":["messages.readEncryptedHistory","messages.receivedQueue","messages.sendEncrypted","messages.sendEncryptedFile","messages.sendEncryptedService"],"MULTI_MEDIA_TOO_LONG":["messages.sendMultiMedia"],"NEW_SALT_INVALID":["account.updatePasswordSettings"],"NEW_SETTINGS_EMPTY":["account.updatePasswordSettings"],"NEW_SETTINGS_INVALID":["account.updatePasswordSettings","auth.recoverPassword"],"NEXT_OFFSET_INVALID":["messages.setInlineBotResults"],"NO_PAYMENT_NEEDED":["payments.getPaymentForm"],"NOGENERAL_HIDE_FORBIDDEN":["channels.editForumTopic"],"NOT_ELIGIBLE":["smsjobs.join"],"NOT_JOINED":["smsjobs.getStatus","smsjobs.leave","smsjobs.updateSettings"],"OFFSET_INVALID":["upload.getFile"],"OFFSET_PEER_ID_INVALID":["messages.getDialogs"],"OPTION_INVALID":["messages.report","messages.sendVote"],"OPTIONS_TOO_MUCH":["messages.sendVote"],"ORDER_INVALID":["account.reorderUsernames"],"PACK_SHORT_NAME_INVALID":["stickers.createStickerSet"],"PACK_SHORT_NAME_OCCUPIED":["stickers.createStickerSet"],"PACK_TITLE_INVALID":["stickers.createStickerSet"],"PACK_TYPE_INVALID":["stickers.createStickerSet"],"PARENT_PEER_INVALID":["account.getPaidMessagesRevenue","account.toggleNoPaidMessagesException","messages.readSavedHistory"],"PARTICIPANT_ID_INVALID":["channels.deleteParticipantHistory","channels.editBanned","channels.getParticipant"],"PARTICIPANT_JOIN_MISSING":["phone.editGroupCallParticipant","phone.joinGroupCallPresentation"],"PARTICIPANT_VERSION_OUTDATED":["phone.requestCall"],"PARTICIPANTS_TOO_FEW":["channels.convertToGigagroup","channels.setStickers","channels.toggleParticipantsHidden"],"PASSWORD_EMPTY":["account.resetPassword","auth.requestPasswordRecovery"],"PASSWORD_HASH_INVALID":["account.deleteAccount","account.getPasswordSettings","account.getTmpPassword","account.updatePasswordSettings","auth.checkPassword","channels.editCreator","payments.getStarGiftWithdrawalUrl","payments.getStarsRevenueWithdrawalUrl","stats.getBroadcastRevenueWithdrawalUrl"],"PASSWORD_MISSING":["channels.editCreator","messages.getBotCallbackAnswer","payments.getStarsRevenueWithdrawalUrl","stats.getBroadcastRevenueWithdrawalUrl"],"PASSWORD_RECOVERY_EXPIRED":["auth.checkRecoveryPassword"],"PASSWORD_RECOVERY_NA":["auth.requestPasswordRecovery"],"PASSWORD_REQUIRED":["account.saveSecureValue"],"PASSWORD_TOO_FRESH_%d":["channels.editCreator","payments.getStarGiftWithdrawalUrl","payments.getStarsRevenueWithdrawalUrl","stats.getBroadcastRevenueWithdrawalUrl"],"PAYMENT_CREDENTIALS_INVALID":["payments.sendPaymentForm"],"PAYMENT_PROVIDER_INVALID":["messages.sendMedia","payments.exportInvoice"],"PAYMENT_REQUIRED":["payments.transferStarGift","payments.upgradeStarGift"],"PEER_HISTORY_EMPTY":["messages.toggleDialogPin"],"PEER_ID_INVALID":["account.disablePeerConnectedBot","account.getNotifySettings","account.reportPeer","account.reportProfilePhoto","account.saveAutoSaveSettings","account.toggleConnectedBotPaused","account.updateNotifySettings","bots.setBotCommands","bots.setCustomVerification","channels.checkUsername","channels.editAdmin","channels.editBanned","channels.getSendAs","channels.joinChannel","contacts.block","contacts.resetTopPeerRating","contacts.unblock","messages.addChatUser","messages.appendTodoList","messages.checkHistoryImportPeer","messages.deleteChat","messages.deleteChatUser","messages.deleteExportedChatInvite","messages.deleteFactCheck","messages.deleteHistory","messages.deleteRevokedExportedChatInvites","messages.deleteSavedHistory","messages.deleteScheduledMessages","messages.editChatAbout","messages.editChatAdmin","messages.editChatDefaultBannedRights","messages.editChatPhoto","messages.editChatTitle","messages.editExportedChatInvite","messages.editFactCheck","messages.editMessage","messages.exportChatInvite","messages.forwardMessage","messages.forwardMessages","messages.getAdminsWithInvites","messages.getBotCallbackAnswer","messages.getChatInviteImporters","messages.getChats","messages.getDiscussionMessage","messages.getExportedChatInvite","messages.getExportedChatInvites","messages.getFactCheck","messages.getFullChat","messages.getGameHighScores","messages.getHistory","messages.getMessageEditData","messages.getMessageReadParticipants","messages.getMessagesViews","messages.getOnlines","messages.getOutboxReadDate","messages.getPeerDialogs","messages.getPeerSettings","messages.getPollResults","messages.getReplies","messages.getSavedHistory","messages.getSavedReactionTags","messages.getScheduledHistory","messages.getScheduledMessages","messages.getSearchCounters","messages.getSearchResultsCalendar","messages.getSearchResultsPositions","messages.getStatsURL","messages.getUnreadMentions","messages.getUnreadReactions","messages.hideAllChatJoinRequests","messages.hideChatJoinRequest","messages.hidePeerSettingsBar","messages.hideReportSpam","messages.importChatInvite","messages.initHistoryImport","messages.markDialogUnread","messages.migrateChat","messages.readDiscussion","messages.readHistory","messages.readMentions","messages.readReactions","messages.reorderPinnedDialogs","messages.report","messages.reportMessagesDelivery","messages.reportReaction","messages.reportSpam","messages.requestWebView","messages.saveDefaultSendAs","messages.saveDraft","messages.search","messages.sendBotRequestedPeer","messages.sendInlineBotResult","messages.sendMedia","messages.sendMessage","messages.sendMultiMedia","messages.sendPaidReaction","messages.sendQuickReplyMessages","messages.sendReaction","messages.sendScheduledMessages","messages.sendScreenshotNotification","messages.sendVote","messages.setChatAvailableReactions","messages.setChatTheme","messages.setChatWallPaper","messages.setGameScore","messages.setHistoryTTL","messages.setTyping","messages.startBot","messages.toggleDialogPin","messages.toggleNoForwards","messages.togglePaidReactionPrivacy","messages.togglePeerTranslations","messages.toggleSavedDialogPin","messages.toggleSuggestedPostApproval","messages.toggleTodoCompleted","messages.transcribeAudio","messages.translateText","messages.unpinAllMessages","messages.updateDialogFilter","messages.updatePinnedMessage","messages.uploadMedia","payments.changeStarsSubscription","payments.createStarGiftCollection","payments.deleteStarGiftCollection","payments.fulfillStarsSubscription","payments.getConnectedStarRefBot","payments.getGiveawayInfo","payments.getPaymentForm","payments.getSavedStarGifts","payments.getStarGiftCollections","payments.getStarsRevenueAdsAccountUrl","payments.getStarsRevenueStats","payments.getStarsStatus","payments.getStarsSubscriptions","payments.getStarsTransactions","payments.getStarsTransactionsByID","payments.launchPrepaidGiveaway","payments.reorderStarGiftCollections","payments.sendPaymentForm","payments.sendStarsForm","payments.toggleChatStarGiftNotifications","payments.toggleStarGiftsPinnedToTop","payments.transferStarGift","payments.updateStarGiftCollection","payments.validateRequestedInfo","phone.createGroupCall","phone.getGroupCallJoinAs","phone.getGroupCallStreamRtmpUrl","phone.saveDefaultGroupCallJoinAs","premium.applyBoost","premium.getBoostsList","premium.getBoostsStatus","premium.getUserBoosts","stats.getBroadcastRevenueStats","stats.getBroadcastRevenueTransactions","stats.getMessagePublicForwards","stats.getMessageStats","stats.getStoryPublicForwards","stats.getStoryStats","stickers.createStickerSet","stories.applyBoost","stories.canApplyBoost","stories.canSendStory","stories.createAlbum","stories.deleteAlbum","stories.deleteStories","stories.editStory","stories.exportStoryLink","stories.getAlbums","stories.getAlbumStories","stories.getBoostersList","stories.getBoostsStatus","stories.getPeerStories","stories.getPinnedStories","stories.getStoriesArchive","stories.getStoriesByID","stories.getStoriesViews","stories.getStoryReactionsList","stories.getStoryViewsList","stories.incrementStoryViews","stories.readStories","stories.reorderAlbums","stories.report","stories.sendReaction","stories.sendStory","stories.togglePeerStoriesHidden","stories.togglePinned","stories.togglePinnedToTop","stories.updateAlbum","upload.getFile","users.getUsers"],"PEER_ID_NOT_SUPPORTED":["messages.search"],"PEER_TYPES_INVALID":["messages.editMessage","messages.sendMessage","messages.setInlineBotResults"],"PEERS_LIST_EMPTY":["chatlists.editExportedInvite","chatlists.exportChatlistInvite"],"PERSISTENT_TIMESTAMP_EMPTY":["updates.getChannelDifference","updates.getDifference"],"PERSISTENT_TIMESTAMP_INVALID":["updates.getChannelDifference","updates.getDifference"],"PHONE_CODE_EMPTY":["account.changePhone","account.confirmPhone","account.verifyPhone","auth.requestFirebaseSms","auth.resendCode","auth.signIn","auth.signUp"],"PHONE_CODE_EXPIRED":["account.changePhone","account.verifyPhone","auth.cancelCode","auth.resendCode","auth.signIn","auth.signUp"],"PHONE_CODE_HASH_EMPTY":["auth.resendCode"],"PHONE_CODE_INVALID":["auth.signIn","auth.signUp"],"PHONE_HASH_EXPIRED":["account.sendVerifyEmailCode"],"PHONE_NOT_OCCUPIED":["contacts.resolvePhone"],"PHONE_NUMBER_APP_SIGNUP_FORBIDDEN":["auth.sendCode"],"PHONE_NUMBER_BANNED":["account.sendChangePhoneCode","auth.checkPhone","auth.sendCode"],"PHONE_NUMBER_FLOOD":["auth.sendCode","auth.signUp"],"PHONE_NUMBER_INVALID":["account.changePhone","account.sendChangePhoneCode","account.sendVerifyEmailCode","account.sendVerifyPhoneCode","account.verifyEmail","account.verifyPhone","auth.cancelCode","auth.checkPhone","auth.reportMissingCode","auth.requestFirebaseSms","auth.resendCode","auth.resetLoginEmail","auth.sendCode","auth.signIn","auth.signUp"],"PHONE_NUMBER_OCCUPIED":["account.changePhone","account.sendChangePhoneCode","auth.signUp"],"PHONE_NUMBER_UNOCCUPIED":["auth.signIn"],"PHONE_PASSWORD_PROTECTED":["auth.sendCode"],"PHOTO_CONTENT_TYPE_INVALID":["messages.setInlineBotResults"],"PHOTO_CONTENT_URL_EMPTY":["messages.setInlineBotResults"],"PHOTO_CROP_FILE_MISSING":["photos.uploadProfilePhoto"],"PHOTO_CROP_SIZE_SMALL":["channels.editPhoto","messages.editChatPhoto","photos.updateProfilePhoto","photos.uploadProfilePhoto"],"PHOTO_EXT_INVALID":["channels.editPhoto","messages.editChatPhoto","messages.sendMedia","messages.uploadMedia","photos.updateProfilePhoto","photos.uploadProfilePhoto"],"PHOTO_FILE_MISSING":["channels.editPhoto","photos.uploadProfilePhoto"],"PHOTO_ID_INVALID":["photos.updateProfilePhoto"],"PHOTO_INVALID":["channels.editPhoto","messages.editChatPhoto","messages.setInlineBotResults","photos.uploadProfilePhoto"],"PHOTO_INVALID_DIMENSIONS":["messages.editMessage","messages.sendMedia","messages.uploadMedia"],"PHOTO_SAVE_FILE_INVALID":["messages.editMessage","messages.sendMedia","messages.uploadMedia"],"PHOTO_THUMB_URL_EMPTY":["messages.setInlineBotResults"],"PIN_RESTRICTED":["messages.updatePinnedMessage"],"PINNED_DIALOGS_TOO_MUCH":["messages.getDialogs","messages.sendMessage","messages.toggleDialogPin","updates.getChannelDifference"],"PINNED_TOO_MUCH":["channels.updatePinnedForumTopic"],"POLL_ANSWER_INVALID":["messages.sendMedia"],"POLL_ANSWERS_INVALID":["messages.sendMedia"],"POLL_OPTION_DUPLICATE":["messages.sendMedia"],"POLL_OPTION_INVALID":["messages.sendMedia","messages.sendMessage"],"POLL_QUESTION_INVALID":["messages.sendMedia"],"PREMIUM_ACCOUNT_REQUIRED":["channels.reportSponsoredMessage","stories.activateStealthMode","stories.applyBoost","stories.canApplyBoost","stories.canSendStory","stories.sendStory"],"PRICING_CHAT_INVALID":["messages.exportChatInvite"],"PRIVACY_KEY_INVALID":["account.getPrivacy","account.setPrivacy"],"PRIVACY_TOO_LONG":["account.setPrivacy"],"PRIVACY_VALUE_INVALID":["account.setPrivacy"],"PUBLIC_KEY_REQUIRED":["account.acceptAuthorization","account.getAuthorizationForm"],"PURPOSE_INVALID":["payments.sendStarsForm"],"QUERY_ID_EMPTY":["messages.sendInlineBotResult"],"QUERY_ID_INVALID":["bots.answerWebhookJSONQuery","messages.sendWebViewResultMessage","messages.setBotCallbackAnswer","messages.setBotShippingResults","messages.setInlineBotResults"],"QUERY_TOO_SHORT":["contacts.search"],"QUICK_REPLIES_BOT_NOT_ALLOWED":["messages.forwardMessages","messages.sendMedia","messages.sendMessage","messages.sendMultiMedia"],"QUICK_REPLIES_TOO_MUCH":["messages.forwardMessages","messages.sendInlineBotResult","messages.sendMedia","messages.sendMessage","messages.sendMultiMedia"],"QUIZ_ANSWER_MISSING":["messages.forwardMessages"],"QUIZ_CORRECT_ANSWER_INVALID":["messages.sendMedia"],"QUIZ_CORRECT_ANSWERS_EMPTY":["messages.sendMedia"],"QUIZ_CORRECT_ANSWERS_TOO_MUCH":["messages.sendMedia"],"QUIZ_MULTIPLE_INVALID":["messages.sendMedia"],"QUOTE_TEXT_INVALID":["messages.sendMessage"],"RAISE_HAND_FORBIDDEN":["phone.editGroupCallParticipant"],"RANDOM_ID_EMPTY":["messages.sendMultiMedia","messages.sendPaidReaction"],"RANDOM_ID_EXPIRED":["messages.sendPaidReaction"],"RANDOM_ID_INVALID":["messages.forwardMessages"],"RANDOM_LENGTH_INVALID":["messages.getDhConfig"],"RANGES_INVALID":["updates.getChannelDifference"],"REACTION_EMPTY":["messages.sendReaction","messages.togglePaidReactionPrivacy"],"REACTION_INVALID":["messages.sendReaction","messages.setChatAvailableReactions","messages.setDefaultReaction","messages.updateSavedReactionTag","stories.sendReaction"],"REACTIONS_COUNT_INVALID":["messages.sendPaidReaction"],"REACTIONS_TOO_MANY":["messages.sendReaction"],"RECEIPT_EMPTY":["payments.assignAppStoreTransaction"],"REPLY_MARKUP_BUY_EMPTY":["messages.sendMedia"],"REPLY_MARKUP_GAME_EMPTY":["messages.sendMedia"],"REPLY_MARKUP_INVALID":["messages.editMessage","messages.sendMedia","messages.sendMessage","messages.setInlineBotResults"],"REPLY_MARKUP_TOO_LONG":["messages.editMessage","messages.sendMedia","messages.sendMessage"],"REPLY_MESSAGE_ID_INVALID":["messages.sendMedia","messages.sendMessage","messages.sendScreenshotNotification"],"REPLY_MESSAGES_TOO_MUCH":["messages.forwardMessages","messages.sendInlineBotResult","messages.sendMedia","messages.sendMessage","messages.sendMultiMedia"],"REPLY_TO_INVALID":["messages.sendMessage","messages.sendMultiMedia"],"REPLY_TO_MONOFORUM_PEER_INVALID":["messages.forwardMessages","messages.sendMessage"],"REPLY_TO_USER_INVALID":["messages.sendMessage"],"REQUEST_TOKEN_INVALID":["upload.reuploadCdnFile"],"RESET_REQUEST_MISSING":["account.declinePasswordReset"],"RESULT_ID_DUPLICATE":["messages.setInlineBotResults"],"RESULT_ID_EMPTY":["messages.sendInlineBotResult"],"RESULT_ID_INVALID":["messages.savePreparedInlineMessage","messages.sendInlineBotResult","messages.setInlineBotResults"],"RESULT_TYPE_INVALID":["messages.setInlineBotResults"],"RESULTS_TOO_MUCH":["messages.setInlineBotResults"],"REVOTE_NOT_ALLOWED":["messages.sendVote"],"RIGHTS_NOT_MODIFIED":["bots.setBotBroadcastDefaultAdminRights","bots.setBotGroupDefaultAdminRights"],"RINGTONE_INVALID":["account.saveRingtone"],"RINGTONE_MIME_INVALID":["account.uploadRingtone"],"RSA_DECRYPT_FAILED":["upload.getCdnFileHashes","upload.reuploadCdnFile"],"SAVED_ID_EMPTY":["payments.convertStarGift","payments.getSavedStarGift","payments.saveStarGift","payments.transferStarGift","payments.updateStarGiftPrice","payments.upgradeStarGift"],"SCHEDULE_BOT_NOT_ALLOWED":["messages.forwardMessages","messages.sendMedia","messages.sendMessage"],"SCHEDULE_DATE_INVALID":["messages.editMessage","phone.createGroupCall"],"SCHEDULE_DATE_TOO_LATE":["messages.forwardMessages","messages.sendInlineBotResult","messages.sendMedia","messages.sendMessage","messages.sendMultiMedia"],"SCHEDULE_STATUS_PRIVATE":["messages.sendMessage"],"SCHEDULE_TOO_MUCH":["messages.forwardMessages","messages.sendInlineBotResult","messages.sendMedia","messages.sendMessage","messages.sendMultiMedia"],"SCORE_INVALID":["messages.setGameScore"],"SEARCH_QUERY_EMPTY":["contacts.getSponsoredPeers","contacts.search","messages.search","messages.searchGifs","messages.searchGlobal"],"SEARCH_WITH_LINK_NOT_SUPPORTED":["messages.getChatInviteImporters"],"SECONDS_INVALID":["channels.toggleSlowMode"],"SECURE_SECRET_REQUIRED":["account.saveSecureValue"],"SELF_DELETE_RESTRICTED":["messages.deleteMessages"],"SEND_AS_PEER_INVALID":["messages.forwardMessages","messages.requestWebView","messages.saveDefaultSendAs","messages.sendInlineBotResult","messages.sendMedia","messages.sendMessage","messages.sendMultiMedia","messages.sendPaidReaction"],"SEND_MESSAGE_GAME_INVALID":["messages.savePreparedInlineMessage"],"SEND_MESSAGE_MEDIA_INVALID":["messages.setInlineBotResults"],"SEND_MESSAGE_TYPE_INVALID":["messages.setInlineBotResults"],"SESSION_TOO_FRESH_%d":["channels.editCreator","payments.getStarGiftWithdrawalUrl","payments.getStarsRevenueWithdrawalUrl","stats.getBroadcastRevenueWithdrawalUrl"],"SETTINGS_INVALID":["account.updateNotifySettings"],"SHA256_HASH_INVALID":["messages.getDocumentByHash"],"SHORT_NAME_INVALID":["stickers.checkShortName"],"SHORT_NAME_OCCUPIED":["stickers.checkShortName"],"SHORTCUT_INVALID":["messages.deleteQuickReplyMessages","messages.deleteQuickReplyShortcut","messages.editQuickReplyShortcut","messages.getQuickReplyMessages"],"SLOTS_EMPTY":["premium.applyBoost"],"SLOWMODE_MULTI_MSGS_DISABLED":["messages.forwardMessages"],"SLUG_INVALID":["payments.getPaymentForm"],"SMS_CODE_CREATE_FAILED":["auth.sendCode"],"SMSJOB_ID_INVALID":["smsjobs.finishJob","smsjobs.getSmsJob"],"SRP_A_INVALID":["account.getTmpPassword"],"SRP_ID_INVALID":["account.updatePasswordSettings","auth.checkPassword","channels.editCreator"],"SRP_PASSWORD_CHANGED":["account.updatePasswordSettings","auth.checkPassword"],"STARGIFT_ALREADY_CONVERTED":["payments.getPaymentForm","payments.upgradeStarGift"],"STARGIFT_ALREADY_REFUNDED":["payments.getPaymentForm"],"STARGIFT_ALREADY_UPGRADED":["payments.getPaymentForm","payments.sendStarsForm","payments.upgradeStarGift"],"STARGIFT_INVALID":["payments.checkCanSendGift","payments.getPaymentForm","payments.getResaleStarGifts","payments.getStarGiftUpgradePreview"],"STARGIFT_NOT_FOUND":["payments.getPaymentForm","payments.sendStarsForm","payments.transferStarGift","payments.updateStarGiftPrice"],"STARGIFT_OWNER_INVALID":["payments.getPaymentForm","payments.saveStarGift","payments.sendStarsForm","payments.transferStarGift"],"STARGIFT_PEER_INVALID":["payments.convertStarGift","payments.getPaymentForm","payments.transferStarGift"],"STARGIFT_RESELL_CURRENCY_NOT_ALLOWED":["payments.getPaymentForm"],"STARGIFT_SLUG_INVALID":["payments.getPaymentForm","payments.getSavedStarGift","payments.getUniqueStarGift","payments.getUniqueStarGiftValueInfo","payments.sendStarsForm"],"STARGIFT_TRANSFER_TOO_EARLY_%d":["payments.getPaymentForm"],"STARGIFT_UPGRADE_UNAVAILABLE":["payments.getPaymentForm","payments.upgradeStarGift"],"STARGIFT_USAGE_LIMITED":["payments.sendStarsForm"],"STARGIFT_USER_USAGE_LIMITED":["payments.sendStarsForm"],"STARREF_AWAITING_END":["bots.updateStarRefProgram"],"STARREF_EXPIRED":["contacts.resolveUsername"],"STARREF_HASH_REVOKED":["payments.editConnectedStarRefBot"],"STARREF_PERMILLE_INVALID":["bots.updateStarRefProgram"],"STARREF_PERMILLE_TOO_LOW":["bots.updateStarRefProgram"],"STARS_AMOUNT_INVALID":["channels.updatePaidMessagesPrice"],"STARS_INVOICE_INVALID":["messages.sendMedia","payments.exportInvoice"],"STARS_PAYMENT_REQUIRED":["messages.importChatInvite"],"START_PARAM_EMPTY":["messages.setInlineBotResults","messages.startBot"],"START_PARAM_INVALID":["messages.setInlineBotResults","messages.startBot"],"START_PARAM_TOO_LONG":["messages.startBot"],"STICKER_DOCUMENT_INVALID":["messages.setInlineBotResults"],"STICKER_EMOJI_INVALID":["stickers.createStickerSet"],"STICKER_FILE_INVALID":["stickers.createStickerSet"],"STICKER_GIF_DIMENSIONS":["stickers.createStickerSet"],"STICKER_ID_INVALID":["messages.faveSticker","messages.saveRecentSticker"],"STICKER_INVALID":["stickers.changeSticker","stickers.changeStickerPosition","stickers.removeStickerFromSet","stickers.replaceSticker"],"STICKER_MIME_INVALID":["channels.editPhoto","photos.uploadProfilePhoto"],"STICKER_PNG_DIMENSIONS":["stickers.createStickerSet"],"STICKER_PNG_NOPNG":["stickers.addStickerToSet","stickers.createStickerSet"],"STICKER_TGS_NODOC":["stickers.createStickerSet"],"STICKER_TGS_NOTGS":["stickers.addStickerToSet","stickers.createStickerSet"],"STICKER_THUMB_PNG_NOPNG":["stickers.createStickerSet","stickers.setStickerSetThumb"],"STICKER_THUMB_TGS_NOTGS":["stickers.createStickerSet","stickers.setStickerSetThumb"],"STICKER_VIDEO_BIG":["stickers.createStickerSet"],"STICKER_VIDEO_NODOC":["stickers.createStickerSet"],"STICKER_VIDEO_NOWEBM":["stickers.createStickerSet"],"STICKERPACK_STICKERS_TOO_MUCH":["stickers.addStickerToSet"],"STICKERS_EMPTY":["stickers.createStickerSet"],"STICKERS_TOO_MUCH":["stickers.addStickerToSet"],"STICKERSET_INVALID":["messages.getStickerSet","messages.installStickerSet","messages.uninstallStickerSet","stickers.addStickerToSet","stickers.deleteStickerSet","stickers.renameStickerSet","stickers.setStickerSetThumb"],"STORIES_NEVER_CREATED":["messages.sendMessage","stats.getStoryStats","stories.getStoriesByID","stories.readStories"],"STORIES_TOO_MUCH":["stories.canSendStory","stories.sendStory"],"STORY_ID_EMPTY":["stories.deleteStories","stories.exportStoryLink","stories.getStoriesByID","stories.getStoriesViews","stories.incrementStoryViews","stories.sendReaction"],"STORY_ID_INVALID":["messages.sendMedia","messages.sendMessage","messages.sendScreenshotNotification","stories.getStoryViewsList","stories.sendReaction","stories.togglePinnedToTop"],"STORY_NOT_MODIFIED":["stories.editStory"],"STORY_PERIOD_INVALID":["stories.sendStory"],"STORY_SEND_FLOOD_MONTHLY_%d":["stories.canSendStory"],"STORY_SEND_FLOOD_WEEKLY_%d":["stories.canSendStory"],"SUBSCRIPTION_EXPORT_MISSING":["messages.sendMedia"],"SUBSCRIPTION_ID_INVALID":["payments.getStarsTransactions"],"SUBSCRIPTION_PERIOD_INVALID":["messages.exportChatInvite"],"SUGGESTED_POST_AMOUNT_INVALID":["messages.sendMessage"],"SUGGESTED_POST_PEER_INVALID":["messages.forwardMessages","messages.sendMedia","messages.sendMessage"],"SWITCH_PM_TEXT_EMPTY":["messages.setInlineBotResults"],"SWITCH_WEBVIEW_URL_INVALID":["messages.setInlineBotResults"],"TAKEOUT_INVALID":["channels.getLeftChannels","contacts.getSaved","messages.getDialogs","messages.getHistory","messages.search"],"TAKEOUT_REQUIRED":["contacts.getSaved"],"TASK_ALREADY_EXISTS":["auth.resetLoginEmail"],"TEMP_AUTH_KEY_ALREADY_BOUND":["auth.bindTempAuthKey"],"TEMP_AUTH_KEY_EMPTY":["auth.bindTempAuthKey"],"TERMS_URL_INVALID":["messages.sendMedia"],"THEME_FILE_INVALID":["account.uploadTheme"],"THEME_FORMAT_INVALID":["account.getTheme"],"THEME_INVALID":["account.getTheme","account.saveTheme","account.updateTheme"],"THEME_MIME_INVALID":["account.createTheme","account.uploadTheme"],"THEME_PARAMS_INVALID":["messages.requestAppWebView","messages.requestWebView"],"THEME_SLUG_INVALID":["account.getTheme"],"THEME_TITLE_INVALID":["account.createTheme"],"TIMEZONE_INVALID":["account.updateBusinessWorkHours"],"TITLE_INVALID":["stickers.suggestShortName"],"TMP_PASSWORD_DISABLED":["account.getTmpPassword"],"TMP_PASSWORD_INVALID":["payments.sendPaymentForm"],"TO_ID_INVALID":["payments.getPaymentForm","payments.sendStarsForm"],"TO_LANG_INVALID":["messages.translateText"],"TODO_ITEM_DUPLICATE":["messages.appendTodoList","messages.editMessage","messages.sendMedia"],"TODO_ITEMS_EMPTY":["messages.editMessage","messages.sendMedia"],"TODO_NOT_MODIFIED":["messages.appendTodoList"],"TOKEN_EMPTY":["account.registerDevice"],"TOKEN_INVALID":["account.registerDevice","account.unregisterDevice"],"TOKEN_TYPE_INVALID":["account.registerDevice"],"TOPIC_CLOSE_SEPARATELY":["channels.editForumTopic"],"TOPIC_CLOSED":["messages.forwardMessages","messages.sendMedia","messages.sendMessage","messages.sendMultiMedia"],"TOPIC_DELETED":["messages.forwardMessages","messages.sendInlineBotResult","messages.sendMedia","messages.sendMessage","messages.sendMultiMedia"],"TOPIC_HIDE_SEPARATELY":["channels.editForumTopic"],"TOPIC_ID_INVALID":["channels.deleteTopicHistory","channels.editForumTopic","channels.updatePinnedForumTopic","messages.getDiscussionMessage","messages.getReplies"],"TOPIC_NOT_MODIFIED":["channels.editForumTopic"],"TOPIC_TITLE_EMPTY":["channels.createForumTopic"],"TOPICS_EMPTY":["channels.getForumTopicsByID"],"TRANSACTION_ID_INVALID":["payments.getStarsTransactionsByID"],"TRANSCRIPTION_FAILED":["messages.transcribeAudio"],"TRANSLATE_REQ_QUOTA_EXCEEDED":["messages.translateText"],"TTL_DAYS_INVALID":["account.setAccountTTL","account.setAuthorizationTTL"],"TTL_MEDIA_INVALID":["messages.sendMedia"],"TTL_PERIOD_INVALID":["channels.createChannel","messages.createChat","messages.setDefaultHistoryTTL","messages.setHistoryTTL"],"TYPES_EMPTY":["contacts.getTopPeers"],"UNSUPPORTED":["account.toggleNoPaidMessagesException"],"UNTIL_DATE_INVALID":["messages.editChatDefaultBannedRights","payments.getPaymentForm"],"URL_INVALID":["messages.requestSimpleWebView","messages.requestWebView","messages.setBotCallbackAnswer","messages.setInlineBotResults"],"USAGE_LIMIT_INVALID":["messages.editExportedChatInvite","messages.exportChatInvite"],"USER_ADMIN_INVALID":["channels.editBanned"],"USER_ALREADY_INVITED":["phone.inviteToGroupCall"],"USER_ALREADY_PARTICIPANT":["channels.joinChannel","messages.addChatUser","messages.hideChatJoinRequest","messages.importChatInvite"],"USER_BANNED_IN_CHANNEL":["channels.getChannels","channels.getMessages","channels.inviteToChannel","channels.leaveChannel","messages.editMessage","messages.forwardMessages","messages.sendInlineBotResult","messages.sendMedia","messages.sendMessage","messages.sendMultiMedia","messages.sendReaction","messages.setTyping","messages.updatePinnedMessage","messages.uploadMedia","updates.getChannelDifference","users.getUsers"],"USER_BLOCKED":["channels.editAdmin","channels.inviteToChannel"],"USER_BOT":["channels.inviteToChannel"],"USER_BOT_INVALID":["bots.getBotInfo","bots.setBotInfo"],"USER_BOT_REQUIRED":["bots.answerWebhookJSONQuery","bots.getBotCommands","bots.getBotMenuButton","bots.resetBotCommands","bots.sendCustomRequest","bots.setBotBroadcastDefaultAdminRights","bots.setBotCommands","bots.setBotGroupDefaultAdminRights","bots.setBotMenuButton","bots.updateUserEmojiStatus","help.setBotUpdatesStatus","messages.getGameHighScores","messages.getInlineGameHighScores","messages.savePreparedInlineMessage","messages.sendWebViewResultMessage","messages.setBotCallbackAnswer","messages.setBotPrecheckoutResults","messages.setBotShippingResults","messages.setGameScore","messages.setInlineBotResults","messages.setInlineGameScore","payments.exportInvoice","payments.refundStarsCharge","users.setSecureValueErrors"],"USER_CHANNELS_TOO_MUCH":["channels.inviteToChannel","channels.joinChannel","messages.hideAllChatJoinRequests","messages.hideChatJoinRequest","messages.importChatInvite"],"USER_CREATOR":["channels.editAdmin","channels.leaveChannel"],"USER_GIFT_UNAVAILABLE":["payments.canPurchasePremium","payments.getStarsGiftOptions"],"USER_ID_INVALID":["account.addNoPaidMessagesException","account.getPaidMessagesRevenue","account.toggleNoPaidMessagesException","auth.importAuthorization","bots.setBotCommands","bots.updateUserEmojiStatus","channels.deleteUserHistory","channels.editAdmin","channels.editBanned","channels.editCreator","channels.getParticipant","channels.inviteToChannel","channels.reportSpam","messages.addChatUser","messages.deleteChatUser","messages.editChatAdmin","messages.getCommonChats","messages.hideChatJoinRequest","messages.reportReaction","messages.requestEncryption","messages.savePreparedInlineMessage","messages.search","payments.botCancelStarsSubscription","payments.canPurchasePremium","payments.convertStarGift","payments.getStarsGiftOptions","payments.getUserStarGifts","payments.refundStarsCharge","payments.saveStarGift","payments.sendStarsForm","phone.requestCall","photos.getUserPhotos","photos.uploadContactProfilePhoto","stickers.createStickerSet","stories.getPinnedStories","stories.getUserStories","users.getFullUser","users.getSavedMusic","users.getSavedMusicByID","users.setSecureValueErrors"],"USER_INVALID":["help.editUserInfo","help.getSupportName","help.getUserInfo"],"USER_IS_BLOCKED":["messages.addChatUser","messages.forwardMessages","messages.sendEncryptedService","messages.sendMedia","messages.sendMessage","messages.setTyping","phone.requestCall"],"USER_IS_BOT":["messages.forwardMessages","messages.sendMedia","messages.sendMessage","messages.setTyping"],"USER_KICKED":["channels.inviteToChannel"],"USER_NOT_MUTUAL_CONTACT":["channels.editAdmin","channels.inviteToChannel","messages.addChatUser","messages.checkHistoryImportPeer"],"USER_NOT_PARTICIPANT":["channels.getParticipant","channels.leaveChannel","messages.deleteChatUser","messages.editChatAdmin","updates.getDifference"],"USER_PUBLIC_MISSING":["stories.exportStoryLink"],"USER_VOLUME_INVALID":["phone.editGroupCallParticipant"],"USERNAME_INVALID":["account.checkUsername","account.toggleUsername","account.updateUsername","channels.checkUsername","channels.toggleUsername","channels.updateUsername","contacts.resolveUsername","help.getConfig","updates.getDifference"],"USERNAME_NOT_MODIFIED":["account.reorderUsernames","account.toggleUsername","account.updateUsername","bots.reorderUsernames","bots.toggleUsername","channels.toggleUsername","channels.updateUsername"],"USERNAME_NOT_OCCUPIED":["contacts.resolveUsername"],"USERNAME_OCCUPIED":["account.checkUsername","account.updateUsername","channels.checkUsername","channels.updateUsername","users.getFullUser"],"USERNAME_PURCHASE_AVAILABLE":["account.checkUsername","account.updateUsername","channels.checkUsername","channels.updateUsername"],"USERNAMES_ACTIVE_TOO_MUCH":["account.toggleUsername","channels.toggleUsername"],"USERPIC_UPLOAD_REQUIRED":["contacts.getLocated"],"USERS_TOO_FEW":["messages.createChat"],"USERS_TOO_MUCH":["channels.editAdmin","channels.inviteToChannel","channels.joinChannel","messages.addChatUser","messages.importChatInvite"],"VENUE_ID_INVALID":["stories.sendStory"],"VIDEO_CONTENT_TYPE_INVALID":["messages.sendMedia","messages.setInlineBotResults"],"VIDEO_FILE_INVALID":["photos.uploadProfilePhoto"],"VIDEO_PAUSE_FORBIDDEN":["phone.editGroupCallParticipant"],"VIDEO_STOP_FORBIDDEN":["phone.editGroupCallParticipant"],"VIDEO_TITLE_EMPTY":["messages.setInlineBotResults"],"VOICE_MESSAGES_FORBIDDEN":["messages.sendInlineBotResult","messages.sendMedia","messages.uploadMedia"],"WALLPAPER_FILE_INVALID":["account.uploadWallPaper"],"WALLPAPER_INVALID":["account.getMultiWallPapers","account.getWallPaper","account.installWallPaper","account.saveWallPaper","messages.setChatWallPaper"],"WALLPAPER_MIME_INVALID":["account.uploadWallPaper"],"WALLPAPER_NOT_FOUND":["messages.setChatWallPaper"],"WC_CONVERT_URL_INVALID":["messages.getWebPage","messages.sendMessage"],"WEBDOCUMENT_INVALID":["messages.setInlineBotResults"],"WEBDOCUMENT_MIME_INVALID":["messages.sendMedia","messages.setInlineBotResults","payments.exportInvoice"],"WEBDOCUMENT_SIZE_TOO_BIG":["messages.setInlineBotResults"],"WEBDOCUMENT_URL_EMPTY":["messages.setInlineBotResults","payments.exportInvoice"],"WEBDOCUMENT_URL_INVALID":["messages.setInlineBotResults"],"WEBPAGE_CURL_FAILED":["messages.sendInlineBotResult","messages.sendMedia","messages.uploadMedia"],"WEBPAGE_MEDIA_EMPTY":["messages.sendInlineBotResult","messages.sendMedia"],"WEBPAGE_NOT_FOUND":["messages.editMessage","messages.sendMedia"],"WEBPAGE_URL_INVALID":["messages.sendMedia"],"WEBPUSH_AUTH_INVALID":["account.registerDevice"],"WEBPUSH_KEY_INVALID":["account.registerDevice"],"WEBPUSH_TOKEN_INVALID":["account.registerDevice"],"YOU_BLOCKED_USER":["messages.addChatUser","messages.forwardMessage","messages.forwardMessages","messages.requestWebView","messages.sendInlineBotResult","messages.sendMedia","messages.sendMessage","messages.sendScreenshotNotification"],"BOT_METHOD_INVALID":[],"CONNECTION_DEVICE_MODEL_EMPTY":[],"CONNECTION_LANG_PACK_INVALID":[],"CONNECTION_NOT_INITED":[],"CONNECTION_SYSTEM_EMPTY":[],"CONNECTION_SYSTEM_LANG_CODE_EMPTY":[],"FILE_MIGRATE_%d":[],"FILE_PART_%d_MISSING":[],"INPUT_CONSTRUCTOR_INVALID":[],"INPUT_FETCH_ERROR":[],"INPUT_FETCH_FAIL":[],"INPUT_LAYER_INVALID":[],"INPUT_METHOD_INVALID":[],"INPUT_REQUEST_TOO_LONG":[],"PEER_FLOOD":[],"STICKERSET_NOT_MODIFIED":[]},"406":{"ALLOW_PAYMENT_REQUIRED":["messages.forwardMessages","messages.sendMedia","messages.sendMessage"],"API_GIFT_RESTRICTED_UPDATE_APP":["payments.getPaymentForm","payments.sendStarsForm"],"BANNED_RIGHTS_INVALID":["channels.editBanned"],"BUSINESS_ADDRESS_ACTIVE":["contacts.getLocated"],"CALL_PROTOCOL_COMPAT_LAYER_INVALID":["phone.acceptCall"],"CHANNEL_PRIVATE":["channels.deleteChannel","channels.deleteMessages","channels.editBanned","channels.getAdminLog","channels.getChannels","channels.getFullChannel","channels.getMessages","channels.getParticipant","channels.getParticipants","channels.inviteToChannel","channels.joinChannel","channels.leaveChannel","channels.readHistory","channels.readMessageContents","messages.checkChatInvite","messages.editMessage","messages.forwardMessages","messages.getHistory","messages.getInlineBotResults","messages.getMessagesViews","messages.getPeerDialogs","messages.sendMedia","messages.sendMessage","messages.setTyping","updates.getChannelDifference"],"CHANNEL_TOO_LARGE":["channels.deleteChannel"],"CHAT_FORWARDS_RESTRICTED":["messages.forwardMessages"],"FILEREF_UPGRADE_NEEDED":["upload.getFile"],"FRESH_CHANGE_ADMINS_FORBIDDEN":["channels.editAdmin"],"FRESH_CHANGE_PHONE_FORBIDDEN":["account.sendChangePhoneCode"],"FRESH_RESET_AUTHORISATION_FORBIDDEN":["account.resetAuthorization","account.setAuthorizationTTL","auth.resetAuthorizations"],"INVITE_HASH_EXPIRED":["channels.joinChannel","invokeWithLayer","messages.checkChatInvite","messages.importChatInvite"],"PAYMENT_UNSUPPORTED":["messages.forwardMessages","messages.sendMessage"],"PEER_ID_INVALID":["messages.forwardMessages","messages.sendMedia","messages.sendMessage","messages.setTyping"],"PHONE_NUMBER_INVALID":["account.changePhone","account.sendChangePhoneCode","auth.cancelCode","auth.checkPhone","auth.resendCode","auth.sendCode","auth.signIn","auth.signUp"],"PHONE_PASSWORD_FLOOD":["auth.sendCode"],"PRECHECKOUT_FAILED":["payments.sendStarsForm"],"PREMIUM_CURRENTLY_UNAVAILABLE":["payments.canPurchasePremium","payments.canPurchaseStore"],"PREVIOUS_CHAT_IMPORT_ACTIVE_WAIT_%dMIN":["messages.initHistoryImport"],"PRIVACY_PREMIUM_REQUIRED":["messages.forwardMessages","messages.sendMessage"],"SEND_CODE_UNAVAILABLE":["auth.resendCode"],"STARGIFT_EXPORT_IN_PROGRESS":["payments.getPaymentForm"],"STARS_FORM_AMOUNT_MISMATCH":["payments.getPaymentForm","payments.sendStarsForm"],"STICKERSET_INVALID":["messages.getStickerSet","messages.installStickerSet","messages.uninstallStickerSet","stickers.addStickerToSet"],"STICKERSET_OWNER_ANONYMOUS":["channels.setStickers"],"TOPIC_CLOSED":["messages.forwardMessages","messages.sendMedia","messages.sendMessage"],"TOPIC_DELETED":["messages.forwardMessages","messages.sendMedia","messages.sendMessage"],"TRANSLATIONS_DISABLED":["messages.translateText"],"UPDATE_APP_TO_LOGIN":["auth.sendCode","auth.signIn"],"USER_RESTRICTED":["channels.createChannel","messages.createChat"],"USERPIC_PRIVACY_REQUIRED":["contacts.getLocated"],"USERPIC_UPLOAD_REQUIRED":["contacts.getLocated"],"AUTH_KEY_DUPLICATED":[]},"403":{"ALLOW_PAYMENT_REQUIRED_%d":["messages.forwardMessages","messages.sendInlineBotResult","messages.sendMedia","messages.sendMessage","messages.sendMultiMedia"],"ANONYMOUS_REACTIONS_DISABLED":["messages.sendReaction"],"BOT_ACCESS_FORBIDDEN":["account.setGlobalPrivacySettings","messages.deleteMessages","payments.getPaymentForm","payments.getStarsStatus","payments.sendStarsForm","stories.deleteStories","stories.sendStory"],"BOT_VERIFIER_FORBIDDEN":["bots.setCustomVerification"],"BROADCAST_FORBIDDEN":["messages.getMessageReactionsList","messages.getPollVotes"],"CHANNEL_PUBLIC_GROUP_NA":["channels.getFullChannel","channels.leaveChannel","updates.getChannelDifference"],"CHAT_ACTION_FORBIDDEN":["messages.deleteFactCheck","messages.editFactCheck"],"CHAT_ADMIN_INVITE_REQUIRED":["channels.editAdmin"],"CHAT_ADMIN_REQUIRED":["channels.deleteUserHistory","channels.editAdmin","channels.editBanned","channels.editForumTopic","channels.editPhoto","channels.editTitle","channels.getAdminLog","channels.getParticipant","channels.getParticipants","channels.inviteToChannel","channels.updateUsername","messages.addChatUser","messages.editMessage","messages.forwardMessages","messages.migrateChat","messages.search","messages.sendMedia","messages.sendMessage","stats.getBroadcastStats","stats.getMegagroupStats"],"CHAT_GUEST_SEND_FORBIDDEN":["messages.forwardMessages","messages.sendInlineBotResult","messages.sendMedia","messages.sendMessage"],"CHAT_SEND_AUDIOS_FORBIDDEN":["messages.forwardMessages","messages.sendInlineBotResult","messages.sendMedia"],"CHAT_SEND_DOCS_FORBIDDEN":["messages.forwardMessages","messages.sendMedia"],"CHAT_SEND_GAME_FORBIDDEN":["messages.forwardMessages","messages.sendInlineBotResult"],"CHAT_SEND_GIFS_FORBIDDEN":["messages.editMessage","messages.forwardMessages","messages.sendInlineBotResult","messages.sendMedia"],"CHAT_SEND_INLINE_FORBIDDEN":["messages.forwardMessages","messages.sendInlineBotResult"],"CHAT_SEND_MEDIA_FORBIDDEN":["messages.forwardMessages","messages.sendInlineBotResult","messages.sendMedia","messages.sendMultiMedia"],"CHAT_SEND_PHOTOS_FORBIDDEN":["messages.forwardMessages","messages.sendInlineBotResult","messages.sendMedia","messages.sendMultiMedia"],"CHAT_SEND_PLAIN_FORBIDDEN":["messages.forwardMessages","messages.sendInlineBotResult","messages.sendMedia","messages.sendMessage"],"CHAT_SEND_POLL_FORBIDDEN":["messages.forwardMessages","messages.sendMedia"],"CHAT_SEND_ROUNDVIDEOS_FORBIDDEN":["messages.sendMedia"],"CHAT_SEND_STICKERS_FORBIDDEN":["messages.forwardMessages","messages.sendInlineBotResult","messages.sendMedia"],"CHAT_SEND_VIDEOS_FORBIDDEN":["messages.forwardMessages","messages.sendMedia","messages.sendMultiMedia"],"CHAT_SEND_VOICES_FORBIDDEN":["messages.forwardMessages","messages.sendInlineBotResult","messages.sendMedia"],"CHAT_SEND_WEBPAGE_FORBIDDEN":["messages.forwardMessages"],"CHAT_TYPE_INVALID":["phone.inviteToGroupCall"],"CHAT_WRITE_FORBIDDEN":["channels.convertToGigagroup","channels.createForumTopic","channels.deleteChannel","channels.deleteParticipantHistory","channels.deleteTopicHistory","channels.deleteUserHistory","channels.editAdmin","channels.editBanned","channels.editCreator","channels.editPhoto","channels.editTitle","channels.getAdminLog","channels.inviteToChannel","channels.setDiscussionGroup","channels.updateUsername","invokeWithLayer","messages.addChatUser","messages.editChatAbout","messages.editChatDefaultBannedRights","messages.editExportedChatInvite","messages.editMessage","messages.exportChatInvite","messages.forwardMessages","messages.getAdminsWithInvites","messages.getChatInviteImporters","messages.getDialogs","messages.getExportedChatInvite","messages.getExportedChatInvites","messages.getMessageEditData","messages.hideAllChatJoinRequests","messages.hideChatJoinRequest","messages.requestWebView","messages.sendInlineBotResult","messages.sendMedia","messages.sendMessage","messages.sendMultiMedia","messages.sendPaidReaction","messages.sendReaction","messages.setTyping","messages.startBot","messages.updatePinnedMessage","messages.uploadMedia","payments.getStarsRevenueAdsAccountUrl","updates.getChannelDifference","updates.getDifference"],"EDIT_BOT_INVITE_FORBIDDEN":["messages.editExportedChatInvite"],"GROUPCALL_ALREADY_STARTED":["phone.startScheduledGroupCall","phone.toggleGroupCallStartSubscription"],"GROUPCALL_FORBIDDEN":["messages.setTyping","phone.discardGroupCall","phone.editGroupCallParticipant","phone.editGroupCallTitle","phone.getGroupCall","phone.inviteToGroupCall","phone.joinGroupCall","phone.toggleGroupCallRecord"],"INLINE_BOT_REQUIRED":["messages.editMessage"],"MESSAGE_AUTHOR_REQUIRED":["messages.editMessage","messages.getMessageEditData"],"MESSAGE_DELETE_FORBIDDEN":["channels.deleteMessages","messages.deleteMessages","messages.deleteScheduledMessages"],"NOT_ELIGIBLE":["smsjobs.isEligibleToJoin"],"PARTICIPANT_JOIN_MISSING":["phone.joinGroupCallPresentation"],"PEER_ID_INVALID":["payments.getSuggestedStarRefBots"],"POLL_VOTE_REQUIRED":["messages.getPollVotes"],"PREMIUM_ACCOUNT_REQUIRED":["account.createBusinessChatLink","account.editBusinessChatLink","account.setGlobalPrivacySettings","account.updateColor","account.updateConnectedBot","channels.createForumTopic","messages.checkQuickReplyShortcut","messages.editQuickReplyShortcut","messages.forwardMessages","messages.reorderQuickReplies","messages.sendMedia","messages.sendMessage","messages.sendQuickReplyMessages","messages.sendReaction","messages.toggleDialogFilterTags","messages.transcribeAudio","messages.updateSavedReactionTag"],"PRIVACY_PREMIUM_REQUIRED":["messages.forwardMessages","messages.requestWebView","messages.sendInlineBotResult","messages.sendMedia","messages.sendMessage"],"PUBLIC_CHANNEL_MISSING":["phone.exportGroupCallInvite"],"RIGHT_FORBIDDEN":["channels.editAdmin"],"SENSITIVE_CHANGE_FORBIDDEN":["account.setContentSettings"],"TAKEOUT_REQUIRED":["account.finishTakeoutSession","channels.getLeftChannels","contacts.getSaved"],"USER_CHANNELS_TOO_MUCH":["channels.editAdmin","channels.inviteToChannel","messages.hideChatJoinRequest"],"USER_DELETED":["messages.sendEncryptedService"],"USER_INVALID":["help.editUserInfo","help.getSupportName","help.getUserInfo"],"USER_IS_BLOCKED":["messages.forwardMessages","messages.requestEncryption","messages.sendEncrypted","messages.sendEncryptedService","messages.sendMedia","messages.sendMessage","messages.setTyping","phone.requestCall"],"USER_NOT_MUTUAL_CONTACT":["channels.editAdmin","channels.inviteToChannel","messages.addChatUser"],"USER_NOT_PARTICIPANT":["phone.inviteToGroupCall"],"USER_PERMISSION_DENIED":["bots.updateUserEmojiStatus"],"USER_PRIVACY_RESTRICTED":["channels.editAdmin","channels.editCreator","channels.inviteToChannel","help.getConfig","messages.addChatUser","messages.getOutboxReadDate","phone.requestCall"],"USER_RESTRICTED":["channels.createChannel","channels.editAdmin","messages.createChat"],"VOICE_MESSAGES_FORBIDDEN":["messages.forwardMessages"],"YOUR_PRIVACY_RESTRICTED":["messages.getOutboxReadDate"],"CHAT_FORBIDDEN":[]},"401":{"AUTH_KEY_UNREGISTERED":["account.acceptAuthorization","account.cancelPasswordEmail","account.changeAuthorizationSettings","account.changePhone","account.checkUsername","account.clearRecentEmojiStatuses","account.confirmPasswordEmail","account.confirmPhone","account.createBusinessChatLink","account.createTheme","account.declinePasswordReset","account.deleteAutoSaveExceptions","account.deleteBusinessChatLink","account.deleteSecureValue","account.disablePeerConnectedBot","account.editBusinessChatLink","account.finishTakeoutSession","account.getAccountTTL","account.getAllSecureValues","account.getAuthorizationForm","account.getAuthorizations","account.getAutoDownloadSettings","account.getAutoSaveSettings","account.getBotBusinessConnection","account.getBusinessChatLinks","account.getChannelDefaultEmojiStatuses","account.getChannelRestrictedStatusEmojis","account.getChatThemes","account.getCollectibleEmojiStatuses","account.getConnectedBots","account.getContactSignUpNotification","account.getContentSettings","account.getDefaultBackgroundEmojis","account.getDefaultEmojiStatuses","account.getDefaultGroupPhotoEmojis","account.getDefaultProfilePhotoEmojis","account.getGlobalPrivacySettings","account.getMultiWallPapers","account.getNotifyExceptions","account.getNotifySettings","account.getPaidMessagesRevenue","account.getPassword","account.getPasswordSettings","account.getPrivacy","account.getReactionsNotifySettings","account.getRecentEmojiStatuses","account.getSavedMusicIds","account.getSavedRingtones","account.getSecureValue","account.getTheme","account.getThemes","account.getTmpPassword","account.getUniqueGiftChatThemes","account.getWallPaper","account.getWallPapers","account.getWebAuthorizations","account.initTakeoutSession","account.installTheme","account.installWallPaper","account.invalidateSignInCodes","account.registerDevice","account.reorderUsernames","account.reportPeer","account.reportProfilePhoto","account.resendPasswordEmail","account.resetAuthorization","account.resetNotifySettings","account.resetPassword","account.resetWallPapers","account.resetWebAuthorization","account.resetWebAuthorizations","account.resolveBusinessChatLink","account.saveAutoDownloadSettings","account.saveAutoSaveSettings","account.saveMusic","account.saveRingtone","account.saveSecureValue","account.saveTheme","account.saveWallPaper","account.sendChangePhoneCode","account.sendConfirmPhoneCode","account.sendVerifyPhoneCode","account.setAccountTTL","account.setAuthorizationTTL","account.setContactSignUpNotification","account.setContentSettings","account.setGlobalPrivacySettings","account.setMainProfileTab","account.setPrivacy","account.setReactionsNotifySettings","account.toggleConnectedBotPaused","account.toggleNoPaidMessagesException","account.toggleSponsoredMessages","account.toggleUsername","account.unregisterDevice","account.updateBirthday","account.updateBusinessAwayMessage","account.updateBusinessGreetingMessage","account.updateBusinessIntro","account.updateBusinessLocation","account.updateBusinessWorkHours","account.updateColor","account.updateConnectedBot","account.updateDeviceLocked","account.updateEmojiStatus","account.updateNotifySettings","account.updatePasswordSettings","account.updatePersonalChannel","account.updateProfile","account.updateStatus","account.updateTheme","account.updateUsername","account.uploadRingtone","account.uploadTheme","account.uploadWallPaper","account.verifyPhone","auth.acceptLoginToken","auth.checkPassword","auth.checkRecoveryPassword","auth.exportAuthorization","auth.recoverPassword","auth.requestPasswordRecovery","auth.resetAuthorizations","bots.addPreviewMedia","bots.allowSendMessage","bots.answerWebhookJSONQuery","bots.canSendMessage","bots.checkDownloadFileParams","bots.deletePreviewMedia","bots.editPreviewMedia","bots.getAdminedBots","bots.getBotCommands","bots.getBotInfo","bots.getBotMenuButton","bots.getBotRecommendations","bots.getPopularAppBots","bots.getPreviewInfo","bots.getPreviewMedias","bots.invokeWebViewCustomMethod","bots.reorderPreviewMedias","bots.reorderUsernames","bots.resetBotCommands","bots.sendCustomRequest","bots.setBotBroadcastDefaultAdminRights","bots.setBotCommands","bots.setBotGroupDefaultAdminRights","bots.setBotInfo","bots.setBotMenuButton","bots.setCustomVerification","bots.toggleUserEmojiStatusPermission","bots.toggleUsername","bots.updateStarRefProgram","bots.updateUserEmojiStatus","channels.checkSearchPostsFlood","channels.checkUsername","channels.convertToGigagroup","channels.createChannel","channels.createForumTopic","channels.deactivateAllUsernames","channels.deleteChannel","channels.deleteHistory","channels.deleteMessages","channels.deleteParticipantHistory","channels.deleteTopicHistory","channels.editAdmin","channels.editBanned","channels.editCreator","channels.editForumTopic","channels.editLocation","channels.editPhoto","channels.editTitle","channels.exportMessageLink","channels.getAdminedPublicChannels","channels.getAdminLog","channels.getChannelRecommendations","channels.getChannels","channels.getForumTopics","channels.getForumTopicsByID","channels.getFullChannel","channels.getGroupsForDiscussion","channels.getInactiveChannels","channels.getLeftChannels","channels.getMessageAuthor","channels.getMessages","channels.getParticipant","channels.getParticipants","channels.getSendAs","channels.inviteToChannel","channels.joinChannel","channels.leaveChannel","channels.readHistory","channels.readMessageContents","channels.reorderPinnedForumTopics","channels.reorderUsernames","channels.reportAntiSpamFalsePositive","channels.reportSpam","channels.restrictSponsoredMessages","channels.searchPosts","channels.setBoostsToUnblockRestrictions","channels.setDiscussionGroup","channels.setEmojiStickers","channels.setMainProfileTab","channels.setStickers","channels.toggleAntiSpam","channels.toggleAutotranslation","channels.toggleForum","channels.toggleJoinRequest","channels.toggleJoinToSend","channels.toggleParticipantsHidden","channels.togglePreHistoryHidden","channels.toggleSignatures","channels.toggleSlowMode","channels.toggleUsername","channels.toggleViewForumAsMessages","channels.updateColor","channels.updateEmojiStatus","channels.updatePaidMessagesPrice","channels.updatePinnedForumTopic","channels.updateUsername","chatlists.checkChatlistInvite","chatlists.deleteExportedInvite","chatlists.editExportedInvite","chatlists.exportChatlistInvite","chatlists.getChatlistUpdates","chatlists.getExportedInvites","chatlists.getLeaveChatlistSuggestions","chatlists.hideChatlistUpdates","chatlists.joinChatlistInvite","chatlists.joinChatlistUpdates","chatlists.leaveChatlist","contacts.acceptContact","contacts.addContact","contacts.block","contacts.blockFromReplies","contacts.deleteByPhones","contacts.deleteContacts","contacts.editCloseFriends","contacts.exportContactToken","contacts.getBirthdays","contacts.getBlocked","contacts.getContactIDs","contacts.getContacts","contacts.getLocated","contacts.getSaved","contacts.getSponsoredPeers","contacts.getStatuses","contacts.getTopPeers","contacts.importContacts","contacts.importContactToken","contacts.resetSaved","contacts.resetTopPeerRating","contacts.resolvePhone","contacts.resolveUsername","contacts.search","contacts.setBlocked","contacts.toggleTopPeers","contacts.unblock","folders.editPeerFolders","fragment.getCollectibleInfo","help.acceptTermsOfService","help.dismissSuggestion","help.editUserInfo","help.getAppUpdate","help.getCdnConfig","help.getInviteText","help.getPassportConfig","help.getPeerColors","help.getPeerProfileColors","help.getPremiumPromo","help.getPromoData","help.getRecentMeUrls","help.getSupport","help.getSupportName","help.getTermsOfServiceUpdate","help.getTimezonesList","help.getUserInfo","help.hidePromoData","help.setBotUpdatesStatus","messages.acceptEncryption","messages.acceptUrlAuth","messages.addChatUser","messages.appendTodoList","messages.checkChatInvite","messages.checkHistoryImport","messages.checkHistoryImportPeer","messages.checkQuickReplyShortcut","messages.clearAllDrafts","messages.clearRecentReactions","messages.clearRecentStickers","messages.clickSponsoredMessage","messages.createChat","messages.deleteChat","messages.deleteChatUser","messages.deleteExportedChatInvite","messages.deleteFactCheck","messages.deleteHistory","messages.deleteMessages","messages.deletePhoneCallHistory","messages.deleteQuickReplyMessages","messages.deleteQuickReplyShortcut","messages.deleteRevokedExportedChatInvites","messages.deleteSavedHistory","messages.deleteScheduledMessages","messages.discardEncryption","messages.editChatAbout","messages.editChatAdmin","messages.editChatDefaultBannedRights","messages.editChatPhoto","messages.editChatTitle","messages.editExportedChatInvite","messages.editFactCheck","messages.editInlineBotMessage","messages.editMessage","messages.editQuickReplyShortcut","messages.exportChatInvite","messages.faveSticker","messages.forwardMessages","messages.getAdminsWithInvites","messages.getAllDrafts","messages.getAllStickers","messages.getArchivedStickers","messages.getAttachedStickers","messages.getAttachMenuBot","messages.getAttachMenuBots","messages.getAvailableEffects","messages.getAvailableReactions","messages.getBotApp","messages.getBotCallbackAnswer","messages.getChatInviteImporters","messages.getChats","messages.getCommonChats","messages.getCustomEmojiDocuments","messages.getDefaultHistoryTTL","messages.getDefaultTagReactions","messages.getDhConfig","messages.getDialogFilters","messages.getDialogs","messages.getDialogUnreadMarks","messages.getDiscussionMessage","messages.getDocumentByHash","messages.getEmojiGroups","messages.getEmojiKeywords","messages.getEmojiKeywordsDifference","messages.getEmojiKeywordsLanguages","messages.getEmojiProfilePhotoGroups","messages.getEmojiStatusGroups","messages.getEmojiStickerGroups","messages.getEmojiStickers","messages.getEmojiURL","messages.getExportedChatInvite","messages.getExportedChatInvites","messages.getExtendedMedia","messages.getFactCheck","messages.getFavedStickers","messages.getFeaturedEmojiStickers","messages.getFeaturedStickers","messages.getFullChat","messages.getGameHighScores","messages.getHistory","messages.getInlineBotResults","messages.getInlineGameHighScores","messages.getMaskStickers","messages.getMessageEditData","messages.getMessageReactionsList","messages.getMessageReadParticipants","messages.getMessages","messages.getMessagesReactions","messages.getMessagesViews","messages.getMyStickers","messages.getOldFeaturedStickers","messages.getOnlines","messages.getOutboxReadDate","messages.getPaidReactionPrivacy","messages.getPeerDialogs","messages.getPeerSettings","messages.getPinnedDialogs","messages.getPinnedSavedDialogs","messages.getPollResults","messages.getPollVotes","messages.getPreparedInlineMessage","messages.getQuickReplies","messages.getQuickReplyMessages","messages.getRecentLocations","messages.getRecentReactions","messages.getRecentStickers","messages.getReplies","messages.getSavedDialogs","messages.getSavedDialogsByID","messages.getSavedGifs","messages.getSavedHistory","messages.getSavedReactionTags","messages.getScheduledHistory","messages.getScheduledMessages","messages.getSearchCounters","messages.getSearchResultsCalendar","messages.getSearchResultsPositions","messages.getSplitRanges","messages.getSponsoredMessages","messages.getStickers","messages.getStickerSet","messages.getSuggestedDialogFilters","messages.getTopReactions","messages.getUnreadMentions","messages.getUnreadReactions","messages.getWebPage","messages.getWebPagePreview","messages.hideAllChatJoinRequests","messages.hideChatJoinRequest","messages.hidePeerSettingsBar","messages.importChatInvite","messages.initHistoryImport","messages.installStickerSet","messages.markDialogUnread","messages.migrateChat","messages.prolongWebView","messages.rateTranscribedAudio","messages.readDiscussion","messages.readEncryptedHistory","messages.readFeaturedStickers","messages.readHistory","messages.readMentions","messages.readMessageContents","messages.readReactions","messages.readSavedHistory","messages.receivedMessages","messages.receivedQueue","messages.reorderPinnedDialogs","messages.reorderPinnedSavedDialogs","messages.reorderQuickReplies","messages.reorderStickerSets","messages.report","messages.reportEncryptedSpam","messages.reportMessagesDelivery","messages.reportReaction","messages.reportSpam","messages.reportSponsoredMessage","messages.requestAppWebView","messages.requestEncryption","messages.requestMainWebView","messages.requestSimpleWebView","messages.requestUrlAuth","messages.requestWebView","messages.saveDefaultSendAs","messages.saveDraft","messages.saveGif","messages.savePreparedInlineMessage","messages.saveRecentSticker","messages.search","messages.searchCustomEmoji","messages.searchEmojiStickerSets","messages.searchGlobal","messages.searchSentMedia","messages.searchStickers","messages.searchStickerSets","messages.sendBotRequestedPeer","messages.sendEncrypted","messages.sendEncryptedFile","messages.sendEncryptedService","messages.sendInlineBotResult","messages.sendMedia","messages.sendMessage","messages.sendMultiMedia","messages.sendPaidReaction","messages.sendQuickReplyMessages","messages.sendReaction","messages.sendScheduledMessages","messages.sendScreenshotNotification","messages.sendVote","messages.sendWebViewData","messages.sendWebViewResultMessage","messages.setBotCallbackAnswer","messages.setBotPrecheckoutResults","messages.setBotShippingResults","messages.setChatAvailableReactions","messages.setChatTheme","messages.setChatWallPaper","messages.setDefaultHistoryTTL","messages.setDefaultReaction","messages.setEncryptedTyping","messages.setGameScore","messages.setHistoryTTL","messages.setInlineBotResults","messages.setInlineGameScore","messages.setTyping","messages.startBot","messages.startHistoryImport","messages.toggleBotInAttachMenu","messages.toggleDialogFilterTags","messages.toggleDialogPin","messages.toggleNoForwards","messages.togglePaidReactionPrivacy","messages.togglePeerTranslations","messages.toggleSavedDialogPin","messages.toggleStickerSets","messages.toggleSuggestedPostApproval","messages.toggleTodoCompleted","messages.transcribeAudio","messages.translateText","messages.uninstallStickerSet","messages.unpinAllMessages","messages.updateDialogFilter","messages.updateDialogFiltersOrder","messages.updatePinnedMessage","messages.updateSavedReactionTag","messages.uploadEncryptedFile","messages.uploadImportedMedia","messages.uploadMedia","messages.viewSponsoredMessage","payments.applyGiftCode","payments.botCancelStarsSubscription","payments.changeStarsSubscription","payments.checkCanSendGift","payments.checkGiftCode","payments.clearSavedInfo","payments.connectStarRefBot","payments.convertStarGift","payments.createStarGiftCollection","payments.deleteStarGiftCollection","payments.editConnectedStarRefBot","payments.exportInvoice","payments.fulfillStarsSubscription","payments.getBankCardData","payments.getConnectedStarRefBot","payments.getConnectedStarRefBots","payments.getGiveawayInfo","payments.getPaymentReceipt","payments.getPremiumGiftCodeOptions","payments.getResaleStarGifts","payments.getSavedInfo","payments.getSavedStarGift","payments.getSavedStarGifts","payments.getStarGiftCollections","payments.getStarGifts","payments.getStarGiftUpgradePreview","payments.getStarGiftWithdrawalUrl","payments.getStarsGiftOptions","payments.getStarsGiveawayOptions","payments.getStarsRevenueAdsAccountUrl","payments.getStarsRevenueStats","payments.getStarsRevenueWithdrawalUrl","payments.getStarsStatus","payments.getStarsSubscriptions","payments.getStarsTopupOptions","payments.getStarsTransactions","payments.getStarsTransactionsByID","payments.getSuggestedStarRefBots","payments.getUniqueStarGift","payments.getUniqueStarGiftValueInfo","payments.launchPrepaidGiveaway","payments.refundStarsCharge","payments.reorderStarGiftCollections","payments.saveStarGift","payments.sendStarsForm","payments.toggleChatStarGiftNotifications","payments.toggleStarGiftsPinnedToTop","payments.transferStarGift","payments.updateStarGiftCollection","payments.updateStarGiftPrice","payments.upgradeStarGift","payments.validateRequestedInfo","phone.acceptCall","phone.checkGroupCall","phone.confirmCall","phone.createConferenceCall","phone.createGroupCall","phone.declineConferenceCallInvite","phone.deleteConferenceCallParticipants","phone.discardCall","phone.discardGroupCall","phone.editGroupCallParticipant","phone.editGroupCallTitle","phone.exportGroupCallInvite","phone.getCallConfig","phone.getGroupCall","phone.getGroupCallChainBlocks","phone.getGroupCallJoinAs","phone.getGroupCallStreamChannels","phone.getGroupCallStreamRtmpUrl","phone.getGroupParticipants","phone.inviteConferenceCallParticipant","phone.inviteToGroupCall","phone.joinGroupCall","phone.joinGroupCallPresentation","phone.leaveGroupCall","phone.leaveGroupCallPresentation","phone.receivedCall","phone.requestCall","phone.saveCallDebug","phone.saveCallLog","phone.saveDefaultGroupCallJoinAs","phone.sendConferenceCallBroadcast","phone.sendSignalingData","phone.setCallRating","phone.startScheduledGroupCall","phone.toggleGroupCallRecord","phone.toggleGroupCallSettings","phone.toggleGroupCallStartSubscription","photos.deletePhotos","photos.getUserPhotos","photos.updateProfilePhoto","photos.uploadContactProfilePhoto","photos.uploadProfilePhoto","premium.applyBoost","premium.getBoostsList","premium.getBoostsStatus","premium.getMyBoosts","premium.getUserBoosts","smsjobs.finishJob","smsjobs.getSmsJob","smsjobs.getStatus","smsjobs.isEligibleToJoin","smsjobs.join","smsjobs.leave","smsjobs.updateSettings","stats.getBroadcastStats","stats.getMegagroupStats","stats.getMessagePublicForwards","stats.getMessageStats","stats.getStoryPublicForwards","stats.getStoryStats","stats.loadAsyncGraph","stickers.addStickerToSet","stickers.changeSticker","stickers.changeStickerPosition","stickers.checkShortName","stickers.createStickerSet","stickers.deleteStickerSet","stickers.removeStickerFromSet","stickers.renameStickerSet","stickers.replaceSticker","stickers.setStickerSetThumb","stickers.suggestShortName","stories.activateStealthMode","stories.canSendStory","stories.createAlbum","stories.deleteAlbum","stories.deleteStories","stories.editStory","stories.exportStoryLink","stories.getAlbums","stories.getAlbumStories","stories.getAllReadPeerStories","stories.getAllStories","stories.getChatsToSend","stories.getPeerMaxIDs","stories.getPeerStories","stories.getPinnedStories","stories.getStoriesArchive","stories.getStoriesByID","stories.getStoriesViews","stories.getStoryReactionsList","stories.getStoryViewsList","stories.incrementStoryViews","stories.readStories","stories.reorderAlbums","stories.report","stories.searchPosts","stories.sendReaction","stories.sendStory","stories.toggleAllStoriesHidden","stories.togglePeerStoriesHidden","stories.togglePinned","stories.togglePinnedToTop","stories.updateAlbum","updates.getChannelDifference","updates.getDifference","updates.getState","upload.getCdnFile","upload.getCdnFileHashes","upload.getFile","upload.getFileHashes","upload.getWebFile","upload.reuploadCdnFile","upload.saveBigFilePart","upload.saveFilePart","users.getFullUser","users.getRequirementsToContact","users.getSavedMusic","users.getSavedMusicByID","users.getUsers","users.setSecureValueErrors"],"AUTH_KEY_INVALID":[],"AUTH_KEY_PERM_EMPTY":[],"SESSION_EXPIRED":[],"SESSION_PASSWORD_NEEDED":[],"SESSION_REVOKED":[],"USER_DEACTIVATED":[],"USER_DEACTIVATED_BAN":[]},"500":{"AUTH_KEY_UNSYNCHRONIZED":["auth.checkPassword"],"AUTH_RESTART":["auth.sendCode","auth.signIn"],"AUTH_RESTART_%d":["auth.sendCode"],"CALL_OCCUPY_FAILED":["phone.acceptCall","phone.discardCall"],"CDN_UPLOAD_TIMEOUT":["upload.reuploadCdnFile"],"CHAT_ID_GENERATE_FAILED":["messages.createChat"],"CHAT_INVALID":["channels.createChannel","messages.migrateChat"],"MSG_WAIT_FAILED":["messages.editMessage","messages.receivedQueue","messages.sendEncrypted","messages.sendEncryptedService","messages.sendMessage"],"PERSISTENT_TIMESTAMP_OUTDATED":["updates.getChannelDifference"],"RANDOM_ID_DUPLICATE":["messages.forwardMessages","messages.sendInlineBotResult","messages.sendMedia","messages.sendMessage","messages.sendMultiMedia","messages.sendScheduledMessages","messages.startBot","updates.getDifference"],"SEND_MEDIA_INVALID":["messages.sendInlineBotResult"],"SIGN_IN_FAILED":["auth.signIn"],"TRANSLATE_REQ_FAILED":["messages.translateText"],"TRANSLATION_TIMEOUT":["messages.translateText"]},"404":{"METHOD_INVALID":["upload.getCdnFile"],"PEER_ID_INVALID":["messages.sendMessage"]},"-503":{"Timeout":["messages.getBotCallbackAnswer","messages.getInlineBotResults"],"MSG_WAIT_TIMEOUT":[]},"303":{"NETWORK_MIGRATE_%d":[],"PHONE_MIGRATE_%d":[],"STATS_MIGRATE_%d":[],"USER_MIGRATE_%d":[]}},"human_result":{"2FA_CONFIRM_WAIT_%d":"Since this account is active and protected by a 2FA password, we will delete it in 1 week for security purposes. You can cancel this process at any time, you'll be able to reset your account in %d seconds.","ABOUT_TOO_LONG":"About string too long.","ACCESS_TOKEN_EXPIRED":"Access token expired.","ACCESS_TOKEN_INVALID":"Access token invalid.","AD_EXPIRED":"The ad has expired (too old or not found).","ADDRESS_INVALID":"The specified geopoint address is invalid.","ADMIN_ID_INVALID":"The specified admin ID is invalid.","ADMIN_RANK_EMOJI_NOT_ALLOWED":"An admin rank cannot contain emojis.","ADMIN_RANK_INVALID":"The specified admin rank is invalid.","ADMIN_RIGHTS_EMPTY":"The chatAdminRights constructor passed in keyboardButtonRequestPeer.peer_type.user_admin_rights has no rights set (i.e. flags is 0).","ADMINS_TOO_MUCH":"There are too many admins.","ALBUM_PHOTOS_TOO_MANY":"You have uploaded too many profile photos, delete some before retrying.","ALLOW_PAYMENT_REQUIRED":"This peer only accepts [paid messages »](https:\/\/core.telegram.org\/api\/paid-messages): this error is only emitted for older layers without paid messages support, so the client must be updated in order to use paid messages. .","ALLOW_PAYMENT_REQUIRED_%d":"This peer charges %d [Telegram Stars](https:\/\/core.telegram.org\/api\/stars) per message, but the `allow_paid_stars` was not set or its value is smaller than %d.","ANONYMOUS_REACTIONS_DISABLED":"Sorry, anonymous administrators cannot leave reactions or participate in polls.","API_GIFT_RESTRICTED_UPDATE_APP":"Please update the app to access the gift API.","API_ID_INVALID":"API ID invalid.","API_ID_PUBLISHED_FLOOD":"This API id was published somewhere, you can't use it now.","ARTICLE_TITLE_EMPTY":"The title of the article is empty.","AUDIO_CONTENT_URL_EMPTY":"The remote URL specified in the content field is empty.","AUDIO_TITLE_EMPTY":"An empty audio title was provided.","AUTH_BYTES_INVALID":"The provided authorization is invalid.","AUTH_KEY_DUPLICATED":"Concurrent usage of the current session from multiple connections was detected, the current session was invalidated by the server for security reasons!","AUTH_KEY_INVALID":"The specified auth key is invalid.","AUTH_KEY_PERM_EMPTY":"The method is unavailable for temporary authorization keys, not bound to a permanent authorization key.","AUTH_KEY_UNREGISTERED":"The specified authorization key is not registered in the system (for example, a PFS temporary key has expired).","AUTH_KEY_UNSYNCHRONIZED":"Internal error, please repeat the method call.","AUTH_RESTART":"Restart the authorization process.","AUTH_RESTART_%d":"Internal error (debug info %d), please repeat the method call.","AUTH_TOKEN_ALREADY_ACCEPTED":"The specified auth token was already accepted.","AUTH_TOKEN_EXCEPTION":"An error occurred while importing the auth token.","AUTH_TOKEN_EXPIRED":"The authorization token has expired.","AUTH_TOKEN_INVALID":"The specified auth token is invalid.","AUTH_TOKEN_INVALIDX":"The specified auth token is invalid.","AUTOARCHIVE_NOT_AVAILABLE":"The autoarchive setting is not available at this time: please check the value of the [autoarchive_setting_available field in client config »](https:\/\/core.telegram.org\/api\/config#client-configuration) before calling this method.","BALANCE_TOO_LOW":"The transaction cannot be completed because the current [Telegram Stars balance](https:\/\/core.telegram.org\/api\/stars) is too low.","BANK_CARD_NUMBER_INVALID":"The specified card number is invalid.","BANNED_RIGHTS_INVALID":"You provided some invalid flags in the banned rights.","BIRTHDAY_INVALID":"An invalid age was specified, must be between 0 and 150 years.","BOOST_NOT_MODIFIED":"You're already [boosting](https:\/\/core.telegram.org\/api\/boost) the specified channel.","BOOST_PEER_INVALID":"The specified `boost_peer` is invalid.","BOOSTS_EMPTY":"No boost slots were specified.","BOOSTS_REQUIRED":"The specified channel must first be [boosted by its users](https:\/\/core.telegram.org\/api\/boost) in order to perform this action.","BOT_ACCESS_FORBIDDEN":"The specified method *can* be used over a [business connection](https:\/\/core.telegram.org\/api\/bots\/connected-business-bots) for some operations, but the specified query attempted an operation that is not allowed over a business connection.","BOT_ALREADY_DISABLED":"The connected business bot was already disabled for the specified peer.","BOT_APP_BOT_INVALID":"The bot_id passed in the inputBotAppShortName constructor is invalid.","BOT_APP_INVALID":"The specified bot app is invalid.","BOT_APP_SHORTNAME_INVALID":"The specified bot app short name is invalid.","BOT_BUSINESS_MISSING":"The specified bot is not a business bot (the [user](https:\/\/core.telegram.org\/constructor\/user).`bot_business` flag is not set).","BOT_CHANNELS_NA":"Bots can't edit admin privileges.","BOT_COMMAND_DESCRIPTION_INVALID":"The specified command description is invalid.","BOT_COMMAND_INVALID":"The specified command is invalid.","BOT_DOMAIN_INVALID":"Bot domain invalid.","BOT_FALLBACK_UNSUPPORTED":"The fallback flag can't be set for bots.","BOT_GAMES_DISABLED":"Games can't be sent to channels.","BOT_GROUPS_BLOCKED":"This bot can't be added to groups.","BOT_INLINE_DISABLED":"This bot can't be used in inline mode.","BOT_INVALID":"This is not a valid bot.","BOT_INVOICE_INVALID":"The specified invoice is invalid.","BOT_METHOD_INVALID":"The specified method cannot be used by bots.","BOT_NOT_CONNECTED_YET":"No [business bot](https:\/\/core.telegram.org\/api\/business#connected-bots) is connected to the currently logged in user.","BOT_ONESIDE_NOT_AVAIL":"Bots can't pin messages in PM just for themselves.","BOT_PAYMENTS_DISABLED":"Please enable bot payments in botfather before calling this method.","BOT_RESPONSE_TIMEOUT":"A timeout occurred while fetching data from the bot.","BOT_SCORE_NOT_MODIFIED":"The score wasn't modified.","BOT_VERIFIER_FORBIDDEN":"This bot cannot assign [verification icons](https:\/\/core.telegram.org\/api\/bots\/verification).","BOT_WEBVIEW_DISABLED":"A webview cannot be opened in the specified conditions: emitted for example if `from_bot_menu` or `url` are set and `peer` is not the chat with the bot.","BOTS_TOO_MUCH":"There are too many bots in this chat\/channel.","BROADCAST_FORBIDDEN":"Channel poll voters and reactions cannot be fetched to prevent deanonymization.","BROADCAST_ID_INVALID":"Broadcast ID invalid.","BROADCAST_PUBLIC_VOTERS_FORBIDDEN":"You can't forward polls with public voters.","BROADCAST_REQUIRED":"This method can only be called on a channel, please use stats.getMegagroupStats for supergroups.","BUSINESS_ADDRESS_ACTIVE":"The user is currently advertising a [Business Location](https:\/\/core.telegram.org\/api\/business#location), the location may only be changed (or removed) using [account.updateBusinessLocation »](https:\/\/core.telegram.org\/method\/account.updateBusinessLocation). .","BUSINESS_CONNECTION_INVALID":"The `connection_id` passed to the wrapping [invokeWithBusinessConnection](https:\/\/core.telegram.org\/api\/business) call is invalid.","BUSINESS_CONNECTION_NOT_ALLOWED":"This method was invoked over a business connection using [invokeWithBusinessConnection](https:\/\/core.telegram.org\/api\/business#connected-bots), but either (1) we're a user, and users cannot invoke methods over a business connection; (2) we're a bot, but business mode was disabled in @botfather or (3); we're a bot, but this method cannot be invoked over a business connection.","BUSINESS_PEER_INVALID":"Messages can't be set to the specified peer through the current [business connection](https:\/\/core.telegram.org\/api\/business#connected-bots).","BUSINESS_PEER_USAGE_MISSING":"You cannot send a message to a user through a [business connection](https:\/\/core.telegram.org\/api\/business#connected-bots) if the user hasn't recently contacted us.","BUSINESS_RECIPIENTS_EMPTY":"You didn't set any flag in inputBusinessBotRecipients, thus the bot cannot work with *any* peer.","BUSINESS_WORK_HOURS_EMPTY":"No work hours were specified.","BUSINESS_WORK_HOURS_PERIOD_INVALID":"The specified work hours are invalid, see [here »](https:\/\/core.telegram.org\/api\/business#opening-hours) for the exact requirements.","BUTTON_COPY_TEXT_INVALID":"The specified [keyboardButtonCopy](https:\/\/core.telegram.org\/constructor\/keyboardButtonCopy).`copy_text` is invalid.","BUTTON_DATA_INVALID":"The data of one or more of the buttons you provided is invalid.","BUTTON_ID_INVALID":"The specified button ID is invalid.","BUTTON_INVALID":"The specified button is invalid.","BUTTON_POS_INVALID":"The position of one of the keyboard buttons is invalid (i.e. a Game or Pay button not in the first position, and so on...).","BUTTON_TEXT_INVALID":"The specified button text is invalid.","BUTTON_TYPE_INVALID":"The type of one or more of the buttons you provided is invalid.","BUTTON_URL_INVALID":"Button URL invalid.","BUTTON_USER_INVALID":"The `user_id` passed to inputKeyboardButtonUserProfile is invalid!","BUTTON_USER_PRIVACY_RESTRICTED":"The privacy setting of the user specified in a [inputKeyboardButtonUserProfile](https:\/\/core.telegram.org\/constructor\/inputKeyboardButtonUserProfile) button do not allow creating such a button.","CALL_ALREADY_ACCEPTED":"The call was already accepted.","CALL_ALREADY_DECLINED":"The call was already declined.","CALL_OCCUPY_FAILED":"The call failed because the user is already making another call.","CALL_PEER_INVALID":"The provided call peer object is invalid.","CALL_PROTOCOL_COMPAT_LAYER_INVALID":"The other side of the call does not support any of the VoIP protocols supported by the local client, as specified by the `protocol.layer` and `protocol.library_versions` fields.","CALL_PROTOCOL_FLAGS_INVALID":"Call protocol flags invalid.","CALL_PROTOCOL_LAYER_INVALID":"The specified protocol layer version range is invalid.","CDN_METHOD_INVALID":"You can't call this method in a CDN DC.","CDN_UPLOAD_TIMEOUT":"A server-side timeout occurred while reuploading the file to the CDN DC.","CHANNEL_FORUM_MISSING":"This supergroup is not a forum.","CHANNEL_ID_INVALID":"The specified supergroup ID is invalid.","CHANNEL_INVALID":"The provided channel is invalid.","CHANNEL_MONOFORUM_UNSUPPORTED":"[Monoforums](https:\/\/core.telegram.org\/api\/channel#monoforums) do not support this feature.","CHANNEL_PARICIPANT_MISSING":"The current user is not in the channel.","CHANNEL_PRIVATE":"You haven't joined this channel\/supergroup.","CHANNEL_PUBLIC_GROUP_NA":"channel\/supergroup not available.","CHANNEL_TOO_BIG":"This channel has too many participants (>1000) to be deleted.","CHANNEL_TOO_LARGE":"Channel is too large to be deleted; this error is issued when trying to delete channels with more than 1000 members (subject to change).","CHANNELS_ADMIN_LOCATED_TOO_MUCH":"The user has reached the limit of public geogroups.","CHANNELS_ADMIN_PUBLIC_TOO_MUCH":"You're admin of too many public channels, make some channels private to change the username of this channel.","CHANNELS_TOO_MUCH":"You have joined too many channels\/supergroups.","CHARGE_ALREADY_REFUNDED":"The transaction was already refunded.","CHARGE_ID_EMPTY":"The specified charge_id is empty.","CHARGE_ID_INVALID":"The specified charge_id is invalid.","CHAT_ABOUT_NOT_MODIFIED":"About text has not changed.","CHAT_ABOUT_TOO_LONG":"Chat about too long.","CHAT_ACTION_FORBIDDEN":"You cannot execute this action.","CHAT_ADMIN_INVITE_REQUIRED":"You do not have the rights to do this.","CHAT_ADMIN_REQUIRED":"You must be an admin in this chat to do this.","CHAT_DISCUSSION_UNALLOWED":"You can't enable forum topics in a discussion group linked to a channel.","CHAT_FORBIDDEN":"This chat is not available to the current user.","CHAT_FORWARDS_RESTRICTED":"You can't forward messages from a protected chat.","CHAT_GUEST_SEND_FORBIDDEN":"You join the discussion group before commenting, see [here »](https:\/\/core.telegram.org\/api\/discussion#requiring-users-to-join-the-group) for more info.","CHAT_ID_EMPTY":"The provided chat ID is empty.","CHAT_ID_GENERATE_FAILED":"Failure while generating the chat ID.","CHAT_ID_INVALID":"The provided chat id is invalid.","CHAT_INVALID":"Invalid chat.","CHAT_INVITE_PERMANENT":"You can't set an expiration date on permanent invite links.","CHAT_LINK_EXISTS":"The chat is public, you can't hide the history to new users.","CHAT_MEMBER_ADD_FAILED":"Could not add participants.","CHAT_NOT_MODIFIED":"No changes were made to chat information because the new information you passed is identical to the current information.","CHAT_PUBLIC_REQUIRED":"You can only enable join requests in public groups.","CHAT_RESTRICTED":"You can't send messages in this chat, you were restricted.","CHAT_REVOKE_DATE_UNSUPPORTED":"`min_date` and `max_date` are not available for using with non-user peers.","CHAT_SEND_AUDIOS_FORBIDDEN":"You can't send audio messages in this chat.","CHAT_SEND_DOCS_FORBIDDEN":"You can't send documents in this chat.","CHAT_SEND_GAME_FORBIDDEN":"You can't send a game to this chat.","CHAT_SEND_GIFS_FORBIDDEN":"You can't send gifs in this chat.","CHAT_SEND_INLINE_FORBIDDEN":"You can't send inline messages in this group.","CHAT_SEND_MEDIA_FORBIDDEN":"You can't send media in this chat.","CHAT_SEND_PHOTOS_FORBIDDEN":"You can't send photos in this chat.","CHAT_SEND_PLAIN_FORBIDDEN":"You can't send non-media (text) messages in this chat.","CHAT_SEND_POLL_FORBIDDEN":"You can't send polls in this chat.","CHAT_SEND_ROUNDVIDEOS_FORBIDDEN":"You can't send round videos to this chat.","CHAT_SEND_STICKERS_FORBIDDEN":"You can't send stickers in this chat.","CHAT_SEND_VIDEOS_FORBIDDEN":"You can't send videos in this chat.","CHAT_SEND_VOICES_FORBIDDEN":"You can't send voice recordings in this chat.","CHAT_SEND_WEBPAGE_FORBIDDEN":"You can't send webpage previews to this chat.","CHAT_TITLE_EMPTY":"No chat title provided.","CHAT_TOO_BIG":"This method is not available for groups with more than `chat_read_mark_size_threshold` members, [see client configuration »](https:\/\/core.telegram.org\/api\/config#client-configuration).","CHAT_TYPE_INVALID":"The specified user type is invalid.","CHAT_WRITE_FORBIDDEN":"You can't write in this chat.","CHATLINK_SLUG_EMPTY":"The specified slug is empty.","CHATLINK_SLUG_EXPIRED":"The specified [business chat link](https:\/\/core.telegram.org\/api\/business#business-chat-links) has expired.","CHATLINKS_TOO_MUCH":"Too many [business chat links](https:\/\/core.telegram.org\/api\/business#business-chat-links) were created, please delete some older links.","CHATLIST_EXCLUDE_INVALID":"The specified `exclude_peers` are invalid.","CHATLISTS_TOO_MUCH":"You have created too many folder links, hitting the `chatlist_invites_limit_default`\/`chatlist_invites_limit_premium` [limits »](https:\/\/core.telegram.org\/api\/config#chatlist-invites-limit-default).","CODE_EMPTY":"The provided code is empty.","CODE_HASH_INVALID":"Code hash invalid.","CODE_INVALID":"Code invalid.","COLLECTIBLE_INVALID":"The specified collectible is invalid.","COLLECTIBLE_NOT_FOUND":"The specified collectible could not be found.","COLOR_INVALID":"The specified color palette ID was invalid.","CONNECTION_API_ID_INVALID":"The provided API id is invalid.","CONNECTION_APP_VERSION_EMPTY":"App version is empty.","CONNECTION_DEVICE_MODEL_EMPTY":"The specified device model is empty.","CONNECTION_ID_INVALID":"The specified connection ID is invalid.","CONNECTION_LANG_PACK_INVALID":"The specified language pack is empty.","CONNECTION_LAYER_INVALID":"Layer invalid.","CONNECTION_NOT_INITED":"Please initialize the connection using initConnection before making queries.","CONNECTION_SYSTEM_EMPTY":"The specified system version is empty.","CONNECTION_SYSTEM_LANG_CODE_EMPTY":"The specified system language code is empty.","CONTACT_ADD_MISSING":"Contact to add is missing.","CONTACT_ID_INVALID":"The provided contact ID is invalid.","CONTACT_MISSING":"The specified user is not a contact.","CONTACT_NAME_EMPTY":"Contact name empty.","CONTACT_REQ_MISSING":"Missing contact request.","CREATE_CALL_FAILED":"An error occurred while creating the call.","CURRENCY_TOTAL_AMOUNT_INVALID":"The total amount of all prices is invalid.","CUSTOM_REACTIONS_TOO_MANY":"Too many custom reactions were specified.","DATA_HASH_SIZE_INVALID":"The size of the specified secureValueErrorData.data_hash is invalid.","DATA_INVALID":"Encrypted data invalid.","DATA_JSON_INVALID":"The provided JSON data is invalid.","DATA_TOO_LONG":"Data too long.","DATE_EMPTY":"Date empty.","DC_ID_INVALID":"The provided DC ID is invalid.","DH_G_A_INVALID":"g_a invalid.","DOCUMENT_INVALID":"The specified document is invalid.","EDIT_BOT_INVITE_FORBIDDEN":"Normal users can't edit invites that were created by bots.","EFFECT_ID_INVALID":"The specified effect ID is invalid.","EMAIL_HASH_EXPIRED":"Email hash expired.","EMAIL_INVALID":"The specified email is invalid.","EMAIL_NOT_ALLOWED":"The specified email cannot be used to complete the operation.","EMAIL_NOT_SETUP":"In order to change the login email with emailVerifyPurposeLoginChange, an existing login email must already be set using emailVerifyPurposeLoginSetup.","EMAIL_UNCONFIRMED":"Email unconfirmed.","EMAIL_UNCONFIRMED_%d":"The provided email isn't confirmed, %d is the length of the verification code that was just sent to the email: use [account.verifyEmail](https:\/\/core.telegram.org\/method\/account.verifyEmail) to enter the received verification code and enable the recovery email.","EMAIL_VERIFY_EXPIRED":"The verification email has expired.","EMOJI_INVALID":"The specified theme emoji is valid.","EMOJI_MARKUP_INVALID":"The specified `video_emoji_markup` was invalid.","EMOJI_NOT_MODIFIED":"The theme wasn't changed.","EMOTICON_EMPTY":"The emoji is empty.","EMOTICON_INVALID":"The specified emoji is invalid.","EMOTICON_STICKERPACK_MISSING":"inputStickerSetDice.emoji cannot be empty.","ENCRYPTED_MESSAGE_INVALID":"Encrypted message invalid.","ENCRYPTION_ALREADY_ACCEPTED":"Secret chat already accepted.","ENCRYPTION_ALREADY_DECLINED":"The secret chat was already declined.","ENCRYPTION_DECLINED":"The secret chat was declined.","ENCRYPTION_ID_INVALID":"The provided secret chat ID is invalid.","ENTITIES_TOO_LONG":"You provided too many styled message entities.","ENTITY_BOUNDS_INVALID":"A specified [entity offset or length](https:\/\/core.telegram.org\/api\/entities#entity-length) is invalid, see [here »](https:\/\/core.telegram.org\/api\/entities#entity-length) for info on how to properly compute the entity offset\/length.","ENTITY_MENTION_USER_INVALID":"You mentioned an invalid user.","ERROR_TEXT_EMPTY":"The provided error message is empty.","EXPIRE_DATE_INVALID":"The specified expiration date is invalid.","EXPIRES_AT_INVALID":"The specified `expires_at` timestamp is invalid.","EXPORT_CARD_INVALID":"Provided card is invalid.","EXTENDED_MEDIA_AMOUNT_INVALID":"The specified `stars_amount` of the passed [inputMediaPaidMedia](https:\/\/core.telegram.org\/constructor\/inputMediaPaidMedia) is invalid.","EXTENDED_MEDIA_INVALID":"The specified paid media is invalid.","EXTERNAL_URL_INVALID":"External URL invalid.","FILE_CONTENT_TYPE_INVALID":"File content-type is invalid.","FILE_EMTPY":"An empty file was provided.","FILE_ID_INVALID":"The provided file id is invalid.","FILE_MIGRATE_%d":"The file currently being accessed is stored in DC %d, please re-send the query to that DC.","FILE_PART_%d_MISSING":"Part %d of the file is missing from storage. Try repeating the method call to resave the part.","FILE_PART_EMPTY":"The provided file part is empty.","FILE_PART_INVALID":"The file part number is invalid.","FILE_PART_LENGTH_INVALID":"The length of a file part is invalid.","FILE_PART_SIZE_CHANGED":"Provided file part size has changed.","FILE_PART_SIZE_INVALID":"The provided file part size is invalid.","FILE_PART_TOO_BIG":"The uploaded file part is too big.","FILE_PART_TOO_SMALL":"The size of the uploaded file part is too small, please see the documentation for the allowed sizes.","FILE_PARTS_INVALID":"The number of file parts is invalid.","FILE_REFERENCE_%d_EXPIRED":"The file reference of the media file at index %d in the passed media array expired, it [must be refreshed as specified in the documentation](https:\/\/core.telegram.org\/api\/file-references). .","FILE_REFERENCE_%d_INVALID":"The [file reference](https:\/\/core.telegram.org\/api\/file-references) of the media file at index %d in the passed media array is invalid.","FILE_REFERENCE_EMPTY":"An empty [file reference](https:\/\/core.telegram.org\/api\/file-references) was specified.","FILE_REFERENCE_EXPIRED":"File reference expired, it must be refetched as described in [the documentation](https:\/\/core.telegram.org\/api\/file-references).","FILE_REFERENCE_INVALID":"The specified [file reference](https:\/\/core.telegram.org\/api\/file-references) is invalid.","FILE_TITLE_EMPTY":"An empty file title was specified.","FILE_TOKEN_INVALID":"The master DC did not accept the `file_token` (e.g., the token has expired). Continue downloading the file from the master DC using upload.getFile.","FILEREF_UPGRADE_NEEDED":"The client has to be updated in order to support [file references](https:\/\/core.telegram.org\/api\/file-references).","FILTER_ID_INVALID":"The specified filter ID is invalid.","FILTER_INCLUDE_EMPTY":"The include_peers vector of the filter is empty.","FILTER_NOT_SUPPORTED":"The specified filter cannot be used in this context.","FILTER_TITLE_EMPTY":"The title field of the filter is empty.","FIRSTNAME_INVALID":"The first name is invalid.","FLOOD_PREMIUM_WAIT_%d":"Please wait %d seconds before repeating the action, or purchase a [Telegram Premium subscription](https:\/\/core.telegram.org\/api\/premium) to remove this rate limit.","FLOOD_WAIT_%d":"Please wait %d seconds before repeating the action.","FOLDER_ID_EMPTY":"An empty folder ID was specified.","FOLDER_ID_INVALID":"Invalid folder ID.","FORM_EXPIRED":"The form was generated more than 10 minutes ago and has expired, please re-generate it using [payments.getPaymentForm](https:\/\/core.telegram.org\/method\/payments.getPaymentForm) and pass the new `form_id`.","FORM_ID_EMPTY":"The specified form ID is empty.","FORM_SUBMIT_DUPLICATE":"The same payment form was already submitted. .","FORM_UNSUPPORTED":"Please update your client.","FORUM_ENABLED":"You can't execute the specified action because the group is a [forum](https:\/\/core.telegram.org\/api\/forum), disable forum functionality to continue.","FRESH_CHANGE_ADMINS_FORBIDDEN":"You were just elected admin, you can't add or modify other admins yet.","FRESH_CHANGE_PHONE_FORBIDDEN":"You can't change phone number right after logging in, please wait at least 24 hours.","FRESH_RESET_AUTHORISATION_FORBIDDEN":"You can't logout other sessions if less than 24 hours have passed since you logged on the current session.","FROM_MESSAGE_BOT_DISABLED":"Bots can't use fromMessage min constructors.","FROM_PEER_INVALID":"The specified from_id is invalid.","FROZEN_METHOD_INVALID":"The current account is [frozen](https:\/\/core.telegram.org\/api\/auth#frozen-accounts), and thus cannot execute the specified action.","FROZEN_PARTICIPANT_MISSING":"The current account is [frozen](https:\/\/core.telegram.org\/api\/auth#frozen-accounts), and cannot access the specified peer.","GAME_BOT_INVALID":"Bots can't send another bot's game.","GENERAL_MODIFY_ICON_FORBIDDEN":"You can't modify the icon of the \"General\" topic.","GEO_POINT_INVALID":"Invalid geoposition provided.","GIF_CONTENT_TYPE_INVALID":"GIF content-type invalid.","GIF_ID_INVALID":"The provided GIF ID is invalid.","GIFT_MONTHS_INVALID":"The value passed in invoice.inputInvoicePremiumGiftStars.months is invalid.","GIFT_SLUG_EXPIRED":"The specified gift slug has expired.","GIFT_SLUG_INVALID":"The specified slug is invalid.","GIFT_STARS_INVALID":"The specified amount of stars is invalid.","GRAPH_EXPIRED_RELOAD":"This graph has expired, please obtain a new graph token.","GRAPH_INVALID_RELOAD":"Invalid graph token provided, please reload the stats and provide the updated token.","GRAPH_OUTDATED_RELOAD":"The graph is outdated, please get a new async token using stats.getBroadcastStats.","GROUPCALL_ALREADY_DISCARDED":"The group call was already discarded.","GROUPCALL_ALREADY_STARTED":"The groupcall has already started, you can join directly using [phone.joinGroupCall](https:\/\/core.telegram.org\/method\/phone.joinGroupCall).","GROUPCALL_FORBIDDEN":"The group call has already ended.","GROUPCALL_INVALID":"The specified group call is invalid.","GROUPCALL_JOIN_MISSING":"You haven't joined this group call.","GROUPCALL_NOT_MODIFIED":"Group call settings weren't modified.","GROUPCALL_SSRC_DUPLICATE_MUCH":"The app needs to retry joining the group call with a new SSRC value.","GROUPED_MEDIA_INVALID":"Invalid grouped media.","HASH_INVALID":"The provided hash is invalid.","HASH_SIZE_INVALID":"The size of the specified secureValueError.hash is invalid.","HASHTAG_INVALID":"The specified hashtag is invalid.","HIDE_REQUESTER_MISSING":"The join request was missing or was already handled.","ID_EXPIRED":"The passed prepared inline message ID has expired.","ID_INVALID":"The passed ID is invalid.","IMAGE_PROCESS_FAILED":"Failure while processing image.","IMPORT_FILE_INVALID":"The specified chat export file is invalid.","IMPORT_FORMAT_DATE_INVALID":"The date specified in the import file is invalid.","IMPORT_FORMAT_UNRECOGNIZED":"The specified chat export file was exported from an unsupported chat app.","IMPORT_ID_INVALID":"The specified import ID is invalid.","IMPORT_TOKEN_INVALID":"The specified token is invalid.","INLINE_BOT_REQUIRED":"Only the inline bot can edit message.","INLINE_RESULT_EXPIRED":"The inline query expired.","INPUT_CHATLIST_INVALID":"The specified folder is invalid.","INPUT_CONSTRUCTOR_INVALID":"The specified TL constructor is invalid.","INPUT_FETCH_ERROR":"An error occurred while parsing the provided TL constructor.","INPUT_FETCH_FAIL":"An error occurred while parsing the provided TL constructor.","INPUT_FILE_INVALID":"The specified [InputFile](https:\/\/core.telegram.org\/type\/InputFile) is invalid.","INPUT_FILTER_INVALID":"The specified filter is invalid.","INPUT_LAYER_INVALID":"The specified layer is invalid.","INPUT_METHOD_INVALID":"The specified method is invalid.","INPUT_PEERS_EMPTY":"The specified peer array is empty.","INPUT_PURPOSE_INVALID":"The specified payment purpose is invalid.","INPUT_REQUEST_TOO_LONG":"The request payload is too long.","INPUT_TEXT_EMPTY":"The specified text is empty.","INPUT_TEXT_TOO_LONG":"The specified text is too long.","INPUT_USER_DEACTIVATED":"The specified user was deleted.","INVITE_FORBIDDEN_WITH_JOINAS":"If the user has anonymously joined a group call as a channel, they can't invite other users to the group call because that would cause deanonymization, because the invite would be sent using the original user ID, not the anonymized channel ID.","INVITE_HASH_EMPTY":"The invite hash is empty.","INVITE_HASH_EXPIRED":"The invite link has expired.","INVITE_HASH_INVALID":"The invite hash is invalid.","INVITE_REQUEST_SENT":"You have successfully requested to join this chat or channel.","INVITE_REVOKED_MISSING":"The specified invite link was already revoked or is invalid.","INVITE_SLUG_EMPTY":"The specified invite slug is empty.","INVITE_SLUG_EXPIRED":"The specified chat folder link has expired.","INVITE_SLUG_INVALID":"The specified invitation slug is invalid.","INVITES_TOO_MUCH":"The maximum number of per-folder invites specified by the `chatlist_invites_limit_default`\/`chatlist_invites_limit_premium` [client configuration parameters »](https:\/\/core.telegram.org\/api\/config#chatlist-invites-limit-default) was reached.","INVOICE_INVALID":"The specified invoice is invalid.","INVOICE_PAYLOAD_INVALID":"The specified invoice payload is invalid.","JOIN_AS_PEER_INVALID":"The specified peer cannot be used to join a group call.","LANG_CODE_INVALID":"The specified language code is invalid.","LANG_CODE_NOT_SUPPORTED":"The specified language code is not supported.","LANG_PACK_INVALID":"The provided language pack is invalid.","LANGUAGE_INVALID":"The specified lang_code is invalid.","LASTNAME_INVALID":"The last name is invalid.","LIMIT_INVALID":"The provided limit is invalid.","LINK_NOT_MODIFIED":"Discussion link not modified.","LOCATION_INVALID":"The provided location is invalid.","MAX_DATE_INVALID":"The specified maximum date is invalid.","MAX_ID_INVALID":"The provided max ID is invalid.","MAX_QTS_INVALID":"The specified max_qts is invalid.","MD5_CHECKSUM_INVALID":"The MD5 checksums do not match.","MEDIA_ALREADY_PAID":"You already paid for the specified media.","MEDIA_CAPTION_TOO_LONG":"The caption is too long.","MEDIA_EMPTY":"The provided media object is invalid.","MEDIA_FILE_INVALID":"The specified media file is invalid.","MEDIA_GROUPED_INVALID":"You tried to send media of different types in an album.","MEDIA_INVALID":"Media invalid.","MEDIA_NEW_INVALID":"The new media is invalid.","MEDIA_PREV_INVALID":"Previous media invalid.","MEDIA_TTL_INVALID":"The specified media TTL is invalid.","MEDIA_TYPE_INVALID":"The specified media type cannot be used in stories.","MEDIA_VIDEO_STORY_MISSING":"A non-story video cannot be repubblished as a story (emitted when trying to resend a non-story video as a story using inputDocument).","MEGAGROUP_GEO_REQUIRED":"This method can only be invoked on a geogroup.","MEGAGROUP_ID_INVALID":"Invalid supergroup ID.","MEGAGROUP_PREHISTORY_HIDDEN":"Group with hidden history for new members can't be set as discussion groups.","MEGAGROUP_REQUIRED":"You can only use this method on a supergroup.","MESSAGE_AUTHOR_REQUIRED":"Message author required.","MESSAGE_DELETE_FORBIDDEN":"You can't delete one of the messages you tried to delete, most likely because it is a service message.","MESSAGE_EDIT_TIME_EXPIRED":"You can't edit this message anymore, too much time has passed since its creation.","MESSAGE_EMPTY":"The provided message is empty.","MESSAGE_ID_INVALID":"The provided message id is invalid.","MESSAGE_IDS_EMPTY":"No message ids were provided.","MESSAGE_NOT_MODIFIED":"The provided message data is identical to the previous message data, the message wasn't modified.","MESSAGE_NOT_READ_YET":"The specified message wasn't read yet.","MESSAGE_POLL_CLOSED":"Poll closed.","MESSAGE_TOO_LONG":"The provided message is too long.","MESSAGE_TOO_OLD":"The message is too old, the requested information is not available.","METHOD_INVALID":"The specified method is invalid.","MIN_DATE_INVALID":"The specified minimum date is invalid.","MONTH_INVALID":"The number of months specified in inputInvoicePremiumGiftStars.months is invalid.","MSG_ID_INVALID":"Invalid message ID provided.","MSG_TOO_OLD":"[`chat_read_mark_expire_period` seconds](https:\/\/core.telegram.org\/api\/config#chat-read-mark-expire-period) have passed since the message was sent, read receipts were deleted.","MSG_VOICE_MISSING":"The specified message is not a voice message.","MSG_WAIT_FAILED":"A waiting call returned an error.","MSG_WAIT_TIMEOUT":"Spent too much time waiting for a previous query in the invokeAfterMsg request queue, aborting!","MULTI_MEDIA_TOO_LONG":"Too many media files for album.","NETWORK_MIGRATE_%d":"Your IP address is associated to DC %d, please re-send the query to that DC.","NEW_SALT_INVALID":"The new salt is invalid.","NEW_SETTINGS_EMPTY":"No password is set on the current account, and no new password was specified in `new_settings`.","NEW_SETTINGS_INVALID":"The new password settings are invalid.","NEXT_OFFSET_INVALID":"The specified offset is longer than 64 bytes.","NO_PAYMENT_NEEDED":"The upgrade\/transfer of the specified gift was already paid for or is free.","NOGENERAL_HIDE_FORBIDDEN":"Only the \"General\" topic with `id=1` can be hidden.","NOT_ELIGIBLE":"The current user is not eligible to join the Peer-to-Peer Login Program.","NOT_JOINED":"The current user hasn't joined the Peer-to-Peer Login Program.","OFFSET_INVALID":"The provided offset is invalid.","OFFSET_PEER_ID_INVALID":"The provided offset peer is invalid.","OPTION_INVALID":"Invalid option selected.","OPTIONS_TOO_MUCH":"Too many options provided.","ORDER_INVALID":"The specified username order is invalid.","PACK_SHORT_NAME_INVALID":"Short pack name invalid.","PACK_SHORT_NAME_OCCUPIED":"A stickerpack with this name already exists.","PACK_TITLE_INVALID":"The stickerpack title is invalid.","PACK_TYPE_INVALID":"The masks and emojis flags are mutually exclusive.","PARENT_PEER_INVALID":"The specified `parent_peer` is invalid.","PARTICIPANT_ID_INVALID":"The specified participant ID is invalid.","PARTICIPANT_JOIN_MISSING":"Trying to enable a presentation, when the user hasn't joined the Video Chat with [phone.joinGroupCall](https:\/\/core.telegram.org\/method\/phone.joinGroupCall).","PARTICIPANT_VERSION_OUTDATED":"The other participant does not use an up to date telegram client with support for calls.","PARTICIPANTS_TOO_FEW":"Not enough participants.","PASSWORD_EMPTY":"The provided password is empty.","PASSWORD_HASH_INVALID":"The provided password hash is invalid.","PASSWORD_MISSING":"You must [enable 2FA](https:\/\/core.telegram.org\/api\/srp) before executing this operation.","PASSWORD_RECOVERY_EXPIRED":"The recovery code has expired.","PASSWORD_RECOVERY_NA":"No email was set, can't recover password via email.","PASSWORD_REQUIRED":"A [2FA password](https:\/\/core.telegram.org\/api\/srp) must be configured to use Telegram Passport.","PASSWORD_TOO_FRESH_%d":"The password was modified less than 24 hours ago, try again in %d seconds.","PAYMENT_CREDENTIALS_INVALID":"The specified payment credentials are invalid.","PAYMENT_PROVIDER_INVALID":"The specified payment provider is invalid.","PAYMENT_REQUIRED":"Payment is required for this action, see [here »](https:\/\/core.telegram.org\/api\/gifts) for more info.","PAYMENT_UNSUPPORTED":"A detailed description of the error will be received separately as described [here »](https:\/\/core.telegram.org\/api\/errors#406-not-acceptable).","PEER_FLOOD":"The current account is spamreported, you cannot execute this action, check @spambot for more info.","PEER_HISTORY_EMPTY":"You can't pin an empty chat with a user.","PEER_ID_INVALID":"The provided peer id is invalid.","PEER_ID_NOT_SUPPORTED":"The provided peer ID is not supported.","PEER_TYPES_INVALID":"The passed [keyboardButtonSwitchInline](https:\/\/core.telegram.org\/constructor\/keyboardButtonSwitchInline).`peer_types` field is invalid.","PEERS_LIST_EMPTY":"The specified list of peers is empty.","PERSISTENT_TIMESTAMP_EMPTY":"Persistent timestamp empty.","PERSISTENT_TIMESTAMP_INVALID":"Persistent timestamp invalid.","PERSISTENT_TIMESTAMP_OUTDATED":"Channel internal replication issues, try again later (treat this like an RPC_CALL_FAIL).","PHONE_CODE_EMPTY":"phone_code is missing.","PHONE_CODE_EXPIRED":"The phone code you provided has expired.","PHONE_CODE_HASH_EMPTY":"phone_code_hash is missing.","PHONE_CODE_INVALID":"The provided phone code is invalid.","PHONE_HASH_EXPIRED":"An invalid or expired `phone_code_hash` was provided.","PHONE_MIGRATE_%d":"Your phone number is associated to DC %d, please re-send the query to that DC.","PHONE_NOT_OCCUPIED":"No user is associated to the specified phone number.","PHONE_NUMBER_APP_SIGNUP_FORBIDDEN":"You can't sign up using this app.","PHONE_NUMBER_BANNED":"The provided phone number is banned from telegram.","PHONE_NUMBER_FLOOD":"You asked for the code too many times.","PHONE_NUMBER_INVALID":"The phone number is invalid.","PHONE_NUMBER_OCCUPIED":"The phone number is already in use.","PHONE_NUMBER_UNOCCUPIED":"The phone number is not yet being used.","PHONE_PASSWORD_FLOOD":"You have tried logging in too many times.","PHONE_PASSWORD_PROTECTED":"This phone is password protected.","PHOTO_CONTENT_TYPE_INVALID":"Photo mime-type invalid.","PHOTO_CONTENT_URL_EMPTY":"Photo URL invalid.","PHOTO_CROP_FILE_MISSING":"Photo crop file missing.","PHOTO_CROP_SIZE_SMALL":"Photo is too small.","PHOTO_EXT_INVALID":"The extension of the photo is invalid.","PHOTO_FILE_MISSING":"Profile photo file missing.","PHOTO_ID_INVALID":"Photo ID invalid.","PHOTO_INVALID":"Photo invalid.","PHOTO_INVALID_DIMENSIONS":"The photo dimensions are invalid.","PHOTO_SAVE_FILE_INVALID":"Internal issues, try again later.","PHOTO_THUMB_URL_EMPTY":"Photo thumbnail URL is empty.","PIN_RESTRICTED":"You can't pin messages.","PINNED_DIALOGS_TOO_MUCH":"Too many pinned dialogs.","PINNED_TOO_MUCH":"There are too many pinned topics, unpin some first.","POLL_ANSWER_INVALID":"One of the poll answers is not acceptable.","POLL_ANSWERS_INVALID":"Invalid poll answers were provided.","POLL_OPTION_DUPLICATE":"Duplicate poll options provided.","POLL_OPTION_INVALID":"Invalid poll option provided.","POLL_QUESTION_INVALID":"One of the poll questions is not acceptable.","POLL_VOTE_REQUIRED":"Cast a vote in the poll before calling this method.","PRECHECKOUT_FAILED":"Precheckout failed, a detailed and localized description for the error will be emitted via an [updateServiceNotification as specified here »](https:\/\/core.telegram.org\/api\/errors#406-not-acceptable).","PREMIUM_ACCOUNT_REQUIRED":"A premium account is required to execute this action.","PREMIUM_CURRENTLY_UNAVAILABLE":"You cannot currently purchase a Premium subscription.","PREMIUM_SUB_ACTIVE_UNTIL_%d":"You already have a premium subscription active until unixtime %d .","PREVIOUS_CHAT_IMPORT_ACTIVE_WAIT_%dMIN":"Import for this chat is already in progress, wait %d minutes before starting a new one.","PRICING_CHAT_INVALID":"The pricing for the [subscription](https:\/\/core.telegram.org\/api\/subscriptions) is invalid, the maximum price is specified in the [`stars_subscription_amount_max` config key »](https:\/\/core.telegram.org\/api\/config#stars-subscription-amount-max).","PRIVACY_KEY_INVALID":"The privacy key is invalid.","PRIVACY_PREMIUM_REQUIRED":"You need a [Telegram Premium subscription](https:\/\/core.telegram.org\/api\/premium) to send a message to this user.","PRIVACY_TOO_LONG":"Too many privacy rules were specified, the current limit is 1000.","PRIVACY_VALUE_INVALID":"The specified privacy rule combination is invalid.","PUBLIC_CHANNEL_MISSING":"You can only export group call invite links for public chats or channels.","PUBLIC_KEY_REQUIRED":"A public key is required.","PURPOSE_INVALID":"The specified payment purpose is invalid.","QUERY_ID_EMPTY":"The query ID is empty.","QUERY_ID_INVALID":"The query ID is invalid.","QUERY_TOO_SHORT":"The query string is too short.","QUICK_REPLIES_BOT_NOT_ALLOWED":"[Quick replies](https:\/\/core.telegram.org\/api\/business#quick-reply-shortcuts) cannot be used by bots.","QUICK_REPLIES_TOO_MUCH":"A maximum of [appConfig.`quick_replies_limit`](https:\/\/core.telegram.org\/api\/config#quick-replies-limit) shortcuts may be created, the limit was reached.","QUIZ_ANSWER_MISSING":"You can forward a quiz while hiding the original author only after choosing an option in the quiz.","QUIZ_CORRECT_ANSWER_INVALID":"An invalid value was provided to the correct_answers field.","QUIZ_CORRECT_ANSWERS_EMPTY":"No correct quiz answer was specified.","QUIZ_CORRECT_ANSWERS_TOO_MUCH":"You specified too many correct answers in a quiz, quizzes can only have one right answer!","QUIZ_MULTIPLE_INVALID":"Quizzes can't have the multiple_choice flag set!","QUOTE_TEXT_INVALID":"The specified `reply_to`.`quote_text` field is invalid.","RAISE_HAND_FORBIDDEN":"You cannot raise your hand.","RANDOM_ID_DUPLICATE":"You provided a random ID that was already used.","RANDOM_ID_EMPTY":"Random ID empty.","RANDOM_ID_EXPIRED":"The specified `random_id` was expired (most likely it didn't follow the required `uint64_t random_id = (time() << 32) | ((uint64_t)random_uint32_t())` format, or the specified time is too far in the past).","RANDOM_ID_INVALID":"A provided random ID is invalid.","RANDOM_LENGTH_INVALID":"Random length invalid.","RANGES_INVALID":"Invalid range provided.","REACTION_EMPTY":"Empty reaction provided.","REACTION_INVALID":"The specified reaction is invalid.","REACTIONS_COUNT_INVALID":"The specified number of reactions is invalid.","REACTIONS_TOO_MANY":"The message already has exactly `reactions_uniq_max` reaction emojis, you can't react with a new emoji, see [the docs for more info »](https:\/\/core.telegram.org\/api\/config#client-configuration).","RECEIPT_EMPTY":"The specified receipt is empty.","REPLY_MARKUP_BUY_EMPTY":"Reply markup for buy button empty.","REPLY_MARKUP_GAME_EMPTY":"A game message is being edited, but the newly provided keyboard doesn't have a keyboardButtonGame button.","REPLY_MARKUP_INVALID":"The provided reply markup is invalid.","REPLY_MARKUP_TOO_LONG":"The specified reply_markup is too long.","REPLY_MESSAGE_ID_INVALID":"The specified reply-to message ID is invalid.","REPLY_MESSAGES_TOO_MUCH":"Each shortcut can contain a maximum of [appConfig.`quick_reply_messages_limit`](https:\/\/core.telegram.org\/api\/config#quick-reply-messages-limit) messages, the limit was reached.","REPLY_TO_INVALID":"The specified `reply_to` field is invalid.","REPLY_TO_MONOFORUM_PEER_INVALID":"The specified inputReplyToMonoForum.monoforum_peer_id is invalid.","REPLY_TO_USER_INVALID":"The replied-to user is invalid.","REQUEST_TOKEN_INVALID":"The master DC did not accept the `request_token` from the CDN DC. Continue downloading the file from the master DC using upload.getFile.","RESET_REQUEST_MISSING":"No password reset is in progress.","RESULT_ID_DUPLICATE":"You provided a duplicate result ID.","RESULT_ID_EMPTY":"Result ID empty.","RESULT_ID_INVALID":"One of the specified result IDs is invalid.","RESULT_TYPE_INVALID":"Result type invalid.","RESULTS_TOO_MUCH":"Too many results were provided.","REVOTE_NOT_ALLOWED":"You cannot change your vote.","RIGHT_FORBIDDEN":"Your admin rights do not allow you to do this.","RIGHTS_NOT_MODIFIED":"The new admin rights are equal to the old rights, no change was made.","RINGTONE_INVALID":"The specified ringtone is invalid.","RINGTONE_MIME_INVALID":"The MIME type for the ringtone is invalid.","RSA_DECRYPT_FAILED":"Internal RSA decryption failed.","SAVED_ID_EMPTY":"The passed inputSavedStarGiftChat.saved_id is empty.","SCHEDULE_BOT_NOT_ALLOWED":"Bots cannot schedule messages.","SCHEDULE_DATE_INVALID":"Invalid schedule date provided.","SCHEDULE_DATE_TOO_LATE":"You can't schedule a message this far in the future.","SCHEDULE_STATUS_PRIVATE":"Can't schedule until user is online, if the user's last seen timestamp is hidden by their privacy settings.","SCHEDULE_TOO_MUCH":"There are too many scheduled messages.","SCORE_INVALID":"The specified game score is invalid.","SEARCH_QUERY_EMPTY":"The search query is empty.","SEARCH_WITH_LINK_NOT_SUPPORTED":"You cannot provide a search query and an invite link at the same time.","SECONDS_INVALID":"Invalid duration provided.","SECURE_SECRET_REQUIRED":"A secure secret is required.","SELF_DELETE_RESTRICTED":"Business bots can't delete messages just for the user, `revoke` **must** be set.","SEND_AS_PEER_INVALID":"You can't send messages as the specified peer.","SEND_CODE_UNAVAILABLE":"Returned when all available options for this type of number were already used (e.g. flash-call, then SMS, then this error might be returned to trigger a second resend).","SEND_MEDIA_INVALID":"The specified media is invalid.","SEND_MESSAGE_GAME_INVALID":"An inputBotInlineMessageGame can only be contained in an inputBotInlineResultGame, not in an inputBotInlineResult\/inputBotInlineResultPhoto\/etc.","SEND_MESSAGE_MEDIA_INVALID":"Invalid media provided.","SEND_MESSAGE_TYPE_INVALID":"The message type is invalid.","SENSITIVE_CHANGE_FORBIDDEN":"You can't change your sensitive content settings.","SESSION_EXPIRED":"The session has expired.","SESSION_PASSWORD_NEEDED":"2FA is enabled, use a password to login.","SESSION_REVOKED":"The session was revoked by the user.","SESSION_TOO_FRESH_%d":"This session was created less than 24 hours ago, try again in %d seconds.","SETTINGS_INVALID":"Invalid settings were provided.","SHA256_HASH_INVALID":"The provided SHA256 hash is invalid.","SHORT_NAME_INVALID":"The specified short name is invalid.","SHORT_NAME_OCCUPIED":"The specified short name is already in use.","SHORTCUT_INVALID":"The specified shortcut is invalid.","SIGN_IN_FAILED":"Failure while signing in.","SLOTS_EMPTY":"The specified slot list is empty.","SLOWMODE_MULTI_MSGS_DISABLED":"Slowmode is enabled, you cannot forward multiple messages to this group.","SLOWMODE_WAIT_%d":"Slowmode is enabled in this chat: wait %d seconds before sending another message to this chat.","SLUG_INVALID":"The specified invoice slug is invalid.","SMS_CODE_CREATE_FAILED":"An error occurred while creating the SMS code.","SMSJOB_ID_INVALID":"The specified job ID is invalid.","SRP_A_INVALID":"The specified inputCheckPasswordSRP.A value is invalid.","SRP_ID_INVALID":"Invalid SRP ID provided.","SRP_PASSWORD_CHANGED":"Password has changed.","STARGIFT_ALREADY_CONVERTED":"The specified star gift was already converted to Stars.","STARGIFT_ALREADY_REFUNDED":"The specified star gift was already refunded.","STARGIFT_ALREADY_UPGRADED":"The specified gift was already upgraded to a collectible gift.","STARGIFT_EXPORT_IN_PROGRESS":"A gift export is in progress, a detailed and localized description for the error will be emitted via an [updateServiceNotification as specified here »](https:\/\/core.telegram.org\/api\/errors#406-not-acceptable).","STARGIFT_INVALID":"The passed gift is invalid.","STARGIFT_NOT_FOUND":"The specified gift was not found.","STARGIFT_OWNER_INVALID":"You cannot transfer or sell a gift owned by another user.","STARGIFT_PEER_INVALID":"The specified inputSavedStarGiftChat.peer is invalid.","STARGIFT_RESELL_CURRENCY_NOT_ALLOWED":"You can't buy the gift using the specified currency (i.e. trying to pay in Stars for TON gifts).","STARGIFT_SLUG_INVALID":"The specified gift slug is invalid.","STARGIFT_TRANSFER_TOO_EARLY_%d":"You cannot transfer this gift yet, wait %d seconds.","STARGIFT_UPGRADE_UNAVAILABLE":"A received gift can only be upgraded to a collectible gift if the [messageActionStarGift](https:\/\/core.telegram.org\/constructor\/messageActionStarGift)\/[savedStarGift](https:\/\/core.telegram.org\/constructor\/savedStarGift).`can_upgrade` flag is set.","STARGIFT_USAGE_LIMITED":"The gift is sold out.","STARGIFT_USER_USAGE_LIMITED":"You've reached the starGift.limited_per_user limit, you can't buy any more gifts of this type.","STARREF_AWAITING_END":"The previous referral program was terminated less than 24 hours ago: further changes can be made after the date specified in userFull.starref_program.end_date.","STARREF_EXPIRED":"The specified referral link is invalid.","STARREF_HASH_REVOKED":"The specified affiliate link was already revoked.","STARREF_PERMILLE_INVALID":"The specified commission_permille is invalid: the minimum and maximum values for this parameter are contained in the [starref_min_commission_permille](https:\/\/core.telegram.org\/api\/config#starref-min-commission-permille) and [starref_max_commission_permille](https:\/\/core.telegram.org\/api\/config#starref-max-commission-permille) client configuration parameters.","STARREF_PERMILLE_TOO_LOW":"The specified commission_permille is too low: the minimum and maximum values for this parameter are contained in the [starref_min_commission_permille](https:\/\/core.telegram.org\/api\/config#starref-min-commission-permille) and [starref_max_commission_permille](https:\/\/core.telegram.org\/api\/config#starref-max-commission-permille) client configuration parameters.","STARS_AMOUNT_INVALID":"The specified amount in stars is invalid.","STARS_FORM_AMOUNT_MISMATCH":"The form amount has changed, please fetch the new form using [payments.getPaymentForm](https:\/\/core.telegram.org\/method\/payments.getPaymentForm) and restart the process.","STARS_INVOICE_INVALID":"The specified Telegram Star invoice is invalid.","STARS_PAYMENT_REQUIRED":"To import this chat invite link, you must first [pay for the associated Telegram Star subscription »](https:\/\/core.telegram.org\/api\/subscriptions#channel-subscriptions).","START_PARAM_EMPTY":"The start parameter is empty.","START_PARAM_INVALID":"Start parameter invalid.","START_PARAM_TOO_LONG":"Start parameter is too long.","STATS_MIGRATE_%d":"Channel statistics for the specified channel are stored on DC %d, please re-send the query to that DC.","STICKER_DOCUMENT_INVALID":"The specified sticker document is invalid.","STICKER_EMOJI_INVALID":"Sticker emoji invalid.","STICKER_FILE_INVALID":"Sticker file invalid.","STICKER_GIF_DIMENSIONS":"The specified video sticker has invalid dimensions.","STICKER_ID_INVALID":"The provided sticker ID is invalid.","STICKER_INVALID":"The provided sticker is invalid.","STICKER_MIME_INVALID":"The specified sticker MIME type is invalid.","STICKER_PNG_DIMENSIONS":"Sticker png dimensions invalid.","STICKER_PNG_NOPNG":"One of the specified stickers is not a valid PNG file.","STICKER_TGS_NODOC":"You must send the animated sticker as a document.","STICKER_TGS_NOTGS":"Invalid TGS sticker provided.","STICKER_THUMB_PNG_NOPNG":"Incorrect stickerset thumb file provided, PNG \/ WEBP expected.","STICKER_THUMB_TGS_NOTGS":"Incorrect stickerset TGS thumb file provided.","STICKER_VIDEO_BIG":"The specified video sticker is too big.","STICKER_VIDEO_NODOC":"You must send the video sticker as a document.","STICKER_VIDEO_NOWEBM":"The specified video sticker is not in webm format.","STICKERPACK_STICKERS_TOO_MUCH":"There are too many stickers in this stickerpack, you can't add any more.","STICKERS_EMPTY":"No sticker provided.","STICKERS_TOO_MUCH":"There are too many stickers in this stickerpack, you can't add any more.","STICKERSET_INVALID":"The provided sticker set is invalid.","STICKERSET_NOT_MODIFIED":"The passed stickerset information is equal to the current information.","STICKERSET_OWNER_ANONYMOUS":"Provided stickerset can't be installed as group stickerset to prevent admin deanonymization.","STORIES_NEVER_CREATED":"This peer hasn't ever posted any stories.","STORIES_TOO_MUCH":"You have hit the maximum active stories limit as specified by the [`story_expiring_limit_*` client configuration parameters](https:\/\/core.telegram.org\/api\/config#story-expiring-limit-default): you should buy a [Premium](https:\/\/core.telegram.org\/api\/premium) subscription, delete an active story, or wait for the oldest story to expire.","STORY_ID_EMPTY":"You specified no story IDs.","STORY_ID_INVALID":"The specified story ID is invalid.","STORY_NOT_MODIFIED":"The new story information you passed is equal to the previous story information, thus it wasn't modified.","STORY_PERIOD_INVALID":"The specified story period is invalid for this account.","STORY_SEND_FLOOD_MONTHLY_%d":"You've hit the monthly story limit as specified by the [`stories_sent_monthly_limit_*` client configuration parameters](https:\/\/core.telegram.org\/api\/config#stories-sent-monthly-limit-default): wait %d seconds before posting a new story.","STORY_SEND_FLOOD_WEEKLY_%d":"You've hit the weekly story limit as specified by the [`stories_sent_weekly_limit_*` client configuration parameters](https:\/\/core.telegram.org\/api\/config#stories-sent-weekly-limit-default): wait for %d seconds before posting a new story.","SUBSCRIPTION_EXPORT_MISSING":"You cannot send a [bot subscription invoice](https:\/\/core.telegram.org\/api\/subscriptions#bot-subscriptions) directly, you may only create invoice links using [payments.exportInvoice](https:\/\/core.telegram.org\/method\/payments.exportInvoice).","SUBSCRIPTION_ID_INVALID":"The specified subscription_id is invalid.","SUBSCRIPTION_PERIOD_INVALID":"The specified subscription_pricing.period is invalid.","SUGGESTED_POST_AMOUNT_INVALID":"The specified price for the suggested post is invalid.","SUGGESTED_POST_PEER_INVALID":"You cannot send suggested posts to non-[monoforum](https:\/\/core.telegram.org\/api\/monoforum) peers.","SWITCH_PM_TEXT_EMPTY":"The switch_pm.text field was empty.","SWITCH_WEBVIEW_URL_INVALID":"The URL specified in switch_webview.url is invalid!","TAKEOUT_INIT_DELAY_%d":"Sorry, for security reasons, you will be able to begin downloading your data in %d seconds. We have notified all your devices about the export request to make sure it's authorized and to give you time to react if it's not.","TAKEOUT_INVALID":"The specified takeout ID is invalid.","TAKEOUT_REQUIRED":"A [takeout](https:\/\/core.telegram.org\/api\/takeout) session needs to be initialized first, [see here » for more info](https:\/\/core.telegram.org\/api\/takeout).","TASK_ALREADY_EXISTS":"An email reset was already requested.","TEMP_AUTH_KEY_ALREADY_BOUND":"The passed temporary key is already bound to another **perm_auth_key_id**.","TEMP_AUTH_KEY_EMPTY":"No temporary auth key provided.","TERMS_URL_INVALID":"The specified [invoice](https:\/\/core.telegram.org\/constructor\/invoice).`terms_url` is invalid.","THEME_FILE_INVALID":"Invalid theme file provided.","THEME_FORMAT_INVALID":"Invalid theme format provided.","THEME_INVALID":"Invalid theme provided.","THEME_MIME_INVALID":"The theme's MIME type is invalid.","THEME_PARAMS_INVALID":"The specified `theme_params` field is invalid.","THEME_SLUG_INVALID":"The specified theme slug is invalid.","THEME_TITLE_INVALID":"The specified theme title is invalid.","Timeout":"Timeout while fetching data.","TIMEZONE_INVALID":"The specified timezone does not exist.","TITLE_INVALID":"The specified stickerpack title is invalid.","TMP_PASSWORD_DISABLED":"The temporary password is disabled.","TMP_PASSWORD_INVALID":"The passed tmp_password is invalid.","TO_ID_INVALID":"The specified `to_id` of the passed inputInvoiceStarGiftResale or inputInvoiceStarGiftTransfer is invalid.","TO_LANG_INVALID":"The specified destination language is invalid.","TODO_ITEM_DUPLICATE":"Duplicate [checklist items](https:\/\/core.telegram.org\/api\/todo) detected.","TODO_ITEMS_EMPTY":"A checklist was specified, but no [checklist items](https:\/\/core.telegram.org\/api\/todo) were passed.","TODO_NOT_MODIFIED":"No todo items were specified, so no changes were made to the todo list.","TOKEN_EMPTY":"The specified token is empty.","TOKEN_INVALID":"The provided token is invalid.","TOKEN_TYPE_INVALID":"The specified token type is invalid.","TOPIC_CLOSE_SEPARATELY":"The `close` flag cannot be provided together with any of the other flags.","TOPIC_CLOSED":"This topic was closed, you can't send messages to it anymore.","TOPIC_DELETED":"The specified topic was deleted.","TOPIC_HIDE_SEPARATELY":"The `hide` flag cannot be provided together with any of the other flags.","TOPIC_ID_INVALID":"The specified topic ID is invalid.","TOPIC_NOT_MODIFIED":"The updated topic info is equal to the current topic info, nothing was changed.","TOPIC_TITLE_EMPTY":"The specified topic title is empty.","TOPICS_EMPTY":"You specified no topic IDs.","TRANSACTION_ID_INVALID":"The specified transaction ID is invalid.","TRANSCRIPTION_FAILED":"Audio transcription failed.","TRANSLATE_REQ_FAILED":"Translation failed, please try again later.","TRANSLATE_REQ_QUOTA_EXCEEDED":"Translation is currently unavailable due to a temporary server-side lack of resources.","TRANSLATION_TIMEOUT":"A timeout occurred while translating the specified text.","TRANSLATIONS_DISABLED":"Translations are unavailable, a detailed and localized description for the error will be emitted via an [updateServiceNotification as specified here »](https:\/\/core.telegram.org\/api\/errors#406-not-acceptable).","TTL_DAYS_INVALID":"The provided TTL is invalid.","TTL_MEDIA_INVALID":"Invalid media Time To Live was provided.","TTL_PERIOD_INVALID":"The specified TTL period is invalid.","TYPES_EMPTY":"No top peer type was provided.","UNSUPPORTED":"`require_payment` cannot be *set* by users, only by monoforums: users must instead use the [inputPrivacyKeyNoPaidMessages](https:\/\/core.telegram.org\/constructor\/inputPrivacyKeyNoPaidMessages) privacy setting to remove a previously added exemption.","UNTIL_DATE_INVALID":"Invalid until date provided.","UPDATE_APP_TO_LOGIN":"Please update to the latest version of MadelineProto to login.","URL_INVALID":"Invalid URL provided.","USAGE_LIMIT_INVALID":"The specified usage limit is invalid.","USER_ADMIN_INVALID":"You're not an admin.","USER_ALREADY_INVITED":"You have already invited this user.","USER_ALREADY_PARTICIPANT":"The user is already in the group.","USER_BANNED_IN_CHANNEL":"You're banned from sending messages in supergroups\/channels.","USER_BLOCKED":"User blocked.","USER_BOT":"Bots can only be admins in channels.","USER_BOT_INVALID":"User accounts must provide the `bot` method parameter when calling this method. If there is no such method parameter, this method can only be invoked by bot accounts.","USER_BOT_REQUIRED":"This method can only be called by a bot.","USER_CHANNELS_TOO_MUCH":"One of the users you tried to add is already in too many channels\/supergroups.","USER_CREATOR":"For channels.editAdmin: you've tried to edit the admin rights of the owner, but you're not the owner; for channels.leaveChannel: you can't leave this channel, because you're its creator.","USER_DEACTIVATED":"The current account was deleted by the user.","USER_DEACTIVATED_BAN":"The current account was deleted and banned by Telegram's antispam system.","USER_DELETED":"You can't send this secret message because the other participant deleted their account.","USER_GIFT_UNAVAILABLE":"Gifts are not available in the current region ([stars_gifts_enabled](https:\/\/core.telegram.org\/api\/config#stars-gifts-enabled) is equal to false).","USER_ID_INVALID":"The provided user ID is invalid.","USER_INVALID":"Invalid user provided.","USER_IS_BLOCKED":"You were blocked by this user.","USER_IS_BOT":"Bots can't send messages to other bots.","USER_KICKED":"This user was kicked from this supergroup\/channel.","USER_MIGRATE_%d":"Your account is associated to DC %d, please re-send the query to that DC.","USER_NOT_MUTUAL_CONTACT":"The provided user is not a mutual contact.","USER_NOT_PARTICIPANT":"You're not a member of this supergroup\/channel.","USER_PERMISSION_DENIED":"The user hasn't granted or has revoked the bot's access to change their emoji status using [bots.toggleUserEmojiStatusPermission](https:\/\/core.telegram.org\/method\/bots.toggleUserEmojiStatusPermission).","USER_PRIVACY_RESTRICTED":"The user's privacy settings do not allow you to do this.","USER_PUBLIC_MISSING":"Cannot generate a link to stories posted by a peer without a username.","USER_RESTRICTED":"You're spamreported, you can't create channels or chats.","USER_VOLUME_INVALID":"The specified user volume is invalid.","USERNAME_INVALID":"The provided username is not valid.","USERNAME_NOT_MODIFIED":"The username was not modified.","USERNAME_NOT_OCCUPIED":"The provided username is not occupied.","USERNAME_OCCUPIED":"The provided username is already occupied.","USERNAME_PURCHASE_AVAILABLE":"The specified username can be purchased on https:\/\/fragment.com.","USERNAMES_ACTIVE_TOO_MUCH":"The maximum number of active usernames was reached.","USERPIC_PRIVACY_REQUIRED":"You need to disable privacy settings for your profile picture in order to make your geolocation public.","USERPIC_UPLOAD_REQUIRED":"You must have a profile picture to publish your geolocation.","USERS_TOO_FEW":"Not enough users (to create a chat, for example).","USERS_TOO_MUCH":"The maximum number of users has been exceeded (to create a chat, for example).","VENUE_ID_INVALID":"The specified venue ID is invalid.","VIDEO_CONTENT_TYPE_INVALID":"The video's content type is invalid.","VIDEO_FILE_INVALID":"The specified video file is invalid.","VIDEO_PAUSE_FORBIDDEN":"You cannot pause the video stream.","VIDEO_STOP_FORBIDDEN":"You cannot stop the video stream.","VIDEO_TITLE_EMPTY":"The specified video title is empty.","VOICE_MESSAGES_FORBIDDEN":"This user's privacy settings forbid you from sending voice messages.","WALLPAPER_FILE_INVALID":"The specified wallpaper file is invalid.","WALLPAPER_INVALID":"The specified wallpaper is invalid.","WALLPAPER_MIME_INVALID":"The specified wallpaper MIME type is invalid.","WALLPAPER_NOT_FOUND":"The specified wallpaper could not be found.","WC_CONVERT_URL_INVALID":"WC convert URL invalid.","WEBDOCUMENT_INVALID":"Invalid webdocument URL provided.","WEBDOCUMENT_MIME_INVALID":"Invalid webdocument mime type provided.","WEBDOCUMENT_SIZE_TOO_BIG":"Webdocument is too big!","WEBDOCUMENT_URL_EMPTY":"The passed web document URL is empty.","WEBDOCUMENT_URL_INVALID":"The specified webdocument URL is invalid.","WEBPAGE_CURL_FAILED":"Failure while fetching the webpage with cURL.","WEBPAGE_MEDIA_EMPTY":"Webpage media empty.","WEBPAGE_NOT_FOUND":"A preview for the specified webpage `url` could not be generated.","WEBPAGE_URL_INVALID":"The specified webpage `url` is invalid.","WEBPUSH_AUTH_INVALID":"The specified web push authentication secret is invalid.","WEBPUSH_KEY_INVALID":"The specified web push elliptic curve Diffie-Hellman public key is invalid.","WEBPUSH_TOKEN_INVALID":"The specified web push token is invalid.","YOU_BLOCKED_USER":"You blocked this user.","YOUR_PRIVACY_RESTRICTED":"You cannot fetch the read date of this message because you have disallowed other users to do so for *your* messages; to fix, allow other users to see *your* exact last online date OR purchase a [Telegram Premium](https:\/\/core.telegram.org\/api\/premium) subscription."}} --------------------------------------------------------------------------------