diff --git a/client/client.go b/client/client.go index 33a96d5..ad67a7c 100644 --- a/client/client.go +++ b/client/client.go @@ -19,9 +19,9 @@ type Client struct { listenerStore *listenerStore catchersStore *sync.Map successMsgStore *sync.Map - forwardMsgStore *sync.Map updatesTimeout time.Duration catchTimeout time.Duration + DisablePatch bool } type Option func(*Client) @@ -44,6 +44,12 @@ func WithProxy(req *AddProxyRequest) Option { } } +func WithoutSendMessagePatch() Option { + return func(client *Client) { + client.DisablePatch = true + } +} + func SetLogLevel(level int32) { _, _ = SetLogVerbosityLevel(&SetLogVerbosityLevelRequest{ NewVerbosityLevel: level, @@ -75,21 +81,20 @@ func NewClient(authorizationStateHandler AuthorizationStateHandler, options ...O listenerStore: newListenerStore(), catchersStore: &sync.Map{}, successMsgStore: &sync.Map{}, - forwardMsgStore: &sync.Map{}, } client.extraGenerator = UuidV4Generator() client.catchTimeout = 60 * time.Second - for _, option := range options { - option(client) - } - tdlibInstance.addClient(client) go client.processPendingResponse() go client.receiver() + for _, option := range options { + go option(client) + } + err := Authorize(client, authorizationStateHandler) if err != nil { return nil, err @@ -111,15 +116,11 @@ func (client *Client) processResponse(response *Response) { return } - if typ.GetType() == (&UpdateMessageSendSucceeded{}).GetType() { + if !client.DisablePatch && typ.GetType() == (&UpdateMessageSendSucceeded{}).GetType() { sendVal, sOk := client.successMsgStore.Load(typ.(*UpdateMessageSendSucceeded).OldMessageId) if sOk { sendVal.(chan *Response) <- response } - forwardVal, fOk := client.forwardMsgStore.Load(typ.(*UpdateMessageSendSucceeded).OldMessageId) - if fOk { - forwardVal.(chan *Response) <- response - } } if len(client.listenerStore.Listeners()) == 0 { @@ -133,7 +134,18 @@ func (client *Client) processResponse(response *Response) { needGc := false for _, listener := range client.listenerStore.Listeners() { if listener.IsActive() && listener.Updates != nil && typ.GetType() == listener.Filter.GetType() { // All updates go to Updates channel if type == filter - listener.Updates <- typ + // Make some delay to UpdateMessageSendSucceeded listener + // This can make UpdateMessageSendSucceeded response later than sendMessage response. + // This may help a bot developer to map temporary message id to actual message id easily. + // Cause an event listener slower than sendMessage response, so you have enough time to do mapping stuff. + if typ.GetType() == (&UpdateMessageSendSucceeded{}).GetType() { + go func(listener *Listener, typ Type) { + time.Sleep(5 * time.Millisecond) + listener.Updates <- typ + }(listener, typ) + } else { + listener.Updates <- typ + } } else if listener.IsActive() && listener.RawUpdates != nil { // All updates go to RawUpdates channel if filter is empty listener.RawUpdates <- typ } else if !listener.IsActive() { // GC inactive listener @@ -143,6 +155,10 @@ func (client *Client) processResponse(response *Response) { if needGc { client.listenerStore.gc() } + + if typ.GetType() == TypeUpdateAuthorizationState && typ.(*UpdateAuthorizationState).AuthorizationState.AuthorizationStateType() == TypeAuthorizationStateClosed { + close(client.responses) + } } func (client *Client) receiver() { @@ -190,7 +206,7 @@ func (client *Client) Send(req Request) (*Response, error) { select { case response := <-catcher: - if response.Type != "error" && req.Type == "sendMessage" { + if !client.DisablePatch && response.Type != "error" && req.Type == "sendMessage" { m, err := UnmarshalMessage(response.Data) if err != nil { return nil, err @@ -211,7 +227,7 @@ func (client *Client) Send(req Request) (*Response, error) { if err2 != nil { return response, nil } - response.Data = bytes.Replace(response.Data, []byte("{\"@type\":\"messageSendingStatePending\"}"), []byte("{\"@type\":\"updateMessageSendSucceeded\"}"), 1) + response.Data = bytes.Replace(response.Data, []byte("\"@type\":\"messageSendingStatePending\""), []byte("\"@type\":\"updateMessageSendSucceeded\""), 1) response.Data = bytes.Replace(response.Data, []byte("\"id\":"+strconv.FormatInt(m.Id, 10)), []byte("\"id\":"+strconv.FormatInt(m2.Message.Id, 10)), 1) return response, nil case <-time.After(1 * time.Second): @@ -245,7 +261,3 @@ func (client *Client) AddEventReceiver(msgType Type, channelCapacity int) *Liste return listener } - -func (client *Client) Stop() { - client.Destroy() -} diff --git a/client/extra.go b/client/extra.go index 3b6cd7e..9b32fc9 100644 --- a/client/extra.go +++ b/client/extra.go @@ -1,67 +1,49 @@ package client import ( - "fmt" - "math/rand" "strings" + + "github.com/google/uuid" ) type ExtraGenerator func() string func UuidV4Generator() ExtraGenerator { return func() string { - var uuid [16]byte - rand.Read(uuid[:]) - - uuid[6] = (uuid[6] & 0x0f) | 0x40 - uuid[8] = (uuid[8] & 0x3f) | 0x80 - - return fmt.Sprintf("%08x-%04x-%04x-%04x-%012x", uuid[:4], uuid[4:6], uuid[6:8], uuid[8:10], uuid[10:]) + return uuid.NewString() } } -func IsCommmand(text string) bool { - if text != "" { - if text[0] == '/' { - return true - } +func IsCommand(text string) bool { + if i := strings.Index(text, "/"); i == 0 { + return true } return false } func CheckCommand(text string, entities []*TextEntity) string { - if IsCommmand(text) { - // Check text entities and make bot happy! - if len(entities) >= 1 { - // Get first command - if entities[0].Type.TextEntityTypeType() == "textEntityTypeBotCommand" { - // e.g.: { "text": "/hello@world_bot", "textEntity": { offset: 0, length: 16 } } - // Result: "/hello" - if i := strings.Index(text[:entities[0].Length], "@"); i != -1 { - return text[:i] - } - return text[:entities[0].Length] - } - } else { - // Since userbot does not have bot command entities in Private Chat, so make userbot happy too! - // e.g.: ["/hello@world_bot", "/hello@", "/hello@123"] - // Result: "/hello" - if i := strings.Index(text, "@"); i != -1 { - return text[:i] - } - // e.g. ["/hello 123", "/hell o 123"] - // Result: "/hello", "/hell" - if i := strings.Index(text, " "); i != -1 { - return text[:i] - } - return text + if IsCommand(text) { + cmd := text + + // e.g. ["/hello 123", "/hell o 123"] + // Result: "/hello", "/hell" + if i := strings.Index(cmd, " "); i != -1 { + cmd = cmd[:i] } + + // e.g.: ["/hello@world_bot", "/hello@", "/hello@123"] + // Result: "/hello" + if i := strings.Index(cmd, "@"); i != -1 { + cmd = cmd[:i] + } + + return cmd } return "" } func CommandArgument(text string) string { - if IsCommmand(text) { + if IsCommand(text) { // e.g. ["/hello 123", "/hell o 123"] // Result: "123", "o 123" if i := strings.Index(text, " "); i != -1 { diff --git a/client/function.go b/client/function.go index 1f79ee4..cbd2cde 100755 --- a/client/function.go +++ b/client/function.go @@ -3,17504 +3,28842 @@ package client import ( - "errors" + "errors" ) -// Returns the current authorization state; this is an offline request. For informational purposes only. Use updateAuthorizationState instead to maintain the current authorization state. Can be called before initialization +// Returns the current authorization state. This is an offline method. For informational purposes only. Use updateAuthorizationState instead to maintain the current authorization state. Can be called before initialization func (client *Client) GetAuthorizationState() (AuthorizationState, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getAuthorizationState", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getAuthorizationState", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - switch result.Type { - case TypeAuthorizationStateWaitTdlibParameters: - return UnmarshalAuthorizationStateWaitTdlibParameters(result.Data) + switch result.Type { + case TypeAuthorizationStateWaitTdlibParameters: + return UnmarshalAuthorizationStateWaitTdlibParameters(result.Data) - case TypeAuthorizationStateWaitPhoneNumber: - return UnmarshalAuthorizationStateWaitPhoneNumber(result.Data) + case TypeAuthorizationStateWaitPhoneNumber: + return UnmarshalAuthorizationStateWaitPhoneNumber(result.Data) - case TypeAuthorizationStateWaitEmailAddress: - return UnmarshalAuthorizationStateWaitEmailAddress(result.Data) + case TypeAuthorizationStateWaitPremiumPurchase: + return UnmarshalAuthorizationStateWaitPremiumPurchase(result.Data) - case TypeAuthorizationStateWaitEmailCode: - return UnmarshalAuthorizationStateWaitEmailCode(result.Data) + case TypeAuthorizationStateWaitEmailAddress: + return UnmarshalAuthorizationStateWaitEmailAddress(result.Data) - case TypeAuthorizationStateWaitCode: - return UnmarshalAuthorizationStateWaitCode(result.Data) + case TypeAuthorizationStateWaitEmailCode: + return UnmarshalAuthorizationStateWaitEmailCode(result.Data) - case TypeAuthorizationStateWaitOtherDeviceConfirmation: - return UnmarshalAuthorizationStateWaitOtherDeviceConfirmation(result.Data) + case TypeAuthorizationStateWaitCode: + return UnmarshalAuthorizationStateWaitCode(result.Data) - case TypeAuthorizationStateWaitRegistration: - return UnmarshalAuthorizationStateWaitRegistration(result.Data) + case TypeAuthorizationStateWaitOtherDeviceConfirmation: + return UnmarshalAuthorizationStateWaitOtherDeviceConfirmation(result.Data) - case TypeAuthorizationStateWaitPassword: - return UnmarshalAuthorizationStateWaitPassword(result.Data) + case TypeAuthorizationStateWaitRegistration: + return UnmarshalAuthorizationStateWaitRegistration(result.Data) - case TypeAuthorizationStateReady: - return UnmarshalAuthorizationStateReady(result.Data) + case TypeAuthorizationStateWaitPassword: + return UnmarshalAuthorizationStateWaitPassword(result.Data) - case TypeAuthorizationStateLoggingOut: - return UnmarshalAuthorizationStateLoggingOut(result.Data) + case TypeAuthorizationStateReady: + return UnmarshalAuthorizationStateReady(result.Data) - case TypeAuthorizationStateClosing: - return UnmarshalAuthorizationStateClosing(result.Data) + case TypeAuthorizationStateLoggingOut: + return UnmarshalAuthorizationStateLoggingOut(result.Data) - case TypeAuthorizationStateClosed: - return UnmarshalAuthorizationStateClosed(result.Data) + case TypeAuthorizationStateClosing: + return UnmarshalAuthorizationStateClosing(result.Data) - default: - return nil, errors.New("invalid type") - } + case TypeAuthorizationStateClosed: + return UnmarshalAuthorizationStateClosed(result.Data) + + default: + return nil, errors.New("invalid type") + } } -type SetTdlibParametersRequest struct { - // Pass true to use Telegram test environment instead of the production environment - UseTestDc bool `json:"use_test_dc"` - // The path to the directory for the persistent database; if empty, the current working directory will be used - DatabaseDirectory string `json:"database_directory"` - // The path to the directory for storing files; if empty, database_directory will be used - FilesDirectory string `json:"files_directory"` - // Encryption key for the database. If the encryption key is invalid, then an error with code 401 will be returned - DatabaseEncryptionKey []byte `json:"database_encryption_key"` - // Pass true to keep information about downloaded and uploaded files between application restarts - UseFileDatabase bool `json:"use_file_database"` - // Pass true to keep cache of users, basic groups, supergroups, channels and secret chats between restarts. Implies use_file_database - UseChatInfoDatabase bool `json:"use_chat_info_database"` - // Pass true to keep cache of chats and messages between restarts. Implies use_chat_info_database - UseMessageDatabase bool `json:"use_message_database"` - // Pass true to enable support for secret chats - UseSecretChats bool `json:"use_secret_chats"` - // Application identifier for Telegram API access, which can be obtained at https://my.telegram.org - ApiId int32 `json:"api_id"` - // Application identifier hash for Telegram API access, which can be obtained at https://my.telegram.org - ApiHash string `json:"api_hash"` - // IETF language tag of the user's operating system language; must be non-empty - SystemLanguageCode string `json:"system_language_code"` - // Model of the device the application is being run on; must be non-empty - DeviceModel string `json:"device_model"` - // Version of the operating system the application is being run on. If empty, the version is automatically detected by TDLib - SystemVersion string `json:"system_version"` - // Application version; must be non-empty - ApplicationVersion string `json:"application_version"` - // Pass true to automatically delete old files in background - EnableStorageOptimizer bool `json:"enable_storage_optimizer"` - // Pass true to ignore original file names for downloaded files. Otherwise, downloaded files are saved under names as close as possible to the original name - IgnoreFileNames bool `json:"ignore_file_names"` +type SetTdlibParametersRequest struct { + // Pass true to use Telegram test environment instead of the production environment + UseTestDc bool `json:"use_test_dc"` + // The path to the directory for the persistent database; if empty, the current working directory will be used + DatabaseDirectory string `json:"database_directory"` + // The path to the directory for storing files; if empty, database_directory will be used + FilesDirectory string `json:"files_directory"` + // Encryption key for the database. If the encryption key is invalid, then an error with code 401 will be returned + DatabaseEncryptionKey []byte `json:"database_encryption_key"` + // Pass true to keep information about downloaded and uploaded files between application restarts + UseFileDatabase bool `json:"use_file_database"` + // Pass true to keep cache of users, basic groups, supergroups, channels and secret chats between restarts. Implies use_file_database + UseChatInfoDatabase bool `json:"use_chat_info_database"` + // Pass true to keep cache of chats and messages between restarts. Implies use_chat_info_database + UseMessageDatabase bool `json:"use_message_database"` + // Pass true to enable support for secret chats + UseSecretChats bool `json:"use_secret_chats"` + // Application identifier for Telegram API access, which can be obtained at https://my.telegram.org + ApiId int32 `json:"api_id"` + // Application identifier hash for Telegram API access, which can be obtained at https://my.telegram.org + ApiHash string `json:"api_hash"` + // IETF language tag of the user's operating system language; must be non-empty + SystemLanguageCode string `json:"system_language_code"` + // Model of the device the application is being run on; must be non-empty + DeviceModel string `json:"device_model"` + // Version of the operating system the application is being run on. If empty, the version is automatically detected by TDLib + SystemVersion string `json:"system_version"` + // Application version; must be non-empty + ApplicationVersion string `json:"application_version"` } // Sets the parameters for TDLib initialization. Works only when the current authorization state is authorizationStateWaitTdlibParameters func (client *Client) SetTdlibParameters(req *SetTdlibParametersRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setTdlibParameters", - }, - Data: map[string]interface{}{ - "use_test_dc": req.UseTestDc, - "database_directory": req.DatabaseDirectory, - "files_directory": req.FilesDirectory, - "database_encryption_key": req.DatabaseEncryptionKey, - "use_file_database": req.UseFileDatabase, - "use_chat_info_database": req.UseChatInfoDatabase, - "use_message_database": req.UseMessageDatabase, - "use_secret_chats": req.UseSecretChats, - "api_id": req.ApiId, - "api_hash": req.ApiHash, - "system_language_code": req.SystemLanguageCode, - "device_model": req.DeviceModel, - "system_version": req.SystemVersion, - "application_version": req.ApplicationVersion, - "enable_storage_optimizer": req.EnableStorageOptimizer, - "ignore_file_names": req.IgnoreFileNames, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setTdlibParameters", + }, + Data: map[string]interface{}{ + "use_test_dc": req.UseTestDc, + "database_directory": req.DatabaseDirectory, + "files_directory": req.FilesDirectory, + "database_encryption_key": req.DatabaseEncryptionKey, + "use_file_database": req.UseFileDatabase, + "use_chat_info_database": req.UseChatInfoDatabase, + "use_message_database": req.UseMessageDatabase, + "use_secret_chats": req.UseSecretChats, + "api_id": req.ApiId, + "api_hash": req.ApiHash, + "system_language_code": req.SystemLanguageCode, + "device_model": req.DeviceModel, + "system_version": req.SystemVersion, + "application_version": req.ApplicationVersion, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SetAuthenticationPhoneNumberRequest struct { - // The phone number of the user, in international format - PhoneNumber string `json:"phone_number"` - // Settings for the authentication of the user's phone number; pass null to use default settings - Settings *PhoneNumberAuthenticationSettings `json:"settings"` +type SetAuthenticationPhoneNumberRequest struct { + // The phone number of the user, in international format + PhoneNumber string `json:"phone_number"` + // Settings for the authentication of the user's phone number; pass null to use default settings + Settings *PhoneNumberAuthenticationSettings `json:"settings"` } -// Sets the phone number of the user and sends an authentication code to the user. Works only when the current authorization state is authorizationStateWaitPhoneNumber, or if there is no pending authentication query and the current authorization state is authorizationStateWaitEmailAddress, authorizationStateWaitEmailCode, authorizationStateWaitCode, authorizationStateWaitRegistration, or authorizationStateWaitPassword +// Sets the phone number of the user and sends an authentication code to the user. Works only when the current authorization state is authorizationStateWaitPhoneNumber, or if there is no pending authentication query and the current authorization state is authorizationStateWaitPremiumPurchase, authorizationStateWaitEmailAddress, authorizationStateWaitEmailCode, authorizationStateWaitCode, authorizationStateWaitRegistration, or authorizationStateWaitPassword func (client *Client) SetAuthenticationPhoneNumber(req *SetAuthenticationPhoneNumberRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setAuthenticationPhoneNumber", - }, - Data: map[string]interface{}{ - "phone_number": req.PhoneNumber, - "settings": req.Settings, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setAuthenticationPhoneNumber", + }, + Data: map[string]interface{}{ + "phone_number": req.PhoneNumber, + "settings": req.Settings, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SetAuthenticationEmailAddressRequest struct { - // The email address of the user - EmailAddress string `json:"email_address"` +type CheckAuthenticationPremiumPurchaseRequest struct { + // ISO 4217 currency code of the payment currency + Currency string `json:"currency"` + // Paid amount, in the smallest units of the currency + Amount int64 `json:"amount"` +} + +// Checks whether an in-store purchase of Telegram Premium is possible before authorization. Works only when the current authorization state is authorizationStateWaitPremiumPurchase +func (client *Client) CheckAuthenticationPremiumPurchase(req *CheckAuthenticationPremiumPurchaseRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "checkAuthenticationPremiumPurchase", + }, + Data: map[string]interface{}{ + "currency": req.Currency, + "amount": req.Amount, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SetAuthenticationPremiumPurchaseTransactionRequest struct { + // Information about the transaction + Transaction StoreTransaction `json:"transaction"` + // Pass true if this is a restore of a Telegram Premium purchase; only for App Store + IsRestore bool `json:"is_restore"` + // ISO 4217 currency code of the payment currency + Currency string `json:"currency"` + // Paid amount, in the smallest units of the currency + Amount int64 `json:"amount"` +} + +// Informs server about an in-store purchase of Telegram Premium before authorization. Works only when the current authorization state is authorizationStateWaitPremiumPurchase +func (client *Client) SetAuthenticationPremiumPurchaseTransaction(req *SetAuthenticationPremiumPurchaseTransactionRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setAuthenticationPremiumPurchaseTransaction", + }, + Data: map[string]interface{}{ + "transaction": req.Transaction, + "is_restore": req.IsRestore, + "currency": req.Currency, + "amount": req.Amount, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SetAuthenticationEmailAddressRequest struct { + // The email address of the user + EmailAddress string `json:"email_address"` } // Sets the email address of the user and sends an authentication code to the email address. Works only when the current authorization state is authorizationStateWaitEmailAddress func (client *Client) SetAuthenticationEmailAddress(req *SetAuthenticationEmailAddressRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setAuthenticationEmailAddress", - }, - Data: map[string]interface{}{ - "email_address": req.EmailAddress, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setAuthenticationEmailAddress", + }, + Data: map[string]interface{}{ + "email_address": req.EmailAddress, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) +} + +type ResendAuthenticationCodeRequest struct { + // Reason of code resending; pass null if unknown + Reason ResendCodeReason `json:"reason"` } // Resends an authentication code to the user. Works only when the current authorization state is authorizationStateWaitCode, the next_code_type of the result is not null and the server-specified timeout has passed, or when the current authorization state is authorizationStateWaitEmailCode -func (client *Client) ResendAuthenticationCode() (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "resendAuthenticationCode", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } +func (client *Client) ResendAuthenticationCode(req *ResendAuthenticationCodeRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "resendAuthenticationCode", + }, + Data: map[string]interface{}{ + "reason": req.Reason, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type CheckAuthenticationEmailCodeRequest struct { - // Email address authentication to check - Code EmailAddressAuthentication `json:"code"` +type CheckAuthenticationEmailCodeRequest struct { + // Email address authentication to check + Code EmailAddressAuthentication `json:"code"` } -// Checks the authentication of a email address. Works only when the current authorization state is authorizationStateWaitEmailCode +// Checks the authentication of an email address. Works only when the current authorization state is authorizationStateWaitEmailCode func (client *Client) CheckAuthenticationEmailCode(req *CheckAuthenticationEmailCodeRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "checkAuthenticationEmailCode", - }, - Data: map[string]interface{}{ - "code": req.Code, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "checkAuthenticationEmailCode", + }, + Data: map[string]interface{}{ + "code": req.Code, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type CheckAuthenticationCodeRequest struct { - // Authentication code to check - Code string `json:"code"` +type CheckAuthenticationCodeRequest struct { + // Authentication code to check + Code string `json:"code"` } // Checks the authentication code. Works only when the current authorization state is authorizationStateWaitCode func (client *Client) CheckAuthenticationCode(req *CheckAuthenticationCodeRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "checkAuthenticationCode", - }, - Data: map[string]interface{}{ - "code": req.Code, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "checkAuthenticationCode", + }, + Data: map[string]interface{}{ + "code": req.Code, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type RequestQrCodeAuthenticationRequest struct { - // List of user identifiers of other users currently using the application - OtherUserIds []int64 `json:"other_user_ids"` +type RequestQrCodeAuthenticationRequest struct { + // List of user identifiers of other users currently using the application + OtherUserIds []int64 `json:"other_user_ids"` } -// Requests QR code authentication by scanning a QR code on another logged in device. Works only when the current authorization state is authorizationStateWaitPhoneNumber, or if there is no pending authentication query and the current authorization state is authorizationStateWaitEmailAddress, authorizationStateWaitEmailCode, authorizationStateWaitCode, authorizationStateWaitRegistration, or authorizationStateWaitPassword +// Requests QR code authentication by scanning a QR code on another logged in device. Works only when the current authorization state is authorizationStateWaitPhoneNumber, or if there is no pending authentication query and the current authorization state is authorizationStateWaitPremiumPurchase, authorizationStateWaitEmailAddress, authorizationStateWaitEmailCode, authorizationStateWaitCode, authorizationStateWaitRegistration, or authorizationStateWaitPassword func (client *Client) RequestQrCodeAuthentication(req *RequestQrCodeAuthenticationRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "requestQrCodeAuthentication", - }, - Data: map[string]interface{}{ - "other_user_ids": req.OtherUserIds, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "requestQrCodeAuthentication", + }, + Data: map[string]interface{}{ + "other_user_ids": req.OtherUserIds, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type RegisterUserRequest struct { - // The first name of the user; 1-64 characters - FirstName string `json:"first_name"` - // The last name of the user; 0-64 characters - LastName string `json:"last_name"` +// Returns parameters for authentication using a passkey as JSON-serialized string +func (client *Client) GetAuthenticationPasskeyParameters() (*Text, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getAuthenticationPasskeyParameters", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalText(result.Data) +} + +type CheckAuthenticationPasskeyRequest struct { + // Base64url-encoded identifier of the credential + CredentialId string `json:"credential_id"` + // JSON-encoded client data + ClientData string `json:"client_data"` + // Authenticator data of the application that created the credential + AuthenticatorData []byte `json:"authenticator_data"` + // Cryptographic signature of the credential + Signature []byte `json:"signature"` + // User handle of the passkey + UserHandle []byte `json:"user_handle"` +} + +// Checks a passkey to log in to the corresponding account. Call getAuthenticationPasskeyParameters to get parameters for the passkey. Works only when the current authorization state is authorizationStateWaitPhoneNumber or authorizationStateWaitOtherDeviceConfirmation, or if there is no pending authentication query and the current authorization state is authorizationStateWaitPremiumPurchase, authorizationStateWaitEmailAddress, authorizationStateWaitEmailCode, authorizationStateWaitCode, authorizationStateWaitRegistration, or authorizationStateWaitPassword +func (client *Client) CheckAuthenticationPasskey(req *CheckAuthenticationPasskeyRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "checkAuthenticationPasskey", + }, + Data: map[string]interface{}{ + "credential_id": req.CredentialId, + "client_data": req.ClientData, + "authenticator_data": req.AuthenticatorData, + "signature": req.Signature, + "user_handle": req.UserHandle, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type RegisterUserRequest struct { + // The first name of the user; 1-64 characters + FirstName string `json:"first_name"` + // The last name of the user; 0-64 characters + LastName string `json:"last_name"` + // Pass true to disable notification about the current user joining Telegram for other users that added them to contact list + DisableNotification bool `json:"disable_notification"` } // Finishes user registration. Works only when the current authorization state is authorizationStateWaitRegistration func (client *Client) RegisterUser(req *RegisterUserRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "registerUser", - }, - Data: map[string]interface{}{ - "first_name": req.FirstName, - "last_name": req.LastName, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "registerUser", + }, + Data: map[string]interface{}{ + "first_name": req.FirstName, + "last_name": req.LastName, + "disable_notification": req.DisableNotification, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type CheckAuthenticationPasswordRequest struct { - // The 2-step verification password to check - Password string `json:"password"` +// Resets the login email address. May return an error with a message "TASK_ALREADY_EXISTS" if reset is still pending. Works only when the current authorization state is authorizationStateWaitEmailCode and authorization_state.can_reset_email_address == true +func (client *Client) ResetAuthenticationEmailAddress() (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "resetAuthenticationEmailAddress", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type CheckAuthenticationPasswordRequest struct { + // The 2-step verification password to check + Password string `json:"password"` } // Checks the 2-step verification password for correctness. Works only when the current authorization state is authorizationStateWaitPassword func (client *Client) CheckAuthenticationPassword(req *CheckAuthenticationPasswordRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "checkAuthenticationPassword", - }, - Data: map[string]interface{}{ - "password": req.Password, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "checkAuthenticationPassword", + }, + Data: map[string]interface{}{ + "password": req.Password, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } // Requests to send a 2-step verification password recovery code to an email address that was previously set up. Works only when the current authorization state is authorizationStateWaitPassword func (client *Client) RequestAuthenticationPasswordRecovery() (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "requestAuthenticationPasswordRecovery", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "requestAuthenticationPasswordRecovery", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type CheckAuthenticationPasswordRecoveryCodeRequest struct { - // Recovery code to check - RecoveryCode string `json:"recovery_code"` +type CheckAuthenticationPasswordRecoveryCodeRequest struct { + // Recovery code to check + RecoveryCode string `json:"recovery_code"` } // Checks whether a 2-step verification password recovery code sent to an email address is valid. Works only when the current authorization state is authorizationStateWaitPassword func (client *Client) CheckAuthenticationPasswordRecoveryCode(req *CheckAuthenticationPasswordRecoveryCodeRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "checkAuthenticationPasswordRecoveryCode", - }, - Data: map[string]interface{}{ - "recovery_code": req.RecoveryCode, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "checkAuthenticationPasswordRecoveryCode", + }, + Data: map[string]interface{}{ + "recovery_code": req.RecoveryCode, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type RecoverAuthenticationPasswordRequest struct { - // Recovery code to check - RecoveryCode string `json:"recovery_code"` - // New 2-step verification password of the user; may be empty to remove the password - NewPassword string `json:"new_password"` - // New password hint; may be empty - NewHint string `json:"new_hint"` +type RecoverAuthenticationPasswordRequest struct { + // Recovery code to check + RecoveryCode string `json:"recovery_code"` + // New 2-step verification password of the user; may be empty to remove the password + NewPassword string `json:"new_password"` + // New password hint; may be empty + NewHint string `json:"new_hint"` } // Recovers the 2-step verification password with a password recovery code sent to an email address that was previously set up. Works only when the current authorization state is authorizationStateWaitPassword func (client *Client) RecoverAuthenticationPassword(req *RecoverAuthenticationPasswordRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "recoverAuthenticationPassword", - }, - Data: map[string]interface{}{ - "recovery_code": req.RecoveryCode, - "new_password": req.NewPassword, - "new_hint": req.NewHint, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "recoverAuthenticationPassword", + }, + Data: map[string]interface{}{ + "recovery_code": req.RecoveryCode, + "new_password": req.NewPassword, + "new_hint": req.NewHint, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SendAuthenticationFirebaseSmsRequest struct { - // SafetyNet Attestation API token for the Android application, or secret from push notification for the iOS application - Token string `json:"token"` +type SendAuthenticationFirebaseSmsRequest struct { + // Play Integrity API or SafetyNet Attestation API token for the Android application, or secret from push notification for the iOS application + Token string `json:"token"` } // Sends Firebase Authentication SMS to the phone number of the user. Works only when the current authorization state is authorizationStateWaitCode and the server returned code of the type authenticationCodeTypeFirebaseAndroid or authenticationCodeTypeFirebaseIos func (client *Client) SendAuthenticationFirebaseSms(req *SendAuthenticationFirebaseSmsRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "sendAuthenticationFirebaseSms", - }, - Data: map[string]interface{}{ - "token": req.Token, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "sendAuthenticationFirebaseSms", + }, + Data: map[string]interface{}{ + "token": req.Token, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type CheckAuthenticationBotTokenRequest struct { - // The bot token - Token string `json:"token"` +type ReportAuthenticationCodeMissingRequest struct { + // Current mobile network code + MobileNetworkCode string `json:"mobile_network_code"` +} + +// Reports that authentication code wasn't delivered via SMS; for official mobile applications only. Works only when the current authorization state is authorizationStateWaitCode +func (client *Client) ReportAuthenticationCodeMissing(req *ReportAuthenticationCodeMissingRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "reportAuthenticationCodeMissing", + }, + Data: map[string]interface{}{ + "mobile_network_code": req.MobileNetworkCode, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type CheckAuthenticationBotTokenRequest struct { + // The bot token + Token string `json:"token"` } // Checks the authentication token of a bot; to log in as a bot. Works only when the current authorization state is authorizationStateWaitPhoneNumber. Can be used instead of setAuthenticationPhoneNumber and checkAuthenticationCode to log in func (client *Client) CheckAuthenticationBotToken(req *CheckAuthenticationBotTokenRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "checkAuthenticationBotToken", - }, - Data: map[string]interface{}{ - "token": req.Token, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "checkAuthenticationBotToken", + }, + Data: map[string]interface{}{ + "token": req.Token, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } // Closes the TDLib instance after a proper logout. Requires an available network connection. All local data will be destroyed. After the logout completes, updateAuthorizationState with authorizationStateClosed will be sent func (client *Client) LogOut() (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "logOut", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "logOut", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } // Closes the TDLib instance. All databases will be flushed to disk and properly closed. After the close completes, updateAuthorizationState with authorizationStateClosed will be sent. Can be called before initialization func (client *Client) Close() (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "close", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "close", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } // Closes the TDLib instance, destroying all local data without a proper logout. The current user session will remain in the list of all active sessions. All local data will be destroyed. After the destruction completes updateAuthorizationState with authorizationStateClosed will be sent. Can be called before authorization func (client *Client) Destroy() (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "destroy", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "destroy", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type ConfirmQrCodeAuthenticationRequest struct { - // A link from a QR code. The link must be scanned by the in-app camera - Link string `json:"link"` +type ConfirmQrCodeAuthenticationRequest struct { + // A link from a QR code. The link must be scanned by the in-app camera + Link string `json:"link"` } // Confirms QR code authentication on another device. Returns created session on success func (client *Client) ConfirmQrCodeAuthentication(req *ConfirmQrCodeAuthenticationRequest) (*Session, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "confirmQrCodeAuthentication", - }, - Data: map[string]interface{}{ - "link": req.Link, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "confirmQrCodeAuthentication", + }, + Data: map[string]interface{}{ + "link": req.Link, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalSession(result.Data) + return UnmarshalSession(result.Data) } // Returns all updates needed to restore current TDLib state, i.e. all actual updateAuthorizationState/updateUser/updateNewChat and others. This is especially useful if TDLib is run in a separate process. Can be called before initialization func (client *Client) GetCurrentState() (*Updates, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getCurrentState", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getCurrentState", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalUpdates(result.Data) + return UnmarshalUpdates(result.Data) } -type SetDatabaseEncryptionKeyRequest struct { - // New encryption key - NewEncryptionKey []byte `json:"new_encryption_key"` +type SetDatabaseEncryptionKeyRequest struct { + // New encryption key + NewEncryptionKey []byte `json:"new_encryption_key"` } // Changes the database encryption key. Usually the encryption key is never changed and is stored in some OS keychain func (client *Client) SetDatabaseEncryptionKey(req *SetDatabaseEncryptionKeyRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setDatabaseEncryptionKey", - }, - Data: map[string]interface{}{ - "new_encryption_key": req.NewEncryptionKey, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setDatabaseEncryptionKey", + }, + Data: map[string]interface{}{ + "new_encryption_key": req.NewEncryptionKey, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } // Returns the current state of 2-step verification func (client *Client) GetPasswordState() (*PasswordState, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getPasswordState", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getPasswordState", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalPasswordState(result.Data) + return UnmarshalPasswordState(result.Data) } -type SetPasswordRequest struct { - // Previous 2-step verification password of the user - OldPassword string `json:"old_password"` - // New 2-step verification password of the user; may be empty to remove the password - NewPassword string `json:"new_password"` - // New password hint; may be empty - NewHint string `json:"new_hint"` - // Pass true to change also the recovery email address - SetRecoveryEmailAddress bool `json:"set_recovery_email_address"` - // New recovery email address; may be empty - NewRecoveryEmailAddress string `json:"new_recovery_email_address"` +type SetPasswordRequest struct { + // Previous 2-step verification password of the user + OldPassword string `json:"old_password"` + // New 2-step verification password of the user; may be empty to remove the password + NewPassword string `json:"new_password"` + // New password hint; may be empty + NewHint string `json:"new_hint"` + // Pass true to change also the recovery email address + SetRecoveryEmailAddress bool `json:"set_recovery_email_address"` + // New recovery email address; may be empty + NewRecoveryEmailAddress string `json:"new_recovery_email_address"` } // Changes the 2-step verification password for the current user. If a new recovery email address is specified, then the change will not be applied until the new recovery email address is confirmed func (client *Client) SetPassword(req *SetPasswordRequest) (*PasswordState, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setPassword", - }, - Data: map[string]interface{}{ - "old_password": req.OldPassword, - "new_password": req.NewPassword, - "new_hint": req.NewHint, - "set_recovery_email_address": req.SetRecoveryEmailAddress, - "new_recovery_email_address": req.NewRecoveryEmailAddress, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setPassword", + }, + Data: map[string]interface{}{ + "old_password": req.OldPassword, + "new_password": req.NewPassword, + "new_hint": req.NewHint, + "set_recovery_email_address": req.SetRecoveryEmailAddress, + "new_recovery_email_address": req.NewRecoveryEmailAddress, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalPasswordState(result.Data) + return UnmarshalPasswordState(result.Data) } -type SetLoginEmailAddressRequest struct { - // New login email address - NewLoginEmailAddress string `json:"new_login_email_address"` +// Checks whether the current user is required to set login email address +func (client *Client) IsLoginEmailAddressRequired() (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "isLoginEmailAddressRequired", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) } -// Changes the login email address of the user. The change will not be applied until the new login email address is confirmed with checkLoginEmailAddressCode. To use Apple ID/Google ID instead of a email address, call checkLoginEmailAddressCode directly +type SetLoginEmailAddressRequest struct { + // New login email address + NewLoginEmailAddress string `json:"new_login_email_address"` +} + +// Changes the login email address of the user. The email address can be changed only if the current user already has login email and passwordState.login_email_address_pattern is non-empty, or the user received suggestedActionSetLoginEmailAddress and isLoginEmailAddressRequired succeeds. The change will not be applied until the new login email address is confirmed with checkLoginEmailAddressCode. To use Apple ID/Google ID instead of an email address, call checkLoginEmailAddressCode directly func (client *Client) SetLoginEmailAddress(req *SetLoginEmailAddressRequest) (*EmailAddressAuthenticationCodeInfo, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setLoginEmailAddress", - }, - Data: map[string]interface{}{ - "new_login_email_address": req.NewLoginEmailAddress, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setLoginEmailAddress", + }, + Data: map[string]interface{}{ + "new_login_email_address": req.NewLoginEmailAddress, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalEmailAddressAuthenticationCodeInfo(result.Data) + return UnmarshalEmailAddressAuthenticationCodeInfo(result.Data) } // Resends the login email address verification code func (client *Client) ResendLoginEmailAddressCode() (*EmailAddressAuthenticationCodeInfo, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "resendLoginEmailAddressCode", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "resendLoginEmailAddressCode", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalEmailAddressAuthenticationCodeInfo(result.Data) + return UnmarshalEmailAddressAuthenticationCodeInfo(result.Data) } -type CheckLoginEmailAddressCodeRequest struct { - // Email address authentication to check - Code EmailAddressAuthentication `json:"code"` +type CheckLoginEmailAddressCodeRequest struct { + // Email address authentication to check + Code EmailAddressAuthentication `json:"code"` } // Checks the login email address authentication func (client *Client) CheckLoginEmailAddressCode(req *CheckLoginEmailAddressCodeRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "checkLoginEmailAddressCode", - }, - Data: map[string]interface{}{ - "code": req.Code, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "checkLoginEmailAddressCode", + }, + Data: map[string]interface{}{ + "code": req.Code, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type GetRecoveryEmailAddressRequest struct { - // The 2-step verification password for the current user - Password string `json:"password"` +type GetRecoveryEmailAddressRequest struct { + // The 2-step verification password for the current user + Password string `json:"password"` } // Returns a 2-step verification recovery email address that was previously set up. This method can be used to verify a password provided by the user func (client *Client) GetRecoveryEmailAddress(req *GetRecoveryEmailAddressRequest) (*RecoveryEmailAddress, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getRecoveryEmailAddress", - }, - Data: map[string]interface{}{ - "password": req.Password, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getRecoveryEmailAddress", + }, + Data: map[string]interface{}{ + "password": req.Password, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalRecoveryEmailAddress(result.Data) + return UnmarshalRecoveryEmailAddress(result.Data) } -type SetRecoveryEmailAddressRequest struct { - // The 2-step verification password of the current user - Password string `json:"password"` - // New recovery email address - NewRecoveryEmailAddress string `json:"new_recovery_email_address"` +type SetRecoveryEmailAddressRequest struct { + // The 2-step verification password of the current user + Password string `json:"password"` + // New recovery email address + NewRecoveryEmailAddress string `json:"new_recovery_email_address"` } // Changes the 2-step verification recovery email address of the user. If a new recovery email address is specified, then the change will not be applied until the new recovery email address is confirmed. If new_recovery_email_address is the same as the email address that is currently set up, this call succeeds immediately and aborts all other requests waiting for an email confirmation func (client *Client) SetRecoveryEmailAddress(req *SetRecoveryEmailAddressRequest) (*PasswordState, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setRecoveryEmailAddress", - }, - Data: map[string]interface{}{ - "password": req.Password, - "new_recovery_email_address": req.NewRecoveryEmailAddress, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setRecoveryEmailAddress", + }, + Data: map[string]interface{}{ + "password": req.Password, + "new_recovery_email_address": req.NewRecoveryEmailAddress, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalPasswordState(result.Data) + return UnmarshalPasswordState(result.Data) } -type CheckRecoveryEmailAddressCodeRequest struct { - // Verification code to check - Code string `json:"code"` +type CheckRecoveryEmailAddressCodeRequest struct { + // Verification code to check + Code string `json:"code"` } // Checks the 2-step verification recovery email address verification code func (client *Client) CheckRecoveryEmailAddressCode(req *CheckRecoveryEmailAddressCodeRequest) (*PasswordState, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "checkRecoveryEmailAddressCode", - }, - Data: map[string]interface{}{ - "code": req.Code, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "checkRecoveryEmailAddressCode", + }, + Data: map[string]interface{}{ + "code": req.Code, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalPasswordState(result.Data) + return UnmarshalPasswordState(result.Data) } // Resends the 2-step verification recovery email address verification code func (client *Client) ResendRecoveryEmailAddressCode() (*PasswordState, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "resendRecoveryEmailAddressCode", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "resendRecoveryEmailAddressCode", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalPasswordState(result.Data) + return UnmarshalPasswordState(result.Data) +} + +// Cancels verification of the 2-step verification recovery email address +func (client *Client) CancelRecoveryEmailAddressVerification() (*PasswordState, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "cancelRecoveryEmailAddressVerification", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalPasswordState(result.Data) } // Requests to send a 2-step verification password recovery code to an email address that was previously set up func (client *Client) RequestPasswordRecovery() (*EmailAddressAuthenticationCodeInfo, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "requestPasswordRecovery", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "requestPasswordRecovery", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalEmailAddressAuthenticationCodeInfo(result.Data) + return UnmarshalEmailAddressAuthenticationCodeInfo(result.Data) } -type CheckPasswordRecoveryCodeRequest struct { - // Recovery code to check - RecoveryCode string `json:"recovery_code"` +type CheckPasswordRecoveryCodeRequest struct { + // Recovery code to check + RecoveryCode string `json:"recovery_code"` } // Checks whether a 2-step verification password recovery code sent to an email address is valid func (client *Client) CheckPasswordRecoveryCode(req *CheckPasswordRecoveryCodeRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "checkPasswordRecoveryCode", - }, - Data: map[string]interface{}{ - "recovery_code": req.RecoveryCode, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "checkPasswordRecoveryCode", + }, + Data: map[string]interface{}{ + "recovery_code": req.RecoveryCode, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type RecoverPasswordRequest struct { - // Recovery code to check - RecoveryCode string `json:"recovery_code"` - // New 2-step verification password of the user; may be empty to remove the password - NewPassword string `json:"new_password"` - // New password hint; may be empty - NewHint string `json:"new_hint"` +type RecoverPasswordRequest struct { + // Recovery code to check + RecoveryCode string `json:"recovery_code"` + // New 2-step verification password of the user; may be empty to remove the password + NewPassword string `json:"new_password"` + // New password hint; may be empty + NewHint string `json:"new_hint"` } // Recovers the 2-step verification password using a recovery code sent to an email address that was previously set up func (client *Client) RecoverPassword(req *RecoverPasswordRequest) (*PasswordState, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "recoverPassword", - }, - Data: map[string]interface{}{ - "recovery_code": req.RecoveryCode, - "new_password": req.NewPassword, - "new_hint": req.NewHint, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "recoverPassword", + }, + Data: map[string]interface{}{ + "recovery_code": req.RecoveryCode, + "new_password": req.NewPassword, + "new_hint": req.NewHint, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalPasswordState(result.Data) + return UnmarshalPasswordState(result.Data) } // Removes 2-step verification password without previous password and access to recovery email address. The password can't be reset immediately and the request needs to be repeated after the specified time func (client *Client) ResetPassword() (ResetPasswordResult, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "resetPassword", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "resetPassword", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - switch result.Type { - case TypeResetPasswordResultOk: - return UnmarshalResetPasswordResultOk(result.Data) + switch result.Type { + case TypeResetPasswordResultOk: + return UnmarshalResetPasswordResultOk(result.Data) - case TypeResetPasswordResultPending: - return UnmarshalResetPasswordResultPending(result.Data) + case TypeResetPasswordResultPending: + return UnmarshalResetPasswordResultPending(result.Data) - case TypeResetPasswordResultDeclined: - return UnmarshalResetPasswordResultDeclined(result.Data) + case TypeResetPasswordResultDeclined: + return UnmarshalResetPasswordResultDeclined(result.Data) - default: - return nil, errors.New("invalid type") - } + default: + return nil, errors.New("invalid type") + } } // Cancels reset of 2-step verification password. The method can be called if passwordState.pending_reset_date > 0 func (client *Client) CancelPasswordReset() (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "cancelPasswordReset", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "cancelPasswordReset", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type CreateTemporaryPasswordRequest struct { - // The 2-step verification password of the current user - Password string `json:"password"` - // Time during which the temporary password will be valid, in seconds; must be between 60 and 86400 - ValidFor int32 `json:"valid_for"` +type CreateTemporaryPasswordRequest struct { + // The 2-step verification password of the current user + Password string `json:"password"` + // Time during which the temporary password will be valid, in seconds; must be between 60 and 86400 + ValidFor int32 `json:"valid_for"` } // Creates a new temporary password for processing payments func (client *Client) CreateTemporaryPassword(req *CreateTemporaryPasswordRequest) (*TemporaryPasswordState, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "createTemporaryPassword", - }, - Data: map[string]interface{}{ - "password": req.Password, - "valid_for": req.ValidFor, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "createTemporaryPassword", + }, + Data: map[string]interface{}{ + "password": req.Password, + "valid_for": req.ValidFor, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalTemporaryPasswordState(result.Data) + return UnmarshalTemporaryPasswordState(result.Data) } // Returns information about the current temporary password func (client *Client) GetTemporaryPasswordState() (*TemporaryPasswordState, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getTemporaryPasswordState", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getTemporaryPasswordState", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalTemporaryPasswordState(result.Data) + return UnmarshalTemporaryPasswordState(result.Data) } // Returns the current user func (client *Client) GetMe() (*User, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getMe", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getMe", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalUser(result.Data) + return UnmarshalUser(result.Data) } -type GetUserRequest struct { - // User identifier - UserId int64 `json:"user_id"` +type GetUserRequest struct { + // User identifier + UserId int64 `json:"user_id"` } -// Returns information about a user by their identifier. This is an offline request if the current user is not a bot +// Returns information about a user by their identifier. This is an offline method if the current user is not a bot func (client *Client) GetUser(req *GetUserRequest) (*User, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getUser", - }, - Data: map[string]interface{}{ - "user_id": req.UserId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getUser", + }, + Data: map[string]interface{}{ + "user_id": req.UserId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalUser(result.Data) + return UnmarshalUser(result.Data) } -type GetUserFullInfoRequest struct { - // User identifier - UserId int64 `json:"user_id"` +type GetUserFullInfoRequest struct { + // User identifier + UserId int64 `json:"user_id"` } // Returns full information about a user by their identifier func (client *Client) GetUserFullInfo(req *GetUserFullInfoRequest) (*UserFullInfo, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getUserFullInfo", - }, - Data: map[string]interface{}{ - "user_id": req.UserId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getUserFullInfo", + }, + Data: map[string]interface{}{ + "user_id": req.UserId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalUserFullInfo(result.Data) + return UnmarshalUserFullInfo(result.Data) } -type GetBasicGroupRequest struct { - // Basic group identifier - BasicGroupId int64 `json:"basic_group_id"` +type GetBasicGroupRequest struct { + // Basic group identifier + BasicGroupId int64 `json:"basic_group_id"` } -// Returns information about a basic group by its identifier. This is an offline request if the current user is not a bot +// Returns information about a basic group by its identifier. This is an offline method if the current user is not a bot func (client *Client) GetBasicGroup(req *GetBasicGroupRequest) (*BasicGroup, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getBasicGroup", - }, - Data: map[string]interface{}{ - "basic_group_id": req.BasicGroupId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getBasicGroup", + }, + Data: map[string]interface{}{ + "basic_group_id": req.BasicGroupId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalBasicGroup(result.Data) + return UnmarshalBasicGroup(result.Data) } -type GetBasicGroupFullInfoRequest struct { - // Basic group identifier - BasicGroupId int64 `json:"basic_group_id"` +type GetBasicGroupFullInfoRequest struct { + // Basic group identifier + BasicGroupId int64 `json:"basic_group_id"` } // Returns full information about a basic group by its identifier func (client *Client) GetBasicGroupFullInfo(req *GetBasicGroupFullInfoRequest) (*BasicGroupFullInfo, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getBasicGroupFullInfo", - }, - Data: map[string]interface{}{ - "basic_group_id": req.BasicGroupId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getBasicGroupFullInfo", + }, + Data: map[string]interface{}{ + "basic_group_id": req.BasicGroupId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalBasicGroupFullInfo(result.Data) + return UnmarshalBasicGroupFullInfo(result.Data) } -type GetSupergroupRequest struct { - // Supergroup or channel identifier - SupergroupId int64 `json:"supergroup_id"` +type GetSupergroupRequest struct { + // Supergroup or channel identifier + SupergroupId int64 `json:"supergroup_id"` } -// Returns information about a supergroup or a channel by its identifier. This is an offline request if the current user is not a bot +// Returns information about a supergroup or a channel by its identifier. This is an offline method if the current user is not a bot func (client *Client) GetSupergroup(req *GetSupergroupRequest) (*Supergroup, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getSupergroup", - }, - Data: map[string]interface{}{ - "supergroup_id": req.SupergroupId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getSupergroup", + }, + Data: map[string]interface{}{ + "supergroup_id": req.SupergroupId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalSupergroup(result.Data) + return UnmarshalSupergroup(result.Data) } -type GetSupergroupFullInfoRequest struct { - // Supergroup or channel identifier - SupergroupId int64 `json:"supergroup_id"` +type GetSupergroupFullInfoRequest struct { + // Supergroup or channel identifier + SupergroupId int64 `json:"supergroup_id"` } // Returns full information about a supergroup or a channel by its identifier, cached for up to 1 minute func (client *Client) GetSupergroupFullInfo(req *GetSupergroupFullInfoRequest) (*SupergroupFullInfo, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getSupergroupFullInfo", - }, - Data: map[string]interface{}{ - "supergroup_id": req.SupergroupId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getSupergroupFullInfo", + }, + Data: map[string]interface{}{ + "supergroup_id": req.SupergroupId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalSupergroupFullInfo(result.Data) + return UnmarshalSupergroupFullInfo(result.Data) } -type GetSecretChatRequest struct { - // Secret chat identifier - SecretChatId int32 `json:"secret_chat_id"` +type GetSecretChatRequest struct { + // Secret chat identifier + SecretChatId int32 `json:"secret_chat_id"` } -// Returns information about a secret chat by its identifier. This is an offline request +// Returns information about a secret chat by its identifier. This is an offline method func (client *Client) GetSecretChat(req *GetSecretChatRequest) (*SecretChat, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getSecretChat", - }, - Data: map[string]interface{}{ - "secret_chat_id": req.SecretChatId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getSecretChat", + }, + Data: map[string]interface{}{ + "secret_chat_id": req.SecretChatId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalSecretChat(result.Data) + return UnmarshalSecretChat(result.Data) } -type GetChatRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` +type GetChatRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` } -// Returns information about a chat by its identifier, this is an offline request if the current user is not a bot +// Returns information about a chat by its identifier. This is an offline method if the current user is not a bot func (client *Client) GetChat(req *GetChatRequest) (*Chat, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getChat", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getChat", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalChat(result.Data) + return UnmarshalChat(result.Data) } -type GetMessageRequest struct { - // Identifier of the chat the message belongs to - ChatId int64 `json:"chat_id"` - // Identifier of the message to get - MessageId int64 `json:"message_id"` +type GetMessageRequest struct { + // Identifier of the chat the message belongs to + ChatId int64 `json:"chat_id"` + // Identifier of the message to get + MessageId int64 `json:"message_id"` } -// Returns information about a message +// Returns information about a message. Returns a 404 error if the message doesn't exist func (client *Client) GetMessage(req *GetMessageRequest) (*Message, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getMessage", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_id": req.MessageId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getMessage", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalMessage(result.Data) + return UnmarshalMessage(result.Data) } -type GetMessageLocallyRequest struct { - // Identifier of the chat the message belongs to - ChatId int64 `json:"chat_id"` - // Identifier of the message to get - MessageId int64 `json:"message_id"` +type GetMessageLocallyRequest struct { + // Identifier of the chat the message belongs to + ChatId int64 `json:"chat_id"` + // Identifier of the message to get + MessageId int64 `json:"message_id"` } -// Returns information about a message, if it is available without sending network request. This is an offline request +// Returns information about a message, if it is available without sending network request. Returns a 404 error if message isn't available locally. This is an offline method func (client *Client) GetMessageLocally(req *GetMessageLocallyRequest) (*Message, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getMessageLocally", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_id": req.MessageId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getMessageLocally", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalMessage(result.Data) + return UnmarshalMessage(result.Data) } -type GetRepliedMessageRequest struct { - // Identifier of the chat the message belongs to - ChatId int64 `json:"chat_id"` - // Identifier of the reply message - MessageId int64 `json:"message_id"` +type GetRepliedMessageRequest struct { + // Identifier of the chat the message belongs to + ChatId int64 `json:"chat_id"` + // Identifier of the reply message + MessageId int64 `json:"message_id"` } -// Returns information about a message that is replied by a given message. Also, returns the pinned message, the game message, the invoice message, and the topic creation message for messages of the types messagePinMessage, messageGameScore, messagePaymentSuccessful, and topic messages without replied message respectively +// Returns information about a non-bundled message that is replied by a given message. Also, returns the pinned message for messagePinMessage, the game message for messageGameScore, the invoice message for messagePaymentSuccessful, the message with a previously set same background for messageChatSetBackground, the giveaway message for messageGiveawayCompleted, the checklist message for messageChecklistTasksDone, messageChecklistTasksAdded, the message with suggested post information for messageSuggestedPostApprovalFailed, messageSuggestedPostApproved, messageSuggestedPostDeclined, messageSuggestedPostPaid, messageSuggestedPostRefunded, the message with the regular gift that was upgraded for messageUpgradedGift with origin of the type upgradedGiftOriginUpgrade, the message with gift purchase offer for messageUpgradedGiftPurchaseOfferRejected, and the topic creation message for topic messages without non-bundled replied message. Returns a 404 error if the message doesn't exist func (client *Client) GetRepliedMessage(req *GetRepliedMessageRequest) (*Message, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getRepliedMessage", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_id": req.MessageId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getRepliedMessage", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalMessage(result.Data) + return UnmarshalMessage(result.Data) } -type GetChatPinnedMessageRequest struct { - // Identifier of the chat the message belongs to - ChatId int64 `json:"chat_id"` +type GetChatPinnedMessageRequest struct { + // Identifier of the chat the message belongs to + ChatId int64 `json:"chat_id"` } -// Returns information about a newest pinned message in the chat +// Returns information about a newest pinned message in the chat. Returns a 404 error if the message doesn't exist func (client *Client) GetChatPinnedMessage(req *GetChatPinnedMessageRequest) (*Message, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getChatPinnedMessage", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getChatPinnedMessage", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalMessage(result.Data) + return UnmarshalMessage(result.Data) } -type GetCallbackQueryMessageRequest struct { - // Identifier of the chat the message belongs to - ChatId int64 `json:"chat_id"` - // Message identifier - MessageId int64 `json:"message_id"` - // Identifier of the callback query - CallbackQueryId JsonInt64 `json:"callback_query_id"` +type GetCallbackQueryMessageRequest struct { + // Identifier of the chat the message belongs to + ChatId int64 `json:"chat_id"` + // Message identifier + MessageId int64 `json:"message_id"` + // Identifier of the callback query + CallbackQueryId JsonInt64 `json:"callback_query_id"` } // Returns information about a message with the callback button that originated a callback query; for bots only func (client *Client) GetCallbackQueryMessage(req *GetCallbackQueryMessageRequest) (*Message, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getCallbackQueryMessage", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_id": req.MessageId, - "callback_query_id": req.CallbackQueryId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getCallbackQueryMessage", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + "callback_query_id": req.CallbackQueryId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalMessage(result.Data) + return UnmarshalMessage(result.Data) } -type GetMessagesRequest struct { - // Identifier of the chat the messages belong to - ChatId int64 `json:"chat_id"` - // Identifiers of the messages to get - MessageIds []int64 `json:"message_ids"` +type GetMessagesRequest struct { + // Identifier of the chat the messages belong to + ChatId int64 `json:"chat_id"` + // Identifiers of the messages to get + MessageIds []int64 `json:"message_ids"` } // Returns information about messages. If a message is not found, returns null on the corresponding position of the result func (client *Client) GetMessages(req *GetMessagesRequest) (*Messages, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getMessages", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_ids": req.MessageIds, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getMessages", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_ids": req.MessageIds, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalMessages(result.Data) + return UnmarshalMessages(result.Data) } -type GetMessageThreadRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // Identifier of the message - MessageId int64 `json:"message_id"` +type GetMessagePropertiesRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Identifier of the message + MessageId int64 `json:"message_id"` } -// Returns information about a message thread. Can be used only if message.can_get_message_thread == true +// Returns properties of a message. This is an offline method +func (client *Client) GetMessageProperties(req *GetMessagePropertiesRequest) (*MessageProperties, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getMessageProperties", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalMessageProperties(result.Data) +} + +type GetMessageThreadRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Identifier of the message + MessageId int64 `json:"message_id"` +} + +// Returns information about a message thread. Can be used only if messageProperties.can_get_message_thread == true func (client *Client) GetMessageThread(req *GetMessageThreadRequest) (*MessageThreadInfo, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getMessageThread", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_id": req.MessageId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getMessageThread", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalMessageThreadInfo(result.Data) + return UnmarshalMessageThreadInfo(result.Data) } -type GetMessageViewersRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // Identifier of the message - MessageId int64 `json:"message_id"` +type GetMessageReadDateRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Identifier of the message + MessageId int64 `json:"message_id"` } -// Returns viewers of a recent outgoing message in a basic group or a supergroup chat. For video notes and voice notes only users, opened content of the message, are returned. The method can be called if message.can_get_viewers == true +// Returns read date of a recent outgoing message in a private chat. The method can be called if messageProperties.can_get_read_date == true +func (client *Client) GetMessageReadDate(req *GetMessageReadDateRequest) (MessageReadDate, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getMessageReadDate", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + switch result.Type { + case TypeMessageReadDateRead: + return UnmarshalMessageReadDateRead(result.Data) + + case TypeMessageReadDateUnread: + return UnmarshalMessageReadDateUnread(result.Data) + + case TypeMessageReadDateTooOld: + return UnmarshalMessageReadDateTooOld(result.Data) + + case TypeMessageReadDateUserPrivacyRestricted: + return UnmarshalMessageReadDateUserPrivacyRestricted(result.Data) + + case TypeMessageReadDateMyPrivacyRestricted: + return UnmarshalMessageReadDateMyPrivacyRestricted(result.Data) + + default: + return nil, errors.New("invalid type") + } +} + +type GetMessageViewersRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Identifier of the message + MessageId int64 `json:"message_id"` +} + +// Returns viewers of a recent outgoing message in a basic group or a supergroup chat. For video notes and voice notes only users, opened content of the message, are returned. The method can be called if messageProperties.can_get_viewers == true func (client *Client) GetMessageViewers(req *GetMessageViewersRequest) (*MessageViewers, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getMessageViewers", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_id": req.MessageId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getMessageViewers", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalMessageViewers(result.Data) + return UnmarshalMessageViewers(result.Data) } -type GetFileRequest struct { - // Identifier of the file to get - FileId int32 `json:"file_id"` +type GetMessageAuthorRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Identifier of the message + MessageId int64 `json:"message_id"` } -// Returns information about a file; this is an offline request +// Returns information about actual author of a message sent on behalf of a channel. The method can be called if messageProperties.can_get_author == true +func (client *Client) GetMessageAuthor(req *GetMessageAuthorRequest) (*User, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getMessageAuthor", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalUser(result.Data) +} + +type GetFileRequest struct { + // Identifier of the file to get + FileId int32 `json:"file_id"` +} + +// Returns information about a file. This is an offline method func (client *Client) GetFile(req *GetFileRequest) (*File, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getFile", - }, - Data: map[string]interface{}{ - "file_id": req.FileId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getFile", + }, + Data: map[string]interface{}{ + "file_id": req.FileId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalFile(result.Data) + return UnmarshalFile(result.Data) } -type GetRemoteFileRequest struct { - // Remote identifier of the file to get - RemoteFileId string `json:"remote_file_id"` - // File type; pass null if unknown - FileType FileType `json:"file_type"` +type GetRemoteFileRequest struct { + // Remote identifier of the file to get + RemoteFileId string `json:"remote_file_id"` + // File type; pass null if unknown + FileType FileType `json:"file_type"` } -// Returns information about a file by its remote ID; this is an offline request. Can be used to register a URL as a file for further uploading, or sending as a message. Even the request succeeds, the file can be used only if it is still accessible to the user. For example, if the file is from a message, then the message must be not deleted and accessible to the user. If the file database is disabled, then the corresponding object with the file must be preloaded by the application +// Returns information about a file by its remote identifier. This is an offline method. Can be used to register a URL as a file for further uploading, or sending as a message. Even the request succeeds, the file can be used only if it is still accessible to the user. For example, if the file is from a message, then the message must be not deleted and accessible to the user. If the file database is disabled, then the corresponding object with the file must be preloaded by the application func (client *Client) GetRemoteFile(req *GetRemoteFileRequest) (*File, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getRemoteFile", - }, - Data: map[string]interface{}{ - "remote_file_id": req.RemoteFileId, - "file_type": req.FileType, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getRemoteFile", + }, + Data: map[string]interface{}{ + "remote_file_id": req.RemoteFileId, + "file_type": req.FileType, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalFile(result.Data) + return UnmarshalFile(result.Data) } -type LoadChatsRequest struct { - // The chat list in which to load chats; pass null to load chats from the main chat list - ChatList ChatList `json:"chat_list"` - // The maximum number of chats to be loaded. For optimal performance, the number of loaded chats is chosen by TDLib and can be smaller than the specified limit, even if the end of the list is not reached - Limit int32 `json:"limit"` +type LoadChatsRequest struct { + // The chat list in which to load chats; pass null to load chats from the main chat list + ChatList ChatList `json:"chat_list"` + // The maximum number of chats to be loaded. For optimal performance, the number of loaded chats is chosen by TDLib and can be smaller than the specified limit, even if the end of the list is not reached + Limit int32 `json:"limit"` } // Loads more chats from a chat list. The loaded chats and their positions in the chat list will be sent through updates. Chats are sorted by the pair (chat.position.order, chat.id) in descending order. Returns a 404 error if all chats have been loaded func (client *Client) LoadChats(req *LoadChatsRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "loadChats", - }, - Data: map[string]interface{}{ - "chat_list": req.ChatList, - "limit": req.Limit, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "loadChats", + }, + Data: map[string]interface{}{ + "chat_list": req.ChatList, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type GetChatsRequest struct { - // The chat list in which to return chats; pass null to get chats from the main chat list - ChatList ChatList `json:"chat_list"` - // The maximum number of chats to be returned - Limit int32 `json:"limit"` +type GetChatsRequest struct { + // The chat list in which to return chats; pass null to get chats from the main chat list + ChatList ChatList `json:"chat_list"` + // The maximum number of chats to be returned + Limit int32 `json:"limit"` } // Returns an ordered list of chats from the beginning of a chat list. For informational purposes only. Use loadChats and updates processing instead to maintain chat lists in a consistent state func (client *Client) GetChats(req *GetChatsRequest) (*Chats, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getChats", - }, - Data: map[string]interface{}{ - "chat_list": req.ChatList, - "limit": req.Limit, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getChats", + }, + Data: map[string]interface{}{ + "chat_list": req.ChatList, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalChats(result.Data) + return UnmarshalChats(result.Data) } -type SearchPublicChatRequest struct { - // Username to be resolved - Username string `json:"username"` +type SearchPublicChatRequest struct { + // Username to be resolved + Username string `json:"username"` } // Searches a public chat by its username. Currently, only private chats, supergroups and channels can be public. Returns the chat if found; otherwise, an error is returned func (client *Client) SearchPublicChat(req *SearchPublicChatRequest) (*Chat, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "searchPublicChat", - }, - Data: map[string]interface{}{ - "username": req.Username, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "searchPublicChat", + }, + Data: map[string]interface{}{ + "username": req.Username, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalChat(result.Data) + return UnmarshalChat(result.Data) } -type SearchPublicChatsRequest struct { - // Query to search for - Query string `json:"query"` +type SearchPublicChatsRequest struct { + // Query to search for + Query string `json:"query"` } // Searches public chats by looking for specified query in their username and title. Currently, only private chats, supergroups and channels can be public. Returns a meaningful number of results. Excludes private chats with contacts and chats from the chat list from the results func (client *Client) SearchPublicChats(req *SearchPublicChatsRequest) (*Chats, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "searchPublicChats", - }, - Data: map[string]interface{}{ - "query": req.Query, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "searchPublicChats", + }, + Data: map[string]interface{}{ + "query": req.Query, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalChats(result.Data) + return UnmarshalChats(result.Data) } -type SearchChatsRequest struct { - // Query to search for. If the query is empty, returns up to 50 recently found chats - Query string `json:"query"` - // The maximum number of chats to be returned - Limit int32 `json:"limit"` +type SearchChatsRequest struct { + // Query to search for. If the query is empty, returns up to 50 recently found chats + Query string `json:"query"` + // The maximum number of chats to be returned + Limit int32 `json:"limit"` } -// Searches for the specified query in the title and username of already known chats, this is an offline request. Returns chats in the order seen in the main chat list +// Searches for the specified query in the title and username of already known chats. This is an offline method. Returns chats in the order seen in the main chat list func (client *Client) SearchChats(req *SearchChatsRequest) (*Chats, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "searchChats", - }, - Data: map[string]interface{}{ - "query": req.Query, - "limit": req.Limit, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "searchChats", + }, + Data: map[string]interface{}{ + "query": req.Query, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalChats(result.Data) + return UnmarshalChats(result.Data) } -type SearchChatsOnServerRequest struct { - // Query to search for - Query string `json:"query"` - // The maximum number of chats to be returned - Limit int32 `json:"limit"` +type SearchChatsOnServerRequest struct { + // Query to search for + Query string `json:"query"` + // The maximum number of chats to be returned + Limit int32 `json:"limit"` } // Searches for the specified query in the title and username of already known chats via request to the server. Returns chats in the order seen in the main chat list func (client *Client) SearchChatsOnServer(req *SearchChatsOnServerRequest) (*Chats, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "searchChatsOnServer", - }, - Data: map[string]interface{}{ - "query": req.Query, - "limit": req.Limit, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "searchChatsOnServer", + }, + Data: map[string]interface{}{ + "query": req.Query, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalChats(result.Data) + return UnmarshalChats(result.Data) } -type SearchChatsNearbyRequest struct { - // Current user location - Location *Location `json:"location"` +// Returns a list of channel chats recommended to the current user +func (client *Client) GetRecommendedChats() (*Chats, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getRecommendedChats", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalChats(result.Data) } -// Returns a list of users and location-based supergroups nearby. The list of users nearby will be updated for 60 seconds after the request by the updates updateUsersNearby. The request must be sent again every 25 seconds with adjusted location to not miss new chats -func (client *Client) SearchChatsNearby(req *SearchChatsNearbyRequest) (*ChatsNearby, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "searchChatsNearby", - }, - Data: map[string]interface{}{ - "location": req.Location, - }, - }) - if err != nil { - return nil, err - } - - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } - - return UnmarshalChatsNearby(result.Data) +type GetChatSimilarChatsRequest struct { + // Identifier of the target chat; must be an identifier of a channel chat + ChatId int64 `json:"chat_id"` } -type GetTopChatsRequest struct { - // Category of chats to be returned - Category TopChatCategory `json:"category"` - // The maximum number of chats to be returned; up to 30 - Limit int32 `json:"limit"` +// Returns a list of chats similar to the given chat +func (client *Client) GetChatSimilarChats(req *GetChatSimilarChatsRequest) (*Chats, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getChatSimilarChats", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalChats(result.Data) } -// Returns a list of frequently used chats. Supported only if the chat info database is enabled +type GetChatSimilarChatCountRequest struct { + // Identifier of the target chat; must be an identifier of a channel chat + ChatId int64 `json:"chat_id"` + // Pass true to get the number of chats without sending network requests, or -1 if the number of chats is unknown locally + ReturnLocal bool `json:"return_local"` +} + +// Returns approximate number of chats similar to the given chat +func (client *Client) GetChatSimilarChatCount(req *GetChatSimilarChatCountRequest) (*Count, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getChatSimilarChatCount", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "return_local": req.ReturnLocal, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalCount(result.Data) +} + +type OpenChatSimilarChatRequest struct { + // Identifier of the original chat, which similar chats were requested + ChatId int64 `json:"chat_id"` + // Identifier of the opened chat + OpenedChatId int64 `json:"opened_chat_id"` +} + +// Informs TDLib that a chat was opened from the list of similar chats. The method is independent of openChat and closeChat methods +func (client *Client) OpenChatSimilarChat(req *OpenChatSimilarChatRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "openChatSimilarChat", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "opened_chat_id": req.OpenedChatId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type GetBotSimilarBotsRequest struct { + // User identifier of the target bot + BotUserId int64 `json:"bot_user_id"` +} + +// Returns a list of bots similar to the given bot +func (client *Client) GetBotSimilarBots(req *GetBotSimilarBotsRequest) (*Users, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getBotSimilarBots", + }, + Data: map[string]interface{}{ + "bot_user_id": req.BotUserId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalUsers(result.Data) +} + +type GetBotSimilarBotCountRequest struct { + // User identifier of the target bot + BotUserId int64 `json:"bot_user_id"` + // Pass true to get the number of bots without sending network requests, or -1 if the number of bots is unknown locally + ReturnLocal bool `json:"return_local"` +} + +// Returns approximate number of bots similar to the given bot +func (client *Client) GetBotSimilarBotCount(req *GetBotSimilarBotCountRequest) (*Count, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getBotSimilarBotCount", + }, + Data: map[string]interface{}{ + "bot_user_id": req.BotUserId, + "return_local": req.ReturnLocal, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalCount(result.Data) +} + +type OpenBotSimilarBotRequest struct { + // Identifier of the original bot, which similar bots were requested + BotUserId int64 `json:"bot_user_id"` + // Identifier of the opened bot + OpenedBotUserId int64 `json:"opened_bot_user_id"` +} + +// Informs TDLib that a bot was opened from the list of similar bots +func (client *Client) OpenBotSimilarBot(req *OpenBotSimilarBotRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "openBotSimilarBot", + }, + Data: map[string]interface{}{ + "bot_user_id": req.BotUserId, + "opened_bot_user_id": req.OpenedBotUserId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type GetTopChatsRequest struct { + // Category of chats to be returned + Category TopChatCategory `json:"category"` + // The maximum number of chats to be returned; up to 30 + Limit int32 `json:"limit"` +} + +// Returns a list of frequently used chats func (client *Client) GetTopChats(req *GetTopChatsRequest) (*Chats, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getTopChats", - }, - Data: map[string]interface{}{ - "category": req.Category, - "limit": req.Limit, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getTopChats", + }, + Data: map[string]interface{}{ + "category": req.Category, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalChats(result.Data) + return UnmarshalChats(result.Data) } -type RemoveTopChatRequest struct { - // Category of frequently used chats - Category TopChatCategory `json:"category"` - // Chat identifier - ChatId int64 `json:"chat_id"` +type RemoveTopChatRequest struct { + // Category of frequently used chats + Category TopChatCategory `json:"category"` + // Chat identifier + ChatId int64 `json:"chat_id"` } // Removes a chat from the list of frequently used chats. Supported only if the chat info database is enabled func (client *Client) RemoveTopChat(req *RemoveTopChatRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "removeTopChat", - }, - Data: map[string]interface{}{ - "category": req.Category, - "chat_id": req.ChatId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "removeTopChat", + }, + Data: map[string]interface{}{ + "category": req.Category, + "chat_id": req.ChatId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type AddRecentlyFoundChatRequest struct { - // Identifier of the chat to add - ChatId int64 `json:"chat_id"` +type SearchRecentlyFoundChatsRequest struct { + // Query to search for + Query string `json:"query"` + // The maximum number of chats to be returned + Limit int32 `json:"limit"` +} + +// Searches for the specified query in the title and username of up to 50 recently found chats. This is an offline method +func (client *Client) SearchRecentlyFoundChats(req *SearchRecentlyFoundChatsRequest) (*Chats, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "searchRecentlyFoundChats", + }, + Data: map[string]interface{}{ + "query": req.Query, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalChats(result.Data) +} + +type AddRecentlyFoundChatRequest struct { + // Identifier of the chat to add + ChatId int64 `json:"chat_id"` } // Adds a chat to the list of recently found chats. The chat is added to the beginning of the list. If the chat is already in the list, it will be removed from the list first func (client *Client) AddRecentlyFoundChat(req *AddRecentlyFoundChatRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "addRecentlyFoundChat", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "addRecentlyFoundChat", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type RemoveRecentlyFoundChatRequest struct { - // Identifier of the chat to be removed - ChatId int64 `json:"chat_id"` +type RemoveRecentlyFoundChatRequest struct { + // Identifier of the chat to be removed + ChatId int64 `json:"chat_id"` } // Removes a chat from the list of recently found chats func (client *Client) RemoveRecentlyFoundChat(req *RemoveRecentlyFoundChatRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "removeRecentlyFoundChat", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "removeRecentlyFoundChat", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } // Clears the list of recently found chats func (client *Client) ClearRecentlyFoundChats() (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "clearRecentlyFoundChats", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "clearRecentlyFoundChats", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type GetRecentlyOpenedChatsRequest struct { - // The maximum number of chats to be returned - Limit int32 `json:"limit"` +type GetRecentlyOpenedChatsRequest struct { + // The maximum number of chats to be returned + Limit int32 `json:"limit"` } -// Returns recently opened chats, this is an offline request. Returns chats in the order of last opening +// Returns recently opened chats. This is an offline method. Returns chats in the order of last opening func (client *Client) GetRecentlyOpenedChats(req *GetRecentlyOpenedChatsRequest) (*Chats, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getRecentlyOpenedChats", - }, - Data: map[string]interface{}{ - "limit": req.Limit, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getRecentlyOpenedChats", + }, + Data: map[string]interface{}{ + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalChats(result.Data) + return UnmarshalChats(result.Data) } -type CheckChatUsernameRequest struct { - // Chat identifier; must be identifier of a supergroup chat, or a channel chat, or a private chat with self, or zero if the chat is being created - ChatId int64 `json:"chat_id"` - // Username to be checked - Username string `json:"username"` +type CheckChatUsernameRequest struct { + // Chat identifier; must be identifier of a supergroup chat, or a channel chat, or a private chat with self, or 0 if the chat is being created + ChatId int64 `json:"chat_id"` + // Username to be checked + Username string `json:"username"` } // Checks whether a username can be set for a chat func (client *Client) CheckChatUsername(req *CheckChatUsernameRequest) (CheckChatUsernameResult, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "checkChatUsername", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "username": req.Username, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "checkChatUsername", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "username": req.Username, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - switch result.Type { - case TypeCheckChatUsernameResultOk: - return UnmarshalCheckChatUsernameResultOk(result.Data) + switch result.Type { + case TypeCheckChatUsernameResultOk: + return UnmarshalCheckChatUsernameResultOk(result.Data) - case TypeCheckChatUsernameResultUsernameInvalid: - return UnmarshalCheckChatUsernameResultUsernameInvalid(result.Data) + case TypeCheckChatUsernameResultUsernameInvalid: + return UnmarshalCheckChatUsernameResultUsernameInvalid(result.Data) - case TypeCheckChatUsernameResultUsernameOccupied: - return UnmarshalCheckChatUsernameResultUsernameOccupied(result.Data) + case TypeCheckChatUsernameResultUsernameOccupied: + return UnmarshalCheckChatUsernameResultUsernameOccupied(result.Data) - case TypeCheckChatUsernameResultUsernamePurchasable: - return UnmarshalCheckChatUsernameResultUsernamePurchasable(result.Data) + case TypeCheckChatUsernameResultUsernamePurchasable: + return UnmarshalCheckChatUsernameResultUsernamePurchasable(result.Data) - case TypeCheckChatUsernameResultPublicChatsTooMany: - return UnmarshalCheckChatUsernameResultPublicChatsTooMany(result.Data) + case TypeCheckChatUsernameResultPublicChatsTooMany: + return UnmarshalCheckChatUsernameResultPublicChatsTooMany(result.Data) - case TypeCheckChatUsernameResultPublicGroupsUnavailable: - return UnmarshalCheckChatUsernameResultPublicGroupsUnavailable(result.Data) + case TypeCheckChatUsernameResultPublicGroupsUnavailable: + return UnmarshalCheckChatUsernameResultPublicGroupsUnavailable(result.Data) - default: - return nil, errors.New("invalid type") - } + default: + return nil, errors.New("invalid type") + } } -type GetCreatedPublicChatsRequest struct { - // Type of the public chats to return - Type PublicChatType `json:"type"` +type GetCreatedPublicChatsRequest struct { + // Type of the public chats to return + Type PublicChatType `json:"type"` } // Returns a list of public chats of the specified type, owned by the user func (client *Client) GetCreatedPublicChats(req *GetCreatedPublicChatsRequest) (*Chats, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getCreatedPublicChats", - }, - Data: map[string]interface{}{ - "type": req.Type, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getCreatedPublicChats", + }, + Data: map[string]interface{}{ + "type": req.Type, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalChats(result.Data) + return UnmarshalChats(result.Data) } -type CheckCreatedPublicChatsLimitRequest struct { - // Type of the public chats, for which to check the limit - Type PublicChatType `json:"type"` +type CheckCreatedPublicChatsLimitRequest struct { + // Type of the public chats, for which to check the limit + Type PublicChatType `json:"type"` } // Checks whether the maximum number of owned public chats has been reached. Returns corresponding error if the limit was reached. The limit can be increased with Telegram Premium func (client *Client) CheckCreatedPublicChatsLimit(req *CheckCreatedPublicChatsLimitRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "checkCreatedPublicChatsLimit", - }, - Data: map[string]interface{}{ - "type": req.Type, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "checkCreatedPublicChatsLimit", + }, + Data: map[string]interface{}{ + "type": req.Type, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } // Returns a list of basic group and supergroup chats, which can be used as a discussion group for a channel. Returned basic group chats must be first upgraded to supergroups before they can be set as a discussion group. To set a returned supergroup as a discussion group, access to its old messages must be enabled using toggleSupergroupIsAllHistoryAvailable first func (client *Client) GetSuitableDiscussionChats() (*Chats, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getSuitableDiscussionChats", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getSuitableDiscussionChats", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalChats(result.Data) + return UnmarshalChats(result.Data) } -// Returns a list of recently inactive supergroups and channels. Can be used when user reaches limit on the number of joined supergroups and channels and receives CHANNELS_TOO_MUCH error. Also, the limit can be increased with Telegram Premium +// Returns a list of recently inactive supergroups and channels. Can be used when user reaches limit on the number of joined supergroups and channels and receives the error "CHANNELS_TOO_MUCH". Also, the limit can be increased with Telegram Premium func (client *Client) GetInactiveSupergroupChats() (*Chats, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getInactiveSupergroupChats", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getInactiveSupergroupChats", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalChats(result.Data) + return UnmarshalChats(result.Data) } -type GetGroupsInCommonRequest struct { - // User identifier - UserId int64 `json:"user_id"` - // Chat identifier starting from which to return chats; use 0 for the first request - OffsetChatId int64 `json:"offset_chat_id"` - // The maximum number of chats to be returned; up to 100 - Limit int32 `json:"limit"` +// Returns a list of channel chats, which can be used as a personal chat +func (client *Client) GetSuitablePersonalChats() (*Chats, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getSuitablePersonalChats", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalChats(result.Data) +} + +type LoadDirectMessagesChatTopicsRequest struct { + // Chat identifier of the channel direct messages chat + ChatId int64 `json:"chat_id"` + // The maximum number of topics to be loaded. For optimal performance, the number of loaded topics is chosen by TDLib and can be smaller than the specified limit, even if the end of the list is not reached + Limit int32 `json:"limit"` +} + +// Loads more topics in a channel direct messages chat administered by the current user. The loaded topics will be sent through updateDirectMessagesChatTopic. Topics are sorted by their topic.order in descending order. Returns a 404 error if all topics have been loaded +func (client *Client) LoadDirectMessagesChatTopics(req *LoadDirectMessagesChatTopicsRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "loadDirectMessagesChatTopics", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type GetDirectMessagesChatTopicRequest struct { + // Chat identifier of the channel direct messages chat + ChatId int64 `json:"chat_id"` + // Identifier of the topic to get + TopicId int64 `json:"topic_id"` +} + +// Returns information about the topic in a channel direct messages chat administered by the current user +func (client *Client) GetDirectMessagesChatTopic(req *GetDirectMessagesChatTopicRequest) (*DirectMessagesChatTopic, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getDirectMessagesChatTopic", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "topic_id": req.TopicId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalDirectMessagesChatTopic(result.Data) +} + +type GetDirectMessagesChatTopicHistoryRequest struct { + // Chat identifier of the channel direct messages chat + ChatId int64 `json:"chat_id"` + // Identifier of the topic which messages will be fetched + TopicId int64 `json:"topic_id"` + // Identifier of the message starting from which messages must be fetched; use 0 to get results from the last message + FromMessageId int64 `json:"from_message_id"` + // Specify 0 to get results from exactly the message from_message_id or a negative number from -99 to -1 to get additionally -offset newer messages + Offset int32 `json:"offset"` + // The maximum number of messages to be returned; must be positive and can't be greater than 100. If the offset is negative, then the limit must be greater than or equal to -offset. For optimal performance, the number of returned messages is chosen by TDLib and can be smaller than the specified limit + Limit int32 `json:"limit"` +} + +// Returns messages in the topic in a channel direct messages chat administered by the current user. The messages are returned in reverse chronological order (i.e., in order of decreasing message_id) +func (client *Client) GetDirectMessagesChatTopicHistory(req *GetDirectMessagesChatTopicHistoryRequest) (*Messages, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getDirectMessagesChatTopicHistory", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "topic_id": req.TopicId, + "from_message_id": req.FromMessageId, + "offset": req.Offset, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalMessages(result.Data) +} + +type GetDirectMessagesChatTopicMessageByDateRequest struct { + // Chat identifier of the channel direct messages chat + ChatId int64 `json:"chat_id"` + // Identifier of the topic which messages will be fetched + TopicId int64 `json:"topic_id"` + // Point in time (Unix timestamp) relative to which to search for messages + Date int32 `json:"date"` +} + +// Returns the last message sent in the topic in a channel direct messages chat administered by the current user no later than the specified date +func (client *Client) GetDirectMessagesChatTopicMessageByDate(req *GetDirectMessagesChatTopicMessageByDateRequest) (*Message, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getDirectMessagesChatTopicMessageByDate", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "topic_id": req.TopicId, + "date": req.Date, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalMessage(result.Data) +} + +type DeleteDirectMessagesChatTopicHistoryRequest struct { + // Chat identifier of the channel direct messages chat + ChatId int64 `json:"chat_id"` + // Identifier of the topic which messages will be deleted + TopicId int64 `json:"topic_id"` +} + +// Deletes all messages in the topic in a channel direct messages chat administered by the current user +func (client *Client) DeleteDirectMessagesChatTopicHistory(req *DeleteDirectMessagesChatTopicHistoryRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "deleteDirectMessagesChatTopicHistory", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "topic_id": req.TopicId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type DeleteDirectMessagesChatTopicMessagesByDateRequest struct { + // Chat identifier of the channel direct messages chat + ChatId int64 `json:"chat_id"` + // Identifier of the topic which messages will be deleted + TopicId int64 `json:"topic_id"` + // The minimum date of the messages to delete + MinDate int32 `json:"min_date"` + // The maximum date of the messages to delete + MaxDate int32 `json:"max_date"` +} + +// Deletes all messages between the specified dates in the topic in a channel direct messages chat administered by the current user. Messages sent in the last 30 seconds will not be deleted +func (client *Client) DeleteDirectMessagesChatTopicMessagesByDate(req *DeleteDirectMessagesChatTopicMessagesByDateRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "deleteDirectMessagesChatTopicMessagesByDate", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "topic_id": req.TopicId, + "min_date": req.MinDate, + "max_date": req.MaxDate, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SetDirectMessagesChatTopicIsMarkedAsUnreadRequest struct { + // Chat identifier of the channel direct messages chat + ChatId int64 `json:"chat_id"` + // Topic identifier + TopicId int64 `json:"topic_id"` + // New value of is_marked_as_unread + IsMarkedAsUnread bool `json:"is_marked_as_unread"` +} + +// Changes the marked as unread state of the topic in a channel direct messages chat administered by the current user +func (client *Client) SetDirectMessagesChatTopicIsMarkedAsUnread(req *SetDirectMessagesChatTopicIsMarkedAsUnreadRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setDirectMessagesChatTopicIsMarkedAsUnread", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "topic_id": req.TopicId, + "is_marked_as_unread": req.IsMarkedAsUnread, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type UnpinAllDirectMessagesChatTopicMessagesRequest struct { + // Identifier of the chat + ChatId int64 `json:"chat_id"` + // Topic identifier + TopicId int64 `json:"topic_id"` +} + +// Removes all pinned messages from the topic in a channel direct messages chat administered by the current user +func (client *Client) UnpinAllDirectMessagesChatTopicMessages(req *UnpinAllDirectMessagesChatTopicMessagesRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "unpinAllDirectMessagesChatTopicMessages", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "topic_id": req.TopicId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type ReadAllDirectMessagesChatTopicReactionsRequest struct { + // Identifier of the chat + ChatId int64 `json:"chat_id"` + // Topic identifier + TopicId int64 `json:"topic_id"` +} + +// Removes all unread reactions in the topic in a channel direct messages chat administered by the current user +func (client *Client) ReadAllDirectMessagesChatTopicReactions(req *ReadAllDirectMessagesChatTopicReactionsRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "readAllDirectMessagesChatTopicReactions", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "topic_id": req.TopicId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type GetDirectMessagesChatTopicRevenueRequest struct { + // Chat identifier of the channel direct messages chat administered by the current user + ChatId int64 `json:"chat_id"` + // Identifier of the topic + TopicId int64 `json:"topic_id"` +} + +// Returns the total number of Telegram Stars received by the channel chat for direct messages from the given topic +func (client *Client) GetDirectMessagesChatTopicRevenue(req *GetDirectMessagesChatTopicRevenueRequest) (*StarCount, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getDirectMessagesChatTopicRevenue", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "topic_id": req.TopicId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalStarCount(result.Data) +} + +type ToggleDirectMessagesChatTopicCanSendUnpaidMessagesRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Identifier of the topic + TopicId int64 `json:"topic_id"` + // Pass true to allow unpaid messages; pass false to disallow unpaid messages + CanSendUnpaidMessages bool `json:"can_send_unpaid_messages"` + // Pass true to refund the user previously paid messages + RefundPayments bool `json:"refund_payments"` +} + +// Allows to send unpaid messages to the given topic of the channel direct messages chat administered by the current user +func (client *Client) ToggleDirectMessagesChatTopicCanSendUnpaidMessages(req *ToggleDirectMessagesChatTopicCanSendUnpaidMessagesRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "toggleDirectMessagesChatTopicCanSendUnpaidMessages", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "topic_id": req.TopicId, + "can_send_unpaid_messages": req.CanSendUnpaidMessages, + "refund_payments": req.RefundPayments, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type LoadSavedMessagesTopicsRequest struct { + // The maximum number of topics to be loaded. For optimal performance, the number of loaded topics is chosen by TDLib and can be smaller than the specified limit, even if the end of the list is not reached + Limit int32 `json:"limit"` +} + +// Loads more Saved Messages topics. The loaded topics will be sent through updateSavedMessagesTopic. Topics are sorted by their topic.order in descending order. Returns a 404 error if all topics have been loaded +func (client *Client) LoadSavedMessagesTopics(req *LoadSavedMessagesTopicsRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "loadSavedMessagesTopics", + }, + Data: map[string]interface{}{ + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type GetSavedMessagesTopicHistoryRequest struct { + // Identifier of Saved Messages topic which messages will be fetched + SavedMessagesTopicId int64 `json:"saved_messages_topic_id"` + // Identifier of the message starting from which messages must be fetched; use 0 to get results from the last message + FromMessageId int64 `json:"from_message_id"` + // Specify 0 to get results from exactly the message from_message_id or a negative number from -99 to -1 to get additionally -offset newer messages + Offset int32 `json:"offset"` + // The maximum number of messages to be returned; must be positive and can't be greater than 100. If the offset is negative, then the limit must be greater than or equal to -offset. For optimal performance, the number of returned messages is chosen by TDLib and can be smaller than the specified limit + Limit int32 `json:"limit"` +} + +// Returns messages in a Saved Messages topic. The messages are returned in reverse chronological order (i.e., in order of decreasing message_id) +func (client *Client) GetSavedMessagesTopicHistory(req *GetSavedMessagesTopicHistoryRequest) (*Messages, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getSavedMessagesTopicHistory", + }, + Data: map[string]interface{}{ + "saved_messages_topic_id": req.SavedMessagesTopicId, + "from_message_id": req.FromMessageId, + "offset": req.Offset, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalMessages(result.Data) +} + +type GetSavedMessagesTopicMessageByDateRequest struct { + // Identifier of Saved Messages topic which message will be returned + SavedMessagesTopicId int64 `json:"saved_messages_topic_id"` + // Point in time (Unix timestamp) relative to which to search for messages + Date int32 `json:"date"` +} + +// Returns the last message sent in a Saved Messages topic no later than the specified date +func (client *Client) GetSavedMessagesTopicMessageByDate(req *GetSavedMessagesTopicMessageByDateRequest) (*Message, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getSavedMessagesTopicMessageByDate", + }, + Data: map[string]interface{}{ + "saved_messages_topic_id": req.SavedMessagesTopicId, + "date": req.Date, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalMessage(result.Data) +} + +type DeleteSavedMessagesTopicHistoryRequest struct { + // Identifier of Saved Messages topic which messages will be deleted + SavedMessagesTopicId int64 `json:"saved_messages_topic_id"` +} + +// Deletes all messages in a Saved Messages topic +func (client *Client) DeleteSavedMessagesTopicHistory(req *DeleteSavedMessagesTopicHistoryRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "deleteSavedMessagesTopicHistory", + }, + Data: map[string]interface{}{ + "saved_messages_topic_id": req.SavedMessagesTopicId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type DeleteSavedMessagesTopicMessagesByDateRequest struct { + // Identifier of Saved Messages topic which messages will be deleted + SavedMessagesTopicId int64 `json:"saved_messages_topic_id"` + // The minimum date of the messages to delete + MinDate int32 `json:"min_date"` + // The maximum date of the messages to delete + MaxDate int32 `json:"max_date"` +} + +// Deletes all messages between the specified dates in a Saved Messages topic. Messages sent in the last 30 seconds will not be deleted +func (client *Client) DeleteSavedMessagesTopicMessagesByDate(req *DeleteSavedMessagesTopicMessagesByDateRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "deleteSavedMessagesTopicMessagesByDate", + }, + Data: map[string]interface{}{ + "saved_messages_topic_id": req.SavedMessagesTopicId, + "min_date": req.MinDate, + "max_date": req.MaxDate, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type ToggleSavedMessagesTopicIsPinnedRequest struct { + // Identifier of Saved Messages topic to pin or unpin + SavedMessagesTopicId int64 `json:"saved_messages_topic_id"` + // Pass true to pin the topic; pass false to unpin it + IsPinned bool `json:"is_pinned"` +} + +// Changes the pinned state of a Saved Messages topic. There can be up to getOption("pinned_saved_messages_topic_count_max") pinned topics. The limit can be increased with Telegram Premium +func (client *Client) ToggleSavedMessagesTopicIsPinned(req *ToggleSavedMessagesTopicIsPinnedRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "toggleSavedMessagesTopicIsPinned", + }, + Data: map[string]interface{}{ + "saved_messages_topic_id": req.SavedMessagesTopicId, + "is_pinned": req.IsPinned, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SetPinnedSavedMessagesTopicsRequest struct { + // Identifiers of the new pinned Saved Messages topics + SavedMessagesTopicIds []int64 `json:"saved_messages_topic_ids"` +} + +// Changes the order of pinned Saved Messages topics +func (client *Client) SetPinnedSavedMessagesTopics(req *SetPinnedSavedMessagesTopicsRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setPinnedSavedMessagesTopics", + }, + Data: map[string]interface{}{ + "saved_messages_topic_ids": req.SavedMessagesTopicIds, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type GetGroupsInCommonRequest struct { + // User identifier + UserId int64 `json:"user_id"` + // Chat identifier starting from which to return chats; use 0 for the first request + OffsetChatId int64 `json:"offset_chat_id"` + // The maximum number of chats to be returned; up to 100 + Limit int32 `json:"limit"` } // Returns a list of common group chats with a given user. Chats are sorted by their type and creation date func (client *Client) GetGroupsInCommon(req *GetGroupsInCommonRequest) (*Chats, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getGroupsInCommon", - }, - Data: map[string]interface{}{ - "user_id": req.UserId, - "offset_chat_id": req.OffsetChatId, - "limit": req.Limit, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getGroupsInCommon", + }, + Data: map[string]interface{}{ + "user_id": req.UserId, + "offset_chat_id": req.OffsetChatId, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalChats(result.Data) + return UnmarshalChats(result.Data) } -type GetChatHistoryRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // Identifier of the message starting from which history must be fetched; use 0 to get results from the last message - FromMessageId int64 `json:"from_message_id"` - // Specify 0 to get results from exactly the from_message_id or a negative offset up to 99 to get additionally some newer messages - Offset int32 `json:"offset"` - // The maximum number of messages to be returned; must be positive and can't be greater than 100. If the offset is negative, the limit must be greater than or equal to -offset. For optimal performance, the number of returned messages is chosen by TDLib and can be smaller than the specified limit - Limit int32 `json:"limit"` - // Pass true to get only messages that are available without sending network requests - OnlyLocal bool `json:"only_local"` +type GetChatHistoryRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Identifier of the message starting from which history must be fetched; use 0 to get results from the last message + FromMessageId int64 `json:"from_message_id"` + // Specify 0 to get results from exactly the message from_message_id or a negative number from -99 to -1 to get additionally -offset newer messages + Offset int32 `json:"offset"` + // The maximum number of messages to be returned; must be positive and can't be greater than 100. If the offset is negative, then the limit must be greater than or equal to -offset. For optimal performance, the number of returned messages is chosen by TDLib and can be smaller than the specified limit + Limit int32 `json:"limit"` + // Pass true to get only messages that are available without sending network requests + OnlyLocal bool `json:"only_local"` } -// Returns messages in a chat. The messages are returned in a reverse chronological order (i.e., in order of decreasing message_id). For optimal performance, the number of returned messages is chosen by TDLib. This is an offline request if only_local is true +// Returns messages in a chat. The messages are returned in reverse chronological order (i.e., in order of decreasing message_id). For optimal performance, the number of returned messages is chosen by TDLib. This is an offline method if only_local is true func (client *Client) GetChatHistory(req *GetChatHistoryRequest) (*Messages, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getChatHistory", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "from_message_id": req.FromMessageId, - "offset": req.Offset, - "limit": req.Limit, - "only_local": req.OnlyLocal, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getChatHistory", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "from_message_id": req.FromMessageId, + "offset": req.Offset, + "limit": req.Limit, + "only_local": req.OnlyLocal, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalMessages(result.Data) + return UnmarshalMessages(result.Data) } -type GetMessageThreadHistoryRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // Message identifier, which thread history needs to be returned - MessageId int64 `json:"message_id"` - // Identifier of the message starting from which history must be fetched; use 0 to get results from the last message - FromMessageId int64 `json:"from_message_id"` - // Specify 0 to get results from exactly the from_message_id or a negative offset up to 99 to get additionally some newer messages - Offset int32 `json:"offset"` - // The maximum number of messages to be returned; must be positive and can't be greater than 100. If the offset is negative, the limit must be greater than or equal to -offset. For optimal performance, the number of returned messages is chosen by TDLib and can be smaller than the specified limit - Limit int32 `json:"limit"` +type GetMessageThreadHistoryRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Message identifier, which thread history needs to be returned + MessageId int64 `json:"message_id"` + // Identifier of the message starting from which history must be fetched; use 0 to get results from the last message + FromMessageId int64 `json:"from_message_id"` + // Specify 0 to get results from exactly the message from_message_id or a negative number from -99 to -1 to get additionally -offset newer messages + Offset int32 `json:"offset"` + // The maximum number of messages to be returned; must be positive and can't be greater than 100. If the offset is negative, then the limit must be greater than or equal to -offset. For optimal performance, the number of returned messages is chosen by TDLib and can be smaller than the specified limit + Limit int32 `json:"limit"` } -// Returns messages in a message thread of a message. Can be used only if message.can_get_message_thread == true. Message thread of a channel message is in the channel's linked supergroup. The messages are returned in a reverse chronological order (i.e., in order of decreasing message_id). For optimal performance, the number of returned messages is chosen by TDLib +// Returns messages in a message thread of a message. Can be used only if messageProperties.can_get_message_thread == true. Message thread of a channel message is in the channel's linked supergroup. The messages are returned in reverse chronological order (i.e., in order of decreasing message_id). For optimal performance, the number of returned messages is chosen by TDLib func (client *Client) GetMessageThreadHistory(req *GetMessageThreadHistoryRequest) (*Messages, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getMessageThreadHistory", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_id": req.MessageId, - "from_message_id": req.FromMessageId, - "offset": req.Offset, - "limit": req.Limit, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getMessageThreadHistory", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + "from_message_id": req.FromMessageId, + "offset": req.Offset, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalMessages(result.Data) + return UnmarshalMessages(result.Data) } -type DeleteChatHistoryRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // Pass true to remove the chat from all chat lists - RemoveFromChatList bool `json:"remove_from_chat_list"` - // Pass true to delete chat history for all users - Revoke bool `json:"revoke"` +type DeleteChatHistoryRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Pass true to remove the chat from all chat lists + RemoveFromChatList bool `json:"remove_from_chat_list"` + // Pass true to delete chat history for all users + Revoke bool `json:"revoke"` } // Deletes all messages in the chat. Use chat.can_be_deleted_only_for_self and chat.can_be_deleted_for_all_users fields to find whether and how the method can be applied to the chat func (client *Client) DeleteChatHistory(req *DeleteChatHistoryRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "deleteChatHistory", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "remove_from_chat_list": req.RemoveFromChatList, - "revoke": req.Revoke, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "deleteChatHistory", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "remove_from_chat_list": req.RemoveFromChatList, + "revoke": req.Revoke, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type DeleteChatRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` +type DeleteChatRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` } // Deletes a chat along with all messages in the corresponding chat for all chat members. For group chats this will release the usernames and remove all members. Use the field chat.can_be_deleted_for_all_users to find whether the method can be applied to the chat func (client *Client) DeleteChat(req *DeleteChatRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "deleteChat", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "deleteChat", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SearchChatMessagesRequest struct { - // Identifier of the chat in which to search messages - ChatId int64 `json:"chat_id"` - // Query to search for - Query string `json:"query"` - // Identifier of the sender of messages to search for; pass null to search for messages from any sender. Not supported in secret chats - SenderId MessageSender `json:"sender_id"` - // Identifier of the message starting from which history must be fetched; use 0 to get results from the last message - FromMessageId int64 `json:"from_message_id"` - // Specify 0 to get results from exactly the from_message_id or a negative offset to get the specified message and some newer messages - Offset int32 `json:"offset"` - // The maximum number of messages to be returned; must be positive and can't be greater than 100. If the offset is negative, the limit must be greater than -offset. For optimal performance, the number of returned messages is chosen by TDLib and can be smaller than the specified limit - Limit int32 `json:"limit"` - // Additional filter for messages to search; pass null to search for all messages - Filter SearchMessagesFilter `json:"filter"` - // If not 0, only messages in the specified thread will be returned; supergroups only - MessageThreadId int64 `json:"message_thread_id"` +type SearchChatMessagesRequest struct { + // Identifier of the chat in which to search messages + ChatId int64 `json:"chat_id"` + // Pass topic identifier to search messages only in specific topic; pass null to search for messages in all topics + TopicId MessageTopic `json:"topic_id"` + // Query to search for + Query string `json:"query"` + // Identifier of the sender of messages to search for; pass null to search for messages from any sender. Not supported in secret chats + SenderId MessageSender `json:"sender_id"` + // Identifier of the message starting from which history must be fetched; use 0 to get results from the last message + FromMessageId int64 `json:"from_message_id"` + // Specify 0 to get results from exactly the message from_message_id or a negative number to get the specified message and some newer messages + Offset int32 `json:"offset"` + // The maximum number of messages to be returned; must be positive and can't be greater than 100. If the offset is negative, then the limit must be greater than -offset. For optimal performance, the number of returned messages is chosen by TDLib and can be smaller than the specified limit + Limit int32 `json:"limit"` + // Additional filter for messages to search; pass null to search for all messages + Filter SearchMessagesFilter `json:"filter"` } -// Searches for messages with given words in the chat. Returns the results in reverse chronological order, i.e. in order of decreasing message_id. Cannot be used in secret chats with a non-empty query (searchSecretMessages must be used instead), or without an enabled message database. For optimal performance, the number of returned messages is chosen by TDLib and can be smaller than the specified limit. A combination of query, sender_id, filter and message_thread_id search criteria is expected to be supported, only if it is required for Telegram official application implementation +// Searches for messages with given words in the chat. Returns the results in reverse chronological order, i.e. in order of decreasing message_id. Cannot be used in secret chats with a non-empty query (searchSecretMessages must be used instead), or without an enabled message database. For optimal performance, the number of returned messages is chosen by TDLib and can be smaller than the specified limit. A combination of query, sender_id, filter and topic_id search criteria is expected to be supported, only if it is required for Telegram official application implementation func (client *Client) SearchChatMessages(req *SearchChatMessagesRequest) (*FoundChatMessages, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "searchChatMessages", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "query": req.Query, - "sender_id": req.SenderId, - "from_message_id": req.FromMessageId, - "offset": req.Offset, - "limit": req.Limit, - "filter": req.Filter, - "message_thread_id": req.MessageThreadId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "searchChatMessages", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "topic_id": req.TopicId, + "query": req.Query, + "sender_id": req.SenderId, + "from_message_id": req.FromMessageId, + "offset": req.Offset, + "limit": req.Limit, + "filter": req.Filter, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalFoundChatMessages(result.Data) + return UnmarshalFoundChatMessages(result.Data) } -type SearchMessagesRequest struct { - // Chat list in which to search messages; pass null to search in all chats regardless of their chat list. Only Main and Archive chat lists are supported - ChatList ChatList `json:"chat_list"` - // Query to search for - Query string `json:"query"` - // Offset of the first entry to return as received from the previous request; use empty string to get the first chunk of results - Offset string `json:"offset"` - // The maximum number of messages to be returned; up to 100. For optimal performance, the number of returned messages is chosen by TDLib and can be smaller than the specified limit - Limit int32 `json:"limit"` - // Additional filter for messages to search; pass null to search for all messages. Filters searchMessagesFilterMention, searchMessagesFilterUnreadMention, searchMessagesFilterUnreadReaction, searchMessagesFilterFailedToSend, and searchMessagesFilterPinned are unsupported in this function - Filter SearchMessagesFilter `json:"filter"` - // If not 0, the minimum date of the messages to return - MinDate int32 `json:"min_date"` - // If not 0, the maximum date of the messages to return - MaxDate int32 `json:"max_date"` +type SearchMessagesRequest struct { + // Chat list in which to search messages; pass null to search in all chats regardless of their chat list. Only Main and Archive chat lists are supported + ChatList ChatList `json:"chat_list"` + // Query to search for + Query string `json:"query"` + // Offset of the first entry to return as received from the previous request; use empty string to get the first chunk of results + Offset string `json:"offset"` + // The maximum number of messages to be returned; up to 100. For optimal performance, the number of returned messages is chosen by TDLib and can be smaller than the specified limit + Limit int32 `json:"limit"` + // Additional filter for messages to search; pass null to search for all messages. Filters searchMessagesFilterMention, searchMessagesFilterUnreadMention, searchMessagesFilterUnreadReaction, searchMessagesFilterFailedToSend, and searchMessagesFilterPinned are unsupported in this function + Filter SearchMessagesFilter `json:"filter"` + // Additional filter for type of the chat of the searched messages; pass null to search for messages in all chats + ChatTypeFilter SearchMessagesChatTypeFilter `json:"chat_type_filter"` + // If not 0, the minimum date of the messages to return + MinDate int32 `json:"min_date"` + // If not 0, the maximum date of the messages to return + MaxDate int32 `json:"max_date"` } // Searches for messages in all chats except secret chats. Returns the results in reverse chronological order (i.e., in order of decreasing (date, chat_id, message_id)). For optimal performance, the number of returned messages is chosen by TDLib and can be smaller than the specified limit func (client *Client) SearchMessages(req *SearchMessagesRequest) (*FoundMessages, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "searchMessages", - }, - Data: map[string]interface{}{ - "chat_list": req.ChatList, - "query": req.Query, - "offset": req.Offset, - "limit": req.Limit, - "filter": req.Filter, - "min_date": req.MinDate, - "max_date": req.MaxDate, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "searchMessages", + }, + Data: map[string]interface{}{ + "chat_list": req.ChatList, + "query": req.Query, + "offset": req.Offset, + "limit": req.Limit, + "filter": req.Filter, + "chat_type_filter": req.ChatTypeFilter, + "min_date": req.MinDate, + "max_date": req.MaxDate, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalFoundMessages(result.Data) + return UnmarshalFoundMessages(result.Data) } -type SearchSecretMessagesRequest struct { - // Identifier of the chat in which to search. Specify 0 to search in all secret chats - ChatId int64 `json:"chat_id"` - // Query to search for. If empty, searchChatMessages must be used instead - Query string `json:"query"` - // Offset of the first entry to return as received from the previous request; use empty string to get the first chunk of results - Offset string `json:"offset"` - // The maximum number of messages to be returned; up to 100. For optimal performance, the number of returned messages is chosen by TDLib and can be smaller than the specified limit - Limit int32 `json:"limit"` - // Additional filter for messages to search; pass null to search for all messages - Filter SearchMessagesFilter `json:"filter"` +type SearchSecretMessagesRequest struct { + // Identifier of the chat in which to search. Specify 0 to search in all secret chats + ChatId int64 `json:"chat_id"` + // Query to search for. If empty, searchChatMessages must be used instead + Query string `json:"query"` + // Offset of the first entry to return as received from the previous request; use empty string to get the first chunk of results + Offset string `json:"offset"` + // The maximum number of messages to be returned; up to 100. For optimal performance, the number of returned messages is chosen by TDLib and can be smaller than the specified limit + Limit int32 `json:"limit"` + // Additional filter for messages to search; pass null to search for all messages + Filter SearchMessagesFilter `json:"filter"` } // Searches for messages in secret chats. Returns the results in reverse chronological order. For optimal performance, the number of returned messages is chosen by TDLib func (client *Client) SearchSecretMessages(req *SearchSecretMessagesRequest) (*FoundMessages, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "searchSecretMessages", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "query": req.Query, - "offset": req.Offset, - "limit": req.Limit, - "filter": req.Filter, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "searchSecretMessages", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "query": req.Query, + "offset": req.Offset, + "limit": req.Limit, + "filter": req.Filter, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalFoundMessages(result.Data) + return UnmarshalFoundMessages(result.Data) } -type SearchCallMessagesRequest struct { - // Offset of the first entry to return as received from the previous request; use empty string to get the first chunk of results - Offset string `json:"offset"` - // The maximum number of messages to be returned; up to 100. For optimal performance, the number of returned messages is chosen by TDLib and can be smaller than the specified limit - Limit int32 `json:"limit"` - // Pass true to search only for messages with missed/declined calls - OnlyMissed bool `json:"only_missed"` +type SearchSavedMessagesRequest struct { + // If not 0, only messages in the specified Saved Messages topic will be considered; pass 0 to consider all messages + SavedMessagesTopicId int64 `json:"saved_messages_topic_id"` + // Tag to search for; pass null to return all suitable messages + Tag ReactionType `json:"tag"` + // Query to search for + Query string `json:"query"` + // Identifier of the message starting from which messages must be fetched; use 0 to get results from the last message + FromMessageId int64 `json:"from_message_id"` + // Specify 0 to get results from exactly the message from_message_id or a negative number to get the specified message and some newer messages + Offset int32 `json:"offset"` + // The maximum number of messages to be returned; must be positive and can't be greater than 100. If the offset is negative, then the limit must be greater than -offset. For optimal performance, the number of returned messages is chosen by TDLib and can be smaller than the specified limit + Limit int32 `json:"limit"` } -// Searches for call messages. Returns the results in reverse chronological order (i.e., in order of decreasing message_id). For optimal performance, the number of returned messages is chosen by TDLib +// Searches for messages tagged by the given reaction and with the given words in the Saved Messages chat; for Telegram Premium users only. Returns the results in reverse chronological order, i.e. in order of decreasing message_id. For optimal performance, the number of returned messages is chosen by TDLib and can be smaller than the specified limit +func (client *Client) SearchSavedMessages(req *SearchSavedMessagesRequest) (*FoundChatMessages, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "searchSavedMessages", + }, + Data: map[string]interface{}{ + "saved_messages_topic_id": req.SavedMessagesTopicId, + "tag": req.Tag, + "query": req.Query, + "from_message_id": req.FromMessageId, + "offset": req.Offset, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalFoundChatMessages(result.Data) +} + +type SearchCallMessagesRequest struct { + // Offset of the first entry to return as received from the previous request; use empty string to get the first chunk of results + Offset string `json:"offset"` + // The maximum number of messages to be returned; up to 100. For optimal performance, the number of returned messages is chosen by TDLib and can be smaller than the specified limit + Limit int32 `json:"limit"` + // Pass true to search only for messages with missed/declined calls + OnlyMissed bool `json:"only_missed"` +} + +// Searches for call and group call messages. Returns the results in reverse chronological order (i.e., in order of decreasing message_id). For optimal performance, the number of returned messages is chosen by TDLib func (client *Client) SearchCallMessages(req *SearchCallMessagesRequest) (*FoundMessages, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "searchCallMessages", - }, - Data: map[string]interface{}{ - "offset": req.Offset, - "limit": req.Limit, - "only_missed": req.OnlyMissed, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "searchCallMessages", + }, + Data: map[string]interface{}{ + "offset": req.Offset, + "limit": req.Limit, + "only_missed": req.OnlyMissed, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalFoundMessages(result.Data) + return UnmarshalFoundMessages(result.Data) } -type SearchOutgoingDocumentMessagesRequest struct { - // Query to search for in document file name and message caption - Query string `json:"query"` - // The maximum number of messages to be returned; up to 100 - Limit int32 `json:"limit"` +type SearchOutgoingDocumentMessagesRequest struct { + // Query to search for in document file name and message caption + Query string `json:"query"` + // The maximum number of messages to be returned; up to 100 + Limit int32 `json:"limit"` } // Searches for outgoing messages with content of the type messageDocument in all chats except secret chats. Returns the results in reverse chronological order func (client *Client) SearchOutgoingDocumentMessages(req *SearchOutgoingDocumentMessagesRequest) (*FoundMessages, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "searchOutgoingDocumentMessages", - }, - Data: map[string]interface{}{ - "query": req.Query, - "limit": req.Limit, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "searchOutgoingDocumentMessages", + }, + Data: map[string]interface{}{ + "query": req.Query, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalFoundMessages(result.Data) + return UnmarshalFoundMessages(result.Data) } -type DeleteAllCallMessagesRequest struct { - // Pass true to delete the messages for all users - Revoke bool `json:"revoke"` +type GetPublicPostSearchLimitsRequest struct { + // Query that will be searched for + Query string `json:"query"` +} + +// Checks public post search limits without actually performing the search +func (client *Client) GetPublicPostSearchLimits(req *GetPublicPostSearchLimitsRequest) (*PublicPostSearchLimits, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getPublicPostSearchLimits", + }, + Data: map[string]interface{}{ + "query": req.Query, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalPublicPostSearchLimits(result.Data) +} + +type SearchPublicPostsRequest struct { + // Query to search for + Query string `json:"query"` + // Offset of the first entry to return as received from the previous request; use empty string to get the first chunk of results + Offset string `json:"offset"` + // The maximum number of messages to be returned; up to 100. For optimal performance, the number of returned messages is chosen by TDLib and can be smaller than the specified limit + Limit int32 `json:"limit"` + // The Telegram Star amount the user agreed to pay for the search; pass 0 for free searches + StarCount int64 `json:"star_count"` +} + +// Searches for public channel posts using the given query. For optimal performance, the number of returned messages is chosen by TDLib and can be smaller than the specified limit +func (client *Client) SearchPublicPosts(req *SearchPublicPostsRequest) (*FoundPublicPosts, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "searchPublicPosts", + }, + Data: map[string]interface{}{ + "query": req.Query, + "offset": req.Offset, + "limit": req.Limit, + "star_count": req.StarCount, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalFoundPublicPosts(result.Data) +} + +type SearchPublicMessagesByTagRequest struct { + // Hashtag or cashtag to search for + Tag string `json:"tag"` + // Offset of the first entry to return as received from the previous request; use empty string to get the first chunk of results + Offset string `json:"offset"` + // The maximum number of messages to be returned; up to 100. For optimal performance, the number of returned messages is chosen by TDLib and can be smaller than the specified limit + Limit int32 `json:"limit"` +} + +// Searches for public channel posts containing the given hashtag or cashtag. For optimal performance, the number of returned messages is chosen by TDLib and can be smaller than the specified limit +func (client *Client) SearchPublicMessagesByTag(req *SearchPublicMessagesByTagRequest) (*FoundMessages, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "searchPublicMessagesByTag", + }, + Data: map[string]interface{}{ + "tag": req.Tag, + "offset": req.Offset, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalFoundMessages(result.Data) +} + +type SearchPublicStoriesByTagRequest struct { + // Identifier of the chat that posted the stories to search for; pass 0 to search stories in all chats + StoryPosterChatId int64 `json:"story_poster_chat_id"` + // Hashtag or cashtag to search for + Tag string `json:"tag"` + // Offset of the first entry to return as received from the previous request; use empty string to get the first chunk of results + Offset string `json:"offset"` + // The maximum number of stories to be returned; up to 100. For optimal performance, the number of returned stories is chosen by TDLib and can be smaller than the specified limit + Limit int32 `json:"limit"` +} + +// Searches for public stories containing the given hashtag or cashtag. For optimal performance, the number of returned stories is chosen by TDLib and can be smaller than the specified limit +func (client *Client) SearchPublicStoriesByTag(req *SearchPublicStoriesByTagRequest) (*FoundStories, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "searchPublicStoriesByTag", + }, + Data: map[string]interface{}{ + "story_poster_chat_id": req.StoryPosterChatId, + "tag": req.Tag, + "offset": req.Offset, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalFoundStories(result.Data) +} + +type SearchPublicStoriesByLocationRequest struct { + // Address of the location + Address *LocationAddress `json:"address"` + // Offset of the first entry to return as received from the previous request; use empty string to get the first chunk of results + Offset string `json:"offset"` + // The maximum number of stories to be returned; up to 100. For optimal performance, the number of returned stories is chosen by TDLib and can be smaller than the specified limit + Limit int32 `json:"limit"` +} + +// Searches for public stories by the given address location. For optimal performance, the number of returned stories is chosen by TDLib and can be smaller than the specified limit +func (client *Client) SearchPublicStoriesByLocation(req *SearchPublicStoriesByLocationRequest) (*FoundStories, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "searchPublicStoriesByLocation", + }, + Data: map[string]interface{}{ + "address": req.Address, + "offset": req.Offset, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalFoundStories(result.Data) +} + +type SearchPublicStoriesByVenueRequest struct { + // Provider of the venue + VenueProvider string `json:"venue_provider"` + // Identifier of the venue in the provider database + VenueId string `json:"venue_id"` + // Offset of the first entry to return as received from the previous request; use empty string to get the first chunk of results + Offset string `json:"offset"` + // The maximum number of stories to be returned; up to 100. For optimal performance, the number of returned stories is chosen by TDLib and can be smaller than the specified limit + Limit int32 `json:"limit"` +} + +// Searches for public stories from the given venue. For optimal performance, the number of returned stories is chosen by TDLib and can be smaller than the specified limit +func (client *Client) SearchPublicStoriesByVenue(req *SearchPublicStoriesByVenueRequest) (*FoundStories, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "searchPublicStoriesByVenue", + }, + Data: map[string]interface{}{ + "venue_provider": req.VenueProvider, + "venue_id": req.VenueId, + "offset": req.Offset, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalFoundStories(result.Data) +} + +type GetSearchedForTagsRequest struct { + // Prefix of hashtags or cashtags to return + TagPrefix string `json:"tag_prefix"` + // The maximum number of items to be returned + Limit int32 `json:"limit"` +} + +// Returns recently searched for hashtags or cashtags by their prefix +func (client *Client) GetSearchedForTags(req *GetSearchedForTagsRequest) (*Hashtags, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getSearchedForTags", + }, + Data: map[string]interface{}{ + "tag_prefix": req.TagPrefix, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalHashtags(result.Data) +} + +type RemoveSearchedForTagRequest struct { + // Hashtag or cashtag to delete + Tag string `json:"tag"` +} + +// Removes a hashtag or a cashtag from the list of recently searched for hashtags or cashtags +func (client *Client) RemoveSearchedForTag(req *RemoveSearchedForTagRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "removeSearchedForTag", + }, + Data: map[string]interface{}{ + "tag": req.Tag, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type ClearSearchedForTagsRequest struct { + // Pass true to clear the list of recently searched for cashtags; otherwise, the list of recently searched for hashtags will be cleared + ClearCashtags bool `json:"clear_cashtags"` +} + +// Clears the list of recently searched for hashtags or cashtags +func (client *Client) ClearSearchedForTags(req *ClearSearchedForTagsRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "clearSearchedForTags", + }, + Data: map[string]interface{}{ + "clear_cashtags": req.ClearCashtags, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type DeleteAllCallMessagesRequest struct { + // Pass true to delete the messages for all users + Revoke bool `json:"revoke"` } // Deletes all call messages func (client *Client) DeleteAllCallMessages(req *DeleteAllCallMessagesRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "deleteAllCallMessages", - }, - Data: map[string]interface{}{ - "revoke": req.Revoke, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "deleteAllCallMessages", + }, + Data: map[string]interface{}{ + "revoke": req.Revoke, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SearchChatRecentLocationMessagesRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // The maximum number of messages to be returned - Limit int32 `json:"limit"` +type SearchChatRecentLocationMessagesRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // The maximum number of messages to be returned + Limit int32 `json:"limit"` } // Returns information about the recent locations of chat members that were sent to the chat. Returns up to 1 location message per user func (client *Client) SearchChatRecentLocationMessages(req *SearchChatRecentLocationMessagesRequest) (*Messages, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "searchChatRecentLocationMessages", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "limit": req.Limit, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "searchChatRecentLocationMessages", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalMessages(result.Data) + return UnmarshalMessages(result.Data) } -// Returns all active live locations that need to be updated by the application. The list is persistent across application restarts only if the message database is used -func (client *Client) GetActiveLiveLocationMessages() (*Messages, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getActiveLiveLocationMessages", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } - - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } - - return UnmarshalMessages(result.Data) +type GetChatMessageByDateRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Point in time (Unix timestamp) relative to which to search for messages + Date int32 `json:"date"` } -type GetChatMessageByDateRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // Point in time (Unix timestamp) relative to which to search for messages - Date int32 `json:"date"` -} - -// Returns the last message sent in a chat no later than the specified date +// Returns the last message sent in a chat no later than the specified date. Returns a 404 error if such message doesn't exist func (client *Client) GetChatMessageByDate(req *GetChatMessageByDateRequest) (*Message, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getChatMessageByDate", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "date": req.Date, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getChatMessageByDate", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "date": req.Date, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalMessage(result.Data) + return UnmarshalMessage(result.Data) } -type GetChatSparseMessagePositionsRequest struct { - // Identifier of the chat in which to return information about message positions - ChatId int64 `json:"chat_id"` - // Filter for message content. Filters searchMessagesFilterEmpty, searchMessagesFilterMention, searchMessagesFilterUnreadMention, and searchMessagesFilterUnreadReaction are unsupported in this function - Filter SearchMessagesFilter `json:"filter"` - // The message identifier from which to return information about message positions - FromMessageId int64 `json:"from_message_id"` - // The expected number of message positions to be returned; 50-2000. A smaller number of positions can be returned, if there are not enough appropriate messages - Limit int32 `json:"limit"` +type GetChatSparseMessagePositionsRequest struct { + // Identifier of the chat in which to return information about message positions + ChatId int64 `json:"chat_id"` + // Filter for message content. Filters searchMessagesFilterEmpty, searchMessagesFilterMention, searchMessagesFilterUnreadMention, and searchMessagesFilterUnreadReaction are unsupported in this function + Filter SearchMessagesFilter `json:"filter"` + // The message identifier from which to return information about message positions + FromMessageId int64 `json:"from_message_id"` + // The expected number of message positions to be returned; 50-2000. A smaller number of positions can be returned, if there are not enough appropriate messages + Limit int32 `json:"limit"` + // If not 0, only messages in the specified Saved Messages topic will be considered; pass 0 to consider all messages, or for chats other than Saved Messages + SavedMessagesTopicId int64 `json:"saved_messages_topic_id"` } // Returns sparse positions of messages of the specified type in the chat to be used for shared media scroll implementation. Returns the results in reverse chronological order (i.e., in order of decreasing message_id). Cannot be used in secret chats or with searchMessagesFilterFailedToSend filter without an enabled message database func (client *Client) GetChatSparseMessagePositions(req *GetChatSparseMessagePositionsRequest) (*MessagePositions, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getChatSparseMessagePositions", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "filter": req.Filter, - "from_message_id": req.FromMessageId, - "limit": req.Limit, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getChatSparseMessagePositions", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "filter": req.Filter, + "from_message_id": req.FromMessageId, + "limit": req.Limit, + "saved_messages_topic_id": req.SavedMessagesTopicId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalMessagePositions(result.Data) + return UnmarshalMessagePositions(result.Data) } -type GetChatMessageCalendarRequest struct { - // Identifier of the chat in which to return information about messages - ChatId int64 `json:"chat_id"` - // Filter for message content. Filters searchMessagesFilterEmpty, searchMessagesFilterMention, searchMessagesFilterUnreadMention, and searchMessagesFilterUnreadReaction are unsupported in this function - Filter SearchMessagesFilter `json:"filter"` - // The message identifier from which to return information about messages; use 0 to get results from the last message - FromMessageId int64 `json:"from_message_id"` +type GetChatMessageCalendarRequest struct { + // Identifier of the chat in which to return information about messages + ChatId int64 `json:"chat_id"` + // Pass topic identifier to get the result only in specific topic; pass null to get the result in all topics; forum topics and message threads aren't supported + TopicId MessageTopic `json:"topic_id"` + // Filter for message content. Filters searchMessagesFilterEmpty, searchMessagesFilterMention, searchMessagesFilterUnreadMention, and searchMessagesFilterUnreadReaction are unsupported in this function + Filter SearchMessagesFilter `json:"filter"` + // The message identifier from which to return information about messages; use 0 to get results from the last message + FromMessageId int64 `json:"from_message_id"` } // Returns information about the next messages of the specified type in the chat split by days. Returns the results in reverse chronological order. Can return partial result for the last returned day. Behavior of this method depends on the value of the option "utc_time_offset" func (client *Client) GetChatMessageCalendar(req *GetChatMessageCalendarRequest) (*MessageCalendar, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getChatMessageCalendar", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "filter": req.Filter, - "from_message_id": req.FromMessageId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getChatMessageCalendar", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "topic_id": req.TopicId, + "filter": req.Filter, + "from_message_id": req.FromMessageId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalMessageCalendar(result.Data) + return UnmarshalMessageCalendar(result.Data) } -type GetChatMessageCountRequest struct { - // Identifier of the chat in which to count messages - ChatId int64 `json:"chat_id"` - // Filter for message content; searchMessagesFilterEmpty is unsupported in this function - Filter SearchMessagesFilter `json:"filter"` - // Pass true to get the number of messages without sending network requests, or -1 if the number of messages is unknown locally - ReturnLocal bool `json:"return_local"` +type GetChatMessageCountRequest struct { + // Identifier of the chat in which to count messages + ChatId int64 `json:"chat_id"` + // Pass topic identifier to get number of messages only in specific topic; pass null to get number of messages in all topics; message threads aren't supported + TopicId MessageTopic `json:"topic_id"` + // Filter for message content; searchMessagesFilterEmpty is unsupported in this function + Filter SearchMessagesFilter `json:"filter"` + // Pass true to get the number of messages without sending network requests, or -1 if the number of messages is unknown locally + ReturnLocal bool `json:"return_local"` } -// Returns approximate number of messages of the specified type in the chat +// Returns approximate number of messages of the specified type in the chat or its topic func (client *Client) GetChatMessageCount(req *GetChatMessageCountRequest) (*Count, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getChatMessageCount", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "filter": req.Filter, - "return_local": req.ReturnLocal, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getChatMessageCount", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "topic_id": req.TopicId, + "filter": req.Filter, + "return_local": req.ReturnLocal, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalCount(result.Data) + return UnmarshalCount(result.Data) } -type GetChatMessagePositionRequest struct { - // Identifier of the chat in which to find message position - ChatId int64 `json:"chat_id"` - // Message identifier - MessageId int64 `json:"message_id"` - // Filter for message content; searchMessagesFilterEmpty, searchMessagesFilterUnreadMention, searchMessagesFilterUnreadReaction, and searchMessagesFilterFailedToSend are unsupported in this function - Filter SearchMessagesFilter `json:"filter"` - // If not 0, only messages in the specified thread will be considered; supergroups only - MessageThreadId int64 `json:"message_thread_id"` +type GetChatMessagePositionRequest struct { + // Identifier of the chat in which to find message position + ChatId int64 `json:"chat_id"` + // Pass topic identifier to get position among messages only in specific topic; pass null to get position among all chat messages; message threads aren't supported + TopicId MessageTopic `json:"topic_id"` + // Filter for message content; searchMessagesFilterEmpty, searchMessagesFilterUnreadMention, searchMessagesFilterUnreadReaction, and searchMessagesFilterFailedToSend are unsupported in this function + Filter SearchMessagesFilter `json:"filter"` + // Message identifier + MessageId int64 `json:"message_id"` } -// Returns approximate 1-based position of a message among messages, which can be found by the specified filter in the chat. Cannot be used in secret chats +// Returns approximate 1-based position of a message among messages, which can be found by the specified filter in the chat and topic. Cannot be used in secret chats func (client *Client) GetChatMessagePosition(req *GetChatMessagePositionRequest) (*Count, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getChatMessagePosition", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_id": req.MessageId, - "filter": req.Filter, - "message_thread_id": req.MessageThreadId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getChatMessagePosition", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "topic_id": req.TopicId, + "filter": req.Filter, + "message_id": req.MessageId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalCount(result.Data) + return UnmarshalCount(result.Data) } -type GetChatScheduledMessagesRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` +type GetChatScheduledMessagesRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` } -// Returns all scheduled messages in a chat. The messages are returned in a reverse chronological order (i.e., in order of decreasing message_id) +// Returns all scheduled messages in a chat. The messages are returned in reverse chronological order (i.e., in order of decreasing message_id) func (client *Client) GetChatScheduledMessages(req *GetChatScheduledMessagesRequest) (*Messages, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getChatScheduledMessages", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getChatScheduledMessages", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalMessages(result.Data) + return UnmarshalMessages(result.Data) } -type GetMessagePublicForwardsRequest struct { - // Chat identifier of the message - ChatId int64 `json:"chat_id"` - // Message identifier - MessageId int64 `json:"message_id"` - // Offset of the first entry to return as received from the previous request; use empty string to get the first chunk of results - Offset string `json:"offset"` - // The maximum number of messages to be returned; must be positive and can't be greater than 100. For optimal performance, the number of returned messages is chosen by TDLib and can be smaller than the specified limit - Limit int32 `json:"limit"` +type GetChatSponsoredMessagesRequest struct { + // Identifier of the chat + ChatId int64 `json:"chat_id"` } -// Returns forwarded copies of a channel message to different public channels. For optimal performance, the number of returned messages is chosen by TDLib -func (client *Client) GetMessagePublicForwards(req *GetMessagePublicForwardsRequest) (*FoundMessages, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getMessagePublicForwards", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_id": req.MessageId, - "offset": req.Offset, - "limit": req.Limit, - }, - }) - if err != nil { - return nil, err - } - - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } - - return UnmarshalFoundMessages(result.Data) -} - -type GetChatSponsoredMessagesRequest struct { - // Identifier of the chat - ChatId int64 `json:"chat_id"` -} - -// Returns sponsored messages to be shown in a chat; for channel chats only +// Returns sponsored messages to be shown in a chat; for channel chats and chats with bots only func (client *Client) GetChatSponsoredMessages(req *GetChatSponsoredMessagesRequest) (*SponsoredMessages, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getChatSponsoredMessages", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getChatSponsoredMessages", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalSponsoredMessages(result.Data) + return UnmarshalSponsoredMessages(result.Data) } -type RemoveNotificationRequest struct { - // Identifier of notification group to which the notification belongs - NotificationGroupId int32 `json:"notification_group_id"` - // Identifier of removed notification - NotificationId int32 `json:"notification_id"` +type ClickChatSponsoredMessageRequest struct { + // Chat identifier of the sponsored message + ChatId int64 `json:"chat_id"` + // Identifier of the sponsored message + MessageId int64 `json:"message_id"` + // Pass true if the media was clicked in the sponsored message + IsMediaClick bool `json:"is_media_click"` + // Pass true if the user expanded the video from the sponsored message fullscreen before the click + FromFullscreen bool `json:"from_fullscreen"` +} + +// Informs TDLib that the user opened the sponsored chat via the button, the name, the chat photo, a mention in the sponsored message text, or the media in the sponsored message +func (client *Client) ClickChatSponsoredMessage(req *ClickChatSponsoredMessageRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "clickChatSponsoredMessage", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + "is_media_click": req.IsMediaClick, + "from_fullscreen": req.FromFullscreen, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type ReportChatSponsoredMessageRequest struct { + // Chat identifier of the sponsored message + ChatId int64 `json:"chat_id"` + // Identifier of the sponsored message + MessageId int64 `json:"message_id"` + // Option identifier chosen by the user; leave empty for the initial request + OptionId []byte `json:"option_id"` +} + +// Reports a sponsored message to Telegram moderators +func (client *Client) ReportChatSponsoredMessage(req *ReportChatSponsoredMessageRequest) (ReportSponsoredResult, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "reportChatSponsoredMessage", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + "option_id": req.OptionId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + switch result.Type { + case TypeReportSponsoredResultOk: + return UnmarshalReportSponsoredResultOk(result.Data) + + case TypeReportSponsoredResultFailed: + return UnmarshalReportSponsoredResultFailed(result.Data) + + case TypeReportSponsoredResultOptionRequired: + return UnmarshalReportSponsoredResultOptionRequired(result.Data) + + case TypeReportSponsoredResultAdsHidden: + return UnmarshalReportSponsoredResultAdsHidden(result.Data) + + case TypeReportSponsoredResultPremiumRequired: + return UnmarshalReportSponsoredResultPremiumRequired(result.Data) + + default: + return nil, errors.New("invalid type") + } +} + +type GetSearchSponsoredChatsRequest struct { + // Query the user searches for + Query string `json:"query"` +} + +// Returns sponsored chats to be shown in the search results +func (client *Client) GetSearchSponsoredChats(req *GetSearchSponsoredChatsRequest) (*SponsoredChats, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getSearchSponsoredChats", + }, + Data: map[string]interface{}{ + "query": req.Query, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalSponsoredChats(result.Data) +} + +type ViewSponsoredChatRequest struct { + // Unique identifier of the sponsored chat + SponsoredChatUniqueId int64 `json:"sponsored_chat_unique_id"` +} + +// Informs TDLib that the user fully viewed a sponsored chat +func (client *Client) ViewSponsoredChat(req *ViewSponsoredChatRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "viewSponsoredChat", + }, + Data: map[string]interface{}{ + "sponsored_chat_unique_id": req.SponsoredChatUniqueId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type OpenSponsoredChatRequest struct { + // Unique identifier of the sponsored chat + SponsoredChatUniqueId int64 `json:"sponsored_chat_unique_id"` +} + +// Informs TDLib that the user opened a sponsored chat +func (client *Client) OpenSponsoredChat(req *OpenSponsoredChatRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "openSponsoredChat", + }, + Data: map[string]interface{}{ + "sponsored_chat_unique_id": req.SponsoredChatUniqueId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type ReportSponsoredChatRequest struct { + // Unique identifier of the sponsored chat + SponsoredChatUniqueId int64 `json:"sponsored_chat_unique_id"` + // Option identifier chosen by the user; leave empty for the initial request + OptionId []byte `json:"option_id"` +} + +// Reports a sponsored chat to Telegram moderators +func (client *Client) ReportSponsoredChat(req *ReportSponsoredChatRequest) (ReportSponsoredResult, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "reportSponsoredChat", + }, + Data: map[string]interface{}{ + "sponsored_chat_unique_id": req.SponsoredChatUniqueId, + "option_id": req.OptionId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + switch result.Type { + case TypeReportSponsoredResultOk: + return UnmarshalReportSponsoredResultOk(result.Data) + + case TypeReportSponsoredResultFailed: + return UnmarshalReportSponsoredResultFailed(result.Data) + + case TypeReportSponsoredResultOptionRequired: + return UnmarshalReportSponsoredResultOptionRequired(result.Data) + + case TypeReportSponsoredResultAdsHidden: + return UnmarshalReportSponsoredResultAdsHidden(result.Data) + + case TypeReportSponsoredResultPremiumRequired: + return UnmarshalReportSponsoredResultPremiumRequired(result.Data) + + default: + return nil, errors.New("invalid type") + } +} + +type GetVideoMessageAdvertisementsRequest struct { + // Identifier of the chat with the message + ChatId int64 `json:"chat_id"` + // Identifier of the message + MessageId int64 `json:"message_id"` +} + +// Returns advertisements to be shown while a video from a message is watched. Available only if messageProperties.can_get_video_advertisements +func (client *Client) GetVideoMessageAdvertisements(req *GetVideoMessageAdvertisementsRequest) (*VideoMessageAdvertisements, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getVideoMessageAdvertisements", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalVideoMessageAdvertisements(result.Data) +} + +type ViewVideoMessageAdvertisementRequest struct { + // Unique identifier of the advertisement + AdvertisementUniqueId int64 `json:"advertisement_unique_id"` +} + +// Informs TDLib that the user viewed a video message advertisement +func (client *Client) ViewVideoMessageAdvertisement(req *ViewVideoMessageAdvertisementRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "viewVideoMessageAdvertisement", + }, + Data: map[string]interface{}{ + "advertisement_unique_id": req.AdvertisementUniqueId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type ClickVideoMessageAdvertisementRequest struct { + // Unique identifier of the advertisement + AdvertisementUniqueId int64 `json:"advertisement_unique_id"` +} + +// Informs TDLib that the user clicked a video message advertisement +func (client *Client) ClickVideoMessageAdvertisement(req *ClickVideoMessageAdvertisementRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "clickVideoMessageAdvertisement", + }, + Data: map[string]interface{}{ + "advertisement_unique_id": req.AdvertisementUniqueId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type ReportVideoMessageAdvertisementRequest struct { + // Unique identifier of the advertisement + AdvertisementUniqueId int64 `json:"advertisement_unique_id"` + // Option identifier chosen by the user; leave empty for the initial request + OptionId []byte `json:"option_id"` +} + +// Reports a video message advertisement to Telegram moderators +func (client *Client) ReportVideoMessageAdvertisement(req *ReportVideoMessageAdvertisementRequest) (ReportSponsoredResult, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "reportVideoMessageAdvertisement", + }, + Data: map[string]interface{}{ + "advertisement_unique_id": req.AdvertisementUniqueId, + "option_id": req.OptionId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + switch result.Type { + case TypeReportSponsoredResultOk: + return UnmarshalReportSponsoredResultOk(result.Data) + + case TypeReportSponsoredResultFailed: + return UnmarshalReportSponsoredResultFailed(result.Data) + + case TypeReportSponsoredResultOptionRequired: + return UnmarshalReportSponsoredResultOptionRequired(result.Data) + + case TypeReportSponsoredResultAdsHidden: + return UnmarshalReportSponsoredResultAdsHidden(result.Data) + + case TypeReportSponsoredResultPremiumRequired: + return UnmarshalReportSponsoredResultPremiumRequired(result.Data) + + default: + return nil, errors.New("invalid type") + } +} + +type RemoveNotificationRequest struct { + // Identifier of notification group to which the notification belongs + NotificationGroupId int32 `json:"notification_group_id"` + // Identifier of removed notification + NotificationId int32 `json:"notification_id"` } // Removes an active notification from notification list. Needs to be called only if the notification is removed by the current user func (client *Client) RemoveNotification(req *RemoveNotificationRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "removeNotification", - }, - Data: map[string]interface{}{ - "notification_group_id": req.NotificationGroupId, - "notification_id": req.NotificationId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "removeNotification", + }, + Data: map[string]interface{}{ + "notification_group_id": req.NotificationGroupId, + "notification_id": req.NotificationId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type RemoveNotificationGroupRequest struct { - // Notification group identifier - NotificationGroupId int32 `json:"notification_group_id"` - // The maximum identifier of removed notifications - MaxNotificationId int32 `json:"max_notification_id"` +type RemoveNotificationGroupRequest struct { + // Notification group identifier + NotificationGroupId int32 `json:"notification_group_id"` + // The maximum identifier of removed notifications + MaxNotificationId int32 `json:"max_notification_id"` } // Removes a group of active notifications. Needs to be called only if the notification group is removed by the current user func (client *Client) RemoveNotificationGroup(req *RemoveNotificationGroupRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "removeNotificationGroup", - }, - Data: map[string]interface{}{ - "notification_group_id": req.NotificationGroupId, - "max_notification_id": req.MaxNotificationId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "removeNotificationGroup", + }, + Data: map[string]interface{}{ + "notification_group_id": req.NotificationGroupId, + "max_notification_id": req.MaxNotificationId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type GetMessageLinkRequest struct { - // Identifier of the chat to which the message belongs - ChatId int64 `json:"chat_id"` - // Identifier of the message - MessageId int64 `json:"message_id"` - // If not 0, timestamp from which the video/audio/video note/voice note playing must start, in seconds. The media can be in the message content or in its web page preview - MediaTimestamp int32 `json:"media_timestamp"` - // Pass true to create a link for the whole media album - ForAlbum bool `json:"for_album"` - // Pass true to create a link to the message as a channel post comment, in a message thread, or a forum topic - InMessageThread bool `json:"in_message_thread"` +type GetMessageLinkRequest struct { + // Identifier of the chat to which the message belongs + ChatId int64 `json:"chat_id"` + // Identifier of the message + MessageId int64 `json:"message_id"` + // If not 0, timestamp from which the video/audio/video note/voice note/story playing must start, in seconds. The media can be in the message content or in its link preview + MediaTimestamp int32 `json:"media_timestamp"` + // Pass true to create a link for the whole media album + ForAlbum bool `json:"for_album"` + // Pass true to create a link to the message as a channel post comment, in a message thread, or a forum topic + InMessageThread bool `json:"in_message_thread"` } -// Returns an HTTPS link to a message in a chat. Available only for already sent messages in supergroups and channels, or if message.can_get_media_timestamp_links and a media timestamp link is generated. This is an offline request +// Returns an HTTPS link to a message in a chat. Available only if messageProperties.can_get_link, or if messageProperties.can_get_media_timestamp_links and a media timestamp link is generated. This is an offline method func (client *Client) GetMessageLink(req *GetMessageLinkRequest) (*MessageLink, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getMessageLink", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_id": req.MessageId, - "media_timestamp": req.MediaTimestamp, - "for_album": req.ForAlbum, - "in_message_thread": req.InMessageThread, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getMessageLink", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + "media_timestamp": req.MediaTimestamp, + "for_album": req.ForAlbum, + "in_message_thread": req.InMessageThread, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalMessageLink(result.Data) + return UnmarshalMessageLink(result.Data) } -type GetMessageEmbeddingCodeRequest struct { - // Identifier of the chat to which the message belongs - ChatId int64 `json:"chat_id"` - // Identifier of the message - MessageId int64 `json:"message_id"` - // Pass true to return an HTML code for embedding of the whole media album - ForAlbum bool `json:"for_album"` +type GetMessageEmbeddingCodeRequest struct { + // Identifier of the chat to which the message belongs + ChatId int64 `json:"chat_id"` + // Identifier of the message + MessageId int64 `json:"message_id"` + // Pass true to return an HTML code for embedding of the whole media album + ForAlbum bool `json:"for_album"` } -// Returns an HTML code for embedding the message. Available only for messages in supergroups and channels with a username +// Returns an HTML code for embedding the message. Available only if messageProperties.can_get_embedding_code func (client *Client) GetMessageEmbeddingCode(req *GetMessageEmbeddingCodeRequest) (*Text, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getMessageEmbeddingCode", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_id": req.MessageId, - "for_album": req.ForAlbum, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getMessageEmbeddingCode", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + "for_album": req.ForAlbum, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalText(result.Data) + return UnmarshalText(result.Data) } -type GetMessageLinkInfoRequest struct { - // The message link - Url string `json:"url"` +type GetMessageLinkInfoRequest struct { + // The message link + Url string `json:"url"` } // Returns information about a public or private message link. Can be called for any internal link of the type internalLinkTypeMessage func (client *Client) GetMessageLinkInfo(req *GetMessageLinkInfoRequest) (*MessageLinkInfo, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getMessageLinkInfo", - }, - Data: map[string]interface{}{ - "url": req.Url, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getMessageLinkInfo", + }, + Data: map[string]interface{}{ + "url": req.Url, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalMessageLinkInfo(result.Data) + return UnmarshalMessageLinkInfo(result.Data) } -type TranslateTextRequest struct { - // Text to translate - Text *FormattedText `json:"text"` - // Language code of the language to which the message is translated. Must be one of "af", "sq", "am", "ar", "hy", "az", "eu", "be", "bn", "bs", "bg", "ca", "ceb", "zh-CN", "zh", "zh-Hans", "zh-TW", "zh-Hant", "co", "hr", "cs", "da", "nl", "en", "eo", "et", "fi", "fr", "fy", "gl", "ka", "de", "el", "gu", "ht", "ha", "haw", "he", "iw", "hi", "hmn", "hu", "is", "ig", "id", "in", "ga", "it", "ja", "jv", "kn", "kk", "km", "rw", "ko", "ku", "ky", "lo", "la", "lv", "lt", "lb", "mk", "mg", "ms", "ml", "mt", "mi", "mr", "mn", "my", "ne", "no", "ny", "or", "ps", "fa", "pl", "pt", "pa", "ro", "ru", "sm", "gd", "sr", "st", "sn", "sd", "si", "sk", "sl", "so", "es", "su", "sw", "sv", "tl", "tg", "ta", "tt", "te", "th", "tr", "tk", "uk", "ur", "ug", "uz", "vi", "cy", "xh", "yi", "ji", "yo", "zu" - ToLanguageCode string `json:"to_language_code"` +type TranslateTextRequest struct { + // Text to translate + Text *FormattedText `json:"text"` + // Language code of the language to which the message is translated. Must be one of "af", "sq", "am", "ar", "hy", "az", "eu", "be", "bn", "bs", "bg", "ca", "ceb", "zh-CN", "zh", "zh-Hans", "zh-TW", "zh-Hant", "co", "hr", "cs", "da", "nl", "en", "eo", "et", "fi", "fr", "fy", "gl", "ka", "de", "el", "gu", "ht", "ha", "haw", "he", "iw", "hi", "hmn", "hu", "is", "ig", "id", "in", "ga", "it", "ja", "jv", "kn", "kk", "km", "rw", "ko", "ku", "ky", "lo", "la", "lv", "lt", "lb", "mk", "mg", "ms", "ml", "mt", "mi", "mr", "mn", "my", "ne", "no", "ny", "or", "ps", "fa", "pl", "pt", "pa", "ro", "ru", "sm", "gd", "sr", "st", "sn", "sd", "si", "sk", "sl", "so", "es", "su", "sw", "sv", "tl", "tg", "ta", "tt", "te", "th", "tr", "tk", "uk", "ur", "ug", "uz", "vi", "cy", "xh", "yi", "ji", "yo", "zu" + ToLanguageCode string `json:"to_language_code"` } // Translates a text to the given language. If the current user is a Telegram Premium user, then text formatting is preserved func (client *Client) TranslateText(req *TranslateTextRequest) (*FormattedText, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "translateText", - }, - Data: map[string]interface{}{ - "text": req.Text, - "to_language_code": req.ToLanguageCode, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "translateText", + }, + Data: map[string]interface{}{ + "text": req.Text, + "to_language_code": req.ToLanguageCode, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalFormattedText(result.Data) + return UnmarshalFormattedText(result.Data) } -type TranslateMessageTextRequest struct { - // Identifier of the chat to which the message belongs - ChatId int64 `json:"chat_id"` - // Identifier of the message - MessageId int64 `json:"message_id"` - // Language code of the language to which the message is translated. Must be one of "af", "sq", "am", "ar", "hy", "az", "eu", "be", "bn", "bs", "bg", "ca", "ceb", "zh-CN", "zh", "zh-Hans", "zh-TW", "zh-Hant", "co", "hr", "cs", "da", "nl", "en", "eo", "et", "fi", "fr", "fy", "gl", "ka", "de", "el", "gu", "ht", "ha", "haw", "he", "iw", "hi", "hmn", "hu", "is", "ig", "id", "in", "ga", "it", "ja", "jv", "kn", "kk", "km", "rw", "ko", "ku", "ky", "lo", "la", "lv", "lt", "lb", "mk", "mg", "ms", "ml", "mt", "mi", "mr", "mn", "my", "ne", "no", "ny", "or", "ps", "fa", "pl", "pt", "pa", "ro", "ru", "sm", "gd", "sr", "st", "sn", "sd", "si", "sk", "sl", "so", "es", "su", "sw", "sv", "tl", "tg", "ta", "tt", "te", "th", "tr", "tk", "uk", "ur", "ug", "uz", "vi", "cy", "xh", "yi", "ji", "yo", "zu" - ToLanguageCode string `json:"to_language_code"` +type TranslateMessageTextRequest struct { + // Identifier of the chat to which the message belongs + ChatId int64 `json:"chat_id"` + // Identifier of the message + MessageId int64 `json:"message_id"` + // Language code of the language to which the message is translated. See translateText.to_language_code for the list of supported values + ToLanguageCode string `json:"to_language_code"` } // Extracts text or caption of the given message and translates it to the given language. If the current user is a Telegram Premium user, then text formatting is preserved func (client *Client) TranslateMessageText(req *TranslateMessageTextRequest) (*FormattedText, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "translateMessageText", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_id": req.MessageId, - "to_language_code": req.ToLanguageCode, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "translateMessageText", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + "to_language_code": req.ToLanguageCode, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalFormattedText(result.Data) + return UnmarshalFormattedText(result.Data) } -type RecognizeSpeechRequest struct { - // Identifier of the chat to which the message belongs - ChatId int64 `json:"chat_id"` - // Identifier of the message - MessageId int64 `json:"message_id"` +type SummarizeMessageRequest struct { + // Identifier of the chat to which the message belongs + ChatId int64 `json:"chat_id"` + // Identifier of the message + MessageId int64 `json:"message_id"` + // Pass a language code to which the summary will be translated; may be empty if translation isn't needed. See translateText.to_language_code for the list of supported values + TranslateToLanguageCode string `json:"translate_to_language_code"` } -// Recognizes speech in a video note or a voice note message. The message must be successfully sent and must not be scheduled. May return an error with a message "MSG_VOICE_TOO_LONG" if media duration is too big to be recognized +// Summarizes content of the message with non-empty summary_language_code +func (client *Client) SummarizeMessage(req *SummarizeMessageRequest) (*FormattedText, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "summarizeMessage", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + "translate_to_language_code": req.TranslateToLanguageCode, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalFormattedText(result.Data) +} + +type RecognizeSpeechRequest struct { + // Identifier of the chat to which the message belongs + ChatId int64 `json:"chat_id"` + // Identifier of the message. Use messageProperties.can_recognize_speech to check whether the message is suitable + MessageId int64 `json:"message_id"` +} + +// Recognizes speech in a video note or a voice note message func (client *Client) RecognizeSpeech(req *RecognizeSpeechRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "recognizeSpeech", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_id": req.MessageId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "recognizeSpeech", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type RateSpeechRecognitionRequest struct { - // Identifier of the chat to which the message belongs - ChatId int64 `json:"chat_id"` - // Identifier of the message - MessageId int64 `json:"message_id"` - // Pass true if the speech recognition is good - IsGood bool `json:"is_good"` +type RateSpeechRecognitionRequest struct { + // Identifier of the chat to which the message belongs + ChatId int64 `json:"chat_id"` + // Identifier of the message + MessageId int64 `json:"message_id"` + // Pass true if the speech recognition is good + IsGood bool `json:"is_good"` } // Rates recognized speech in a video note or a voice note message func (client *Client) RateSpeechRecognition(req *RateSpeechRecognitionRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "rateSpeechRecognition", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_id": req.MessageId, - "is_good": req.IsGood, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "rateSpeechRecognition", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + "is_good": req.IsGood, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type GetChatAvailableMessageSendersRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` +type GetChatAvailableMessageSendersRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` } -// Returns list of message sender identifiers, which can be used to send messages in a chat +// Returns the list of message sender identifiers, which can be used to send messages in a chat func (client *Client) GetChatAvailableMessageSenders(req *GetChatAvailableMessageSendersRequest) (*ChatMessageSenders, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getChatAvailableMessageSenders", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getChatAvailableMessageSenders", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalChatMessageSenders(result.Data) + return UnmarshalChatMessageSenders(result.Data) } -type SetChatMessageSenderRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // New message sender for the chat - MessageSenderId MessageSender `json:"message_sender_id"` +type SetChatMessageSenderRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // New message sender for the chat + MessageSenderId MessageSender `json:"message_sender_id"` } // Selects a message sender to send messages in a chat func (client *Client) SetChatMessageSender(req *SetChatMessageSenderRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setChatMessageSender", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_sender_id": req.MessageSenderId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setChatMessageSender", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_sender_id": req.MessageSenderId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SendMessageRequest struct { - // Target chat - ChatId int64 `json:"chat_id"` - // If not 0, a message thread identifier in which the message will be sent - MessageThreadId int64 `json:"message_thread_id"` - // Identifier of the replied message; 0 if none - ReplyToMessageId int64 `json:"reply_to_message_id"` - // Options to be used to send the message; pass null to use default options - Options *MessageSendOptions `json:"options"` - // Markup for replying to the message; pass null if none; for bots only - ReplyMarkup ReplyMarkup `json:"reply_markup"` - // The content of the message to be sent - InputMessageContent InputMessageContent `json:"input_message_content"` +type SendMessageRequest struct { + // Target chat + ChatId int64 `json:"chat_id"` + // Topic in which the message will be sent; pass null if none + TopicId MessageTopic `json:"topic_id"` + // Information about the message or story to be replied; pass null if none + ReplyTo InputMessageReplyTo `json:"reply_to"` + // Options to be used to send the message; pass null to use default options + Options *MessageSendOptions `json:"options"` + // Markup for replying to the message; pass null if none; for bots only + ReplyMarkup ReplyMarkup `json:"reply_markup"` + // The content of the message to be sent + InputMessageContent InputMessageContent `json:"input_message_content"` } // Sends a message. Returns the sent message func (client *Client) SendMessage(req *SendMessageRequest) (*Message, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "sendMessage", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_thread_id": req.MessageThreadId, - "reply_to_message_id": req.ReplyToMessageId, - "options": req.Options, - "reply_markup": req.ReplyMarkup, - "input_message_content": req.InputMessageContent, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "sendMessage", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "topic_id": req.TopicId, + "reply_to": req.ReplyTo, + "options": req.Options, + "reply_markup": req.ReplyMarkup, + "input_message_content": req.InputMessageContent, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalMessage(result.Data) + return UnmarshalMessage(result.Data) } -type SendMessageAlbumRequest struct { - // Target chat - ChatId int64 `json:"chat_id"` - // If not 0, a message thread identifier in which the messages will be sent - MessageThreadId int64 `json:"message_thread_id"` - // Identifier of a replied message; 0 if none - ReplyToMessageId int64 `json:"reply_to_message_id"` - // Options to be used to send the messages; pass null to use default options - Options *MessageSendOptions `json:"options"` - // Contents of messages to be sent. At most 10 messages can be added to an album - InputMessageContents []InputMessageContent `json:"input_message_contents"` - // Pass true to get fake messages instead of actually sending them - OnlyPreview bool `json:"only_preview"` +type SendMessageAlbumRequest struct { + // Target chat + ChatId int64 `json:"chat_id"` + // Topic in which the messages will be sent; pass null if none + TopicId MessageTopic `json:"topic_id"` + // Information about the message or story to be replied; pass null if none + ReplyTo InputMessageReplyTo `json:"reply_to"` + // Options to be used to send the messages; pass null to use default options + Options *MessageSendOptions `json:"options"` + // Contents of messages to be sent. At most 10 messages can be added to an album. All messages must have the same value of show_caption_above_media + InputMessageContents []InputMessageContent `json:"input_message_contents"` } // Sends 2-10 messages grouped together into an album. Currently, only audio, document, photo and video messages can be grouped into an album. Documents and audio files can be only grouped in an album with messages of the same type. Returns sent messages func (client *Client) SendMessageAlbum(req *SendMessageAlbumRequest) (*Messages, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "sendMessageAlbum", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_thread_id": req.MessageThreadId, - "reply_to_message_id": req.ReplyToMessageId, - "options": req.Options, - "input_message_contents": req.InputMessageContents, - "only_preview": req.OnlyPreview, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "sendMessageAlbum", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "topic_id": req.TopicId, + "reply_to": req.ReplyTo, + "options": req.Options, + "input_message_contents": req.InputMessageContents, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalMessages(result.Data) + return UnmarshalMessages(result.Data) } -type SendBotStartMessageRequest struct { - // Identifier of the bot - BotUserId int64 `json:"bot_user_id"` - // Identifier of the target chat - ChatId int64 `json:"chat_id"` - // A hidden parameter sent to the bot for deep linking purposes (https://core.telegram.org/bots#deep-linking) - Parameter string `json:"parameter"` +type SendBotStartMessageRequest struct { + // Identifier of the bot + BotUserId int64 `json:"bot_user_id"` + // Identifier of the target chat + ChatId int64 `json:"chat_id"` + // A hidden parameter sent to the bot for deep linking purposes (https://core.telegram.org/bots#deep-linking) + Parameter string `json:"parameter"` } -// Invites a bot to a chat (if it is not yet a member) and sends it the /start command. Bots can't be invited to a private chat other than the chat with the bot. Bots can't be invited to channels (although they can be added as admins) and secret chats. Returns the sent message +// Invites a bot to a chat (if it is not yet a member) and sends it the /start command; requires can_invite_users member right. Bots can't be invited to a private chat other than the chat with the bot. Bots can't be invited to channels (although they can be added as admins) and secret chats. Returns the sent message func (client *Client) SendBotStartMessage(req *SendBotStartMessageRequest) (*Message, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "sendBotStartMessage", - }, - Data: map[string]interface{}{ - "bot_user_id": req.BotUserId, - "chat_id": req.ChatId, - "parameter": req.Parameter, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "sendBotStartMessage", + }, + Data: map[string]interface{}{ + "bot_user_id": req.BotUserId, + "chat_id": req.ChatId, + "parameter": req.Parameter, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalMessage(result.Data) + return UnmarshalMessage(result.Data) } -type SendInlineQueryResultMessageRequest struct { - // Target chat - ChatId int64 `json:"chat_id"` - // If not 0, a message thread identifier in which the message will be sent - MessageThreadId int64 `json:"message_thread_id"` - // Identifier of a replied message; 0 if none - ReplyToMessageId int64 `json:"reply_to_message_id"` - // Options to be used to send the message; pass null to use default options - Options *MessageSendOptions `json:"options"` - // Identifier of the inline query - QueryId JsonInt64 `json:"query_id"` - // Identifier of the inline result - ResultId string `json:"result_id"` - // Pass true to hide the bot, via which the message is sent. Can be used only for bots getOption("animation_search_bot_username"), getOption("photo_search_bot_username"), and getOption("venue_search_bot_username") - HideViaBot bool `json:"hide_via_bot"` +type SendInlineQueryResultMessageRequest struct { + // Target chat + ChatId int64 `json:"chat_id"` + // Topic in which the message will be sent; pass null if none + TopicId MessageTopic `json:"topic_id"` + // Information about the message or story to be replied; pass null if none + ReplyTo InputMessageReplyTo `json:"reply_to"` + // Options to be used to send the message; pass null to use default options + Options *MessageSendOptions `json:"options"` + // Identifier of the inline query + QueryId JsonInt64 `json:"query_id"` + // Identifier of the inline query result + ResultId string `json:"result_id"` + // Pass true to hide the bot, via which the message is sent. Can be used only for bots getOption("animation_search_bot_username"), getOption("photo_search_bot_username"), and getOption("venue_search_bot_username") + HideViaBot bool `json:"hide_via_bot"` } // Sends the result of an inline query as a message. Returns the sent message. Always clears a chat draft message func (client *Client) SendInlineQueryResultMessage(req *SendInlineQueryResultMessageRequest) (*Message, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "sendInlineQueryResultMessage", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_thread_id": req.MessageThreadId, - "reply_to_message_id": req.ReplyToMessageId, - "options": req.Options, - "query_id": req.QueryId, - "result_id": req.ResultId, - "hide_via_bot": req.HideViaBot, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "sendInlineQueryResultMessage", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "topic_id": req.TopicId, + "reply_to": req.ReplyTo, + "options": req.Options, + "query_id": req.QueryId, + "result_id": req.ResultId, + "hide_via_bot": req.HideViaBot, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalMessage(result.Data) + return UnmarshalMessage(result.Data) } -type ForwardMessagesRequest struct { - // Identifier of the chat to which to forward messages - ChatId int64 `json:"chat_id"` - // If not 0, a message thread identifier in which the message will be sent; for forum threads only - MessageThreadId int64 `json:"message_thread_id"` - // Identifier of the chat from which to forward messages - FromChatId int64 `json:"from_chat_id"` - // Identifiers of the messages to forward. Message identifiers must be in a strictly increasing order. At most 100 messages can be forwarded simultaneously - MessageIds []int64 `json:"message_ids"` - // Options to be used to send the messages; pass null to use default options - Options *MessageSendOptions `json:"options"` - // Pass true to copy content of the messages without reference to the original sender. Always true if the messages are forwarded to a secret chat or are local - SendCopy bool `json:"send_copy"` - // Pass true to remove media captions of message copies. Ignored if send_copy is false - RemoveCaption bool `json:"remove_caption"` - // Pass true to get fake messages instead of actually forwarding them - OnlyPreview bool `json:"only_preview"` +type ForwardMessagesRequest struct { + // Identifier of the chat to which to forward messages + ChatId int64 `json:"chat_id"` + // Topic in which the messages will be forwarded; message threads aren't supported; pass null if none + TopicId MessageTopic `json:"topic_id"` + // Identifier of the chat from which to forward messages + FromChatId int64 `json:"from_chat_id"` + // Identifiers of the messages to forward. Message identifiers must be in a strictly increasing order. At most 100 messages can be forwarded simultaneously. A message can be forwarded only if messageProperties.can_be_forwarded + MessageIds []int64 `json:"message_ids"` + // Options to be used to send the messages; pass null to use default options + Options *MessageSendOptions `json:"options"` + // Pass true to copy content of the messages without reference to the original sender. Always true if the messages are forwarded to a secret chat or are local. Use messageProperties.can_be_copied and messageProperties.can_be_copied_to_secret_chat to check whether the message is suitable + SendCopy bool `json:"send_copy"` + // Pass true to remove media captions of message copies. Ignored if send_copy is false + RemoveCaption bool `json:"remove_caption"` } // Forwards previously sent messages. Returns the forwarded messages in the same order as the message identifiers passed in message_ids. If a message can't be forwarded, null will be returned instead of the message func (client *Client) ForwardMessages(req *ForwardMessagesRequest) (*Messages, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "forwardMessages", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_thread_id": req.MessageThreadId, - "from_chat_id": req.FromChatId, - "message_ids": req.MessageIds, - "options": req.Options, - "send_copy": req.SendCopy, - "remove_caption": req.RemoveCaption, - "only_preview": req.OnlyPreview, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "forwardMessages", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "topic_id": req.TopicId, + "from_chat_id": req.FromChatId, + "message_ids": req.MessageIds, + "options": req.Options, + "send_copy": req.SendCopy, + "remove_caption": req.RemoveCaption, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalMessages(result.Data) + return UnmarshalMessages(result.Data) } -type ResendMessagesRequest struct { - // Identifier of the chat to send messages - ChatId int64 `json:"chat_id"` - // Identifiers of the messages to resend. Message identifiers must be in a strictly increasing order - MessageIds []int64 `json:"message_ids"` +type SendQuickReplyShortcutMessagesRequest struct { + // Identifier of the chat to which to send messages. The chat must be a private chat with a regular user + ChatId int64 `json:"chat_id"` + // Unique identifier of the quick reply shortcut + ShortcutId int32 `json:"shortcut_id"` + // Non-persistent identifier, which will be returned back in messageSendingStatePending object and can be used to match sent messages and corresponding updateNewMessage updates + SendingId int32 `json:"sending_id"` +} + +// Sends messages from a quick reply shortcut. Requires Telegram Business subscription. Can't be used to send paid messages +func (client *Client) SendQuickReplyShortcutMessages(req *SendQuickReplyShortcutMessagesRequest) (*Messages, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "sendQuickReplyShortcutMessages", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "shortcut_id": req.ShortcutId, + "sending_id": req.SendingId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalMessages(result.Data) +} + +type ResendMessagesRequest struct { + // Identifier of the chat to send messages + ChatId int64 `json:"chat_id"` + // Identifiers of the messages to resend. Message identifiers must be in a strictly increasing order + MessageIds []int64 `json:"message_ids"` + // New manually chosen quote from the message to be replied; pass null if none. Ignored if more than one message is re-sent, or if messageSendingStateFailed.need_another_reply_quote == false + Quote *InputTextQuote `json:"quote"` + // The number of Telegram Stars the user agreed to pay to send the messages. Ignored if messageSendingStateFailed.required_paid_message_star_count == 0 + PaidMessageStarCount int64 `json:"paid_message_star_count"` } // Resends messages which failed to send. Can be called only for messages for which messageSendingStateFailed.can_retry is true and after specified in messageSendingStateFailed.retry_after time passed. If a message is re-sent, the corresponding failed to send message is deleted. Returns the sent messages in the same order as the message identifiers passed in message_ids. If a message can't be re-sent, null will be returned instead of the message func (client *Client) ResendMessages(req *ResendMessagesRequest) (*Messages, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "resendMessages", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_ids": req.MessageIds, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "resendMessages", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_ids": req.MessageIds, + "quote": req.Quote, + "paid_message_star_count": req.PaidMessageStarCount, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalMessages(result.Data) + return UnmarshalMessages(result.Data) } -type SendChatScreenshotTakenNotificationRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` +type SendChatScreenshotTakenNotificationRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` } // Sends a notification about a screenshot taken in a chat. Supported only in private and secret chats func (client *Client) SendChatScreenshotTakenNotification(req *SendChatScreenshotTakenNotificationRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "sendChatScreenshotTakenNotification", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "sendChatScreenshotTakenNotification", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type AddLocalMessageRequest struct { - // Target chat - ChatId int64 `json:"chat_id"` - // Identifier of the sender of the message - SenderId MessageSender `json:"sender_id"` - // Identifier of the replied message; 0 if none - ReplyToMessageId int64 `json:"reply_to_message_id"` - // Pass true to disable notification for the message - DisableNotification bool `json:"disable_notification"` - // The content of the message to be added - InputMessageContent InputMessageContent `json:"input_message_content"` +type AddLocalMessageRequest struct { + // Target chat; channel direct messages chats aren't supported + ChatId int64 `json:"chat_id"` + // Identifier of the sender of the message + SenderId MessageSender `json:"sender_id"` + // Information about the message or story to be replied; pass null if none + ReplyTo InputMessageReplyTo `json:"reply_to"` + // Pass true to disable notification for the message + DisableNotification bool `json:"disable_notification"` + // The content of the message to be added + InputMessageContent InputMessageContent `json:"input_message_content"` } // Adds a local message to a chat. The message is persistent across application restarts only if the message database is used. Returns the added message func (client *Client) AddLocalMessage(req *AddLocalMessageRequest) (*Message, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "addLocalMessage", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "sender_id": req.SenderId, - "reply_to_message_id": req.ReplyToMessageId, - "disable_notification": req.DisableNotification, - "input_message_content": req.InputMessageContent, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "addLocalMessage", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "sender_id": req.SenderId, + "reply_to": req.ReplyTo, + "disable_notification": req.DisableNotification, + "input_message_content": req.InputMessageContent, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalMessage(result.Data) + return UnmarshalMessage(result.Data) } -type DeleteMessagesRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // Identifiers of the messages to be deleted - MessageIds []int64 `json:"message_ids"` - // Pass true to delete messages for all chat members. Always true for supergroups, channels and secret chats - Revoke bool `json:"revoke"` +type DeleteMessagesRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Identifiers of the messages to be deleted. Use messageProperties.can_be_deleted_only_for_self and messageProperties.can_be_deleted_for_all_users to get suitable messages + MessageIds []int64 `json:"message_ids"` + // Pass true to delete messages for all chat members. Always true for supergroups, channels and secret chats + Revoke bool `json:"revoke"` } // Deletes messages func (client *Client) DeleteMessages(req *DeleteMessagesRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "deleteMessages", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_ids": req.MessageIds, - "revoke": req.Revoke, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "deleteMessages", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_ids": req.MessageIds, + "revoke": req.Revoke, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type DeleteChatMessagesBySenderRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // Identifier of the sender of messages to delete - SenderId MessageSender `json:"sender_id"` +type DeleteChatMessagesBySenderRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Identifier of the sender of messages to delete + SenderId MessageSender `json:"sender_id"` } -// Deletes all messages sent by the specified message sender in a chat. Supported only for supergroups; requires can_delete_messages administrator privileges +// Deletes all messages sent by the specified message sender in a chat. Supported only for supergroups; requires can_delete_messages administrator right func (client *Client) DeleteChatMessagesBySender(req *DeleteChatMessagesBySenderRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "deleteChatMessagesBySender", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "sender_id": req.SenderId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "deleteChatMessagesBySender", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "sender_id": req.SenderId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type DeleteChatMessagesByDateRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // The minimum date of the messages to delete - MinDate int32 `json:"min_date"` - // The maximum date of the messages to delete - MaxDate int32 `json:"max_date"` - // Pass true to delete chat messages for all users; private chats only - Revoke bool `json:"revoke"` +type DeleteChatMessagesByDateRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // The minimum date of the messages to delete + MinDate int32 `json:"min_date"` + // The maximum date of the messages to delete + MaxDate int32 `json:"max_date"` + // Pass true to delete chat messages for all users; private chats only + Revoke bool `json:"revoke"` } // Deletes all messages between the specified dates in a chat. Supported only for private chats and basic groups. Messages sent in the last 30 seconds will not be deleted func (client *Client) DeleteChatMessagesByDate(req *DeleteChatMessagesByDateRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "deleteChatMessagesByDate", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "min_date": req.MinDate, - "max_date": req.MaxDate, - "revoke": req.Revoke, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "deleteChatMessagesByDate", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "min_date": req.MinDate, + "max_date": req.MaxDate, + "revoke": req.Revoke, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type EditMessageTextRequest struct { - // The chat the message belongs to - ChatId int64 `json:"chat_id"` - // Identifier of the message - MessageId int64 `json:"message_id"` - // The new message reply markup; pass null if none; for bots only - ReplyMarkup ReplyMarkup `json:"reply_markup"` - // New text content of the message. Must be of type inputMessageText - InputMessageContent InputMessageContent `json:"input_message_content"` +type EditMessageTextRequest struct { + // The chat the message belongs to + ChatId int64 `json:"chat_id"` + // Identifier of the message. Use messageProperties.can_be_edited to check whether the message can be edited + MessageId int64 `json:"message_id"` + // The new message reply markup; pass null if none; for bots only + ReplyMarkup ReplyMarkup `json:"reply_markup"` + // New text content of the message. Must be of type inputMessageText + InputMessageContent InputMessageContent `json:"input_message_content"` } // Edits the text of a message (or a text of a game message). Returns the edited message after the edit is completed on the server side func (client *Client) EditMessageText(req *EditMessageTextRequest) (*Message, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "editMessageText", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_id": req.MessageId, - "reply_markup": req.ReplyMarkup, - "input_message_content": req.InputMessageContent, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "editMessageText", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + "reply_markup": req.ReplyMarkup, + "input_message_content": req.InputMessageContent, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalMessage(result.Data) + return UnmarshalMessage(result.Data) } -type EditMessageLiveLocationRequest struct { - // The chat the message belongs to - ChatId int64 `json:"chat_id"` - // Identifier of the message - MessageId int64 `json:"message_id"` - // The new message reply markup; pass null if none; for bots only - ReplyMarkup ReplyMarkup `json:"reply_markup"` - // New location content of the message; pass null to stop sharing the live location - Location *Location `json:"location"` - // The new direction in which the location moves, in degrees; 1-360. Pass 0 if unknown - Heading int32 `json:"heading"` - // The new maximum distance for proximity alerts, in meters (0-100000). Pass 0 if the notification is disabled - ProximityAlertRadius int32 `json:"proximity_alert_radius"` +type EditMessageLiveLocationRequest struct { + // The chat the message belongs to + ChatId int64 `json:"chat_id"` + // Identifier of the message. Use messageProperties.can_be_edited to check whether the message can be edited + MessageId int64 `json:"message_id"` + // The new message reply markup; pass null if none; for bots only + ReplyMarkup ReplyMarkup `json:"reply_markup"` + // New location content of the message; pass null to stop sharing the live location + Location *Location `json:"location"` + // New time relative to the message send date, for which the location can be updated, in seconds. If 0x7FFFFFFF specified, then the location can be updated forever. Otherwise, must not exceed the current live_period by more than a day, and the live location expiration date must remain in the next 90 days. Pass 0 to keep the current live_period + LivePeriod int32 `json:"live_period"` + // The new direction in which the location moves, in degrees; 1-360. Pass 0 if unknown + Heading int32 `json:"heading"` + // The new maximum distance for proximity alerts, in meters (0-100000). Pass 0 if the notification is disabled + ProximityAlertRadius int32 `json:"proximity_alert_radius"` } // Edits the message content of a live location. Messages can be edited for a limited period of time specified in the live location. Returns the edited message after the edit is completed on the server side func (client *Client) EditMessageLiveLocation(req *EditMessageLiveLocationRequest) (*Message, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "editMessageLiveLocation", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_id": req.MessageId, - "reply_markup": req.ReplyMarkup, - "location": req.Location, - "heading": req.Heading, - "proximity_alert_radius": req.ProximityAlertRadius, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "editMessageLiveLocation", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + "reply_markup": req.ReplyMarkup, + "location": req.Location, + "live_period": req.LivePeriod, + "heading": req.Heading, + "proximity_alert_radius": req.ProximityAlertRadius, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalMessage(result.Data) + return UnmarshalMessage(result.Data) } -type EditMessageMediaRequest struct { - // The chat the message belongs to - ChatId int64 `json:"chat_id"` - // Identifier of the message - MessageId int64 `json:"message_id"` - // The new message reply markup; pass null if none; for bots only - ReplyMarkup ReplyMarkup `json:"reply_markup"` - // New content of the message. Must be one of the following types: inputMessageAnimation, inputMessageAudio, inputMessageDocument, inputMessagePhoto or inputMessageVideo - InputMessageContent InputMessageContent `json:"input_message_content"` +type EditMessageChecklistRequest struct { + // The chat the message belongs to + ChatId int64 `json:"chat_id"` + // Identifier of the message. Use messageProperties.can_be_edited to check whether the message can be edited + MessageId int64 `json:"message_id"` + // The new message reply markup; pass null if none; for bots only + ReplyMarkup ReplyMarkup `json:"reply_markup"` + // The new checklist. If some tasks were completed, this information will be kept + Checklist *InputChecklist `json:"checklist"` } -// Edits the content of a message with an animation, an audio, a document, a photo or a video, including message caption. If only the caption needs to be edited, use editMessageCaption instead. The media can't be edited if the message was set to self-destruct or to a self-destructing media. The type of message content in an album can't be changed with exception of replacing a photo with a video or vice versa. Returns the edited message after the edit is completed on the server side +// Edits the message content of a checklist. Returns the edited message after the edit is completed on the server side +func (client *Client) EditMessageChecklist(req *EditMessageChecklistRequest) (*Message, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "editMessageChecklist", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + "reply_markup": req.ReplyMarkup, + "checklist": req.Checklist, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalMessage(result.Data) +} + +type EditMessageMediaRequest struct { + // The chat the message belongs to + ChatId int64 `json:"chat_id"` + // Identifier of the message. Use messageProperties.can_edit_media to check whether the message can be edited + MessageId int64 `json:"message_id"` + // The new message reply markup; pass null if none; for bots only + ReplyMarkup ReplyMarkup `json:"reply_markup"` + // New content of the message. Must be one of the following types: inputMessageAnimation, inputMessageAudio, inputMessageDocument, inputMessagePhoto or inputMessageVideo + InputMessageContent InputMessageContent `json:"input_message_content"` +} + +// Edits the media content of a message, including message caption. If only the caption needs to be edited, use editMessageCaption instead. The type of message content in an album can't be changed with exception of replacing a photo with a video or vice versa. Returns the edited message after the edit is completed on the server side func (client *Client) EditMessageMedia(req *EditMessageMediaRequest) (*Message, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "editMessageMedia", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_id": req.MessageId, - "reply_markup": req.ReplyMarkup, - "input_message_content": req.InputMessageContent, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "editMessageMedia", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + "reply_markup": req.ReplyMarkup, + "input_message_content": req.InputMessageContent, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalMessage(result.Data) + return UnmarshalMessage(result.Data) } -type EditMessageCaptionRequest struct { - // The chat the message belongs to - ChatId int64 `json:"chat_id"` - // Identifier of the message - MessageId int64 `json:"message_id"` - // The new message reply markup; pass null if none; for bots only - ReplyMarkup ReplyMarkup `json:"reply_markup"` - // New message content caption; 0-getOption("message_caption_length_max") characters; pass null to remove caption - Caption *FormattedText `json:"caption"` +type EditMessageCaptionRequest struct { + // The chat the message belongs to + ChatId int64 `json:"chat_id"` + // Identifier of the message. Use messageProperties.can_be_edited to check whether the message can be edited + MessageId int64 `json:"message_id"` + // The new message reply markup; pass null if none; for bots only + ReplyMarkup ReplyMarkup `json:"reply_markup"` + // New message content caption; 0-getOption("message_caption_length_max") characters; pass null to remove caption + Caption *FormattedText `json:"caption"` + // Pass true to show the caption above the media; otherwise, the caption will be shown below the media. May be true only for animation, photo, and video messages + ShowCaptionAboveMedia bool `json:"show_caption_above_media"` } // Edits the message content caption. Returns the edited message after the edit is completed on the server side func (client *Client) EditMessageCaption(req *EditMessageCaptionRequest) (*Message, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "editMessageCaption", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_id": req.MessageId, - "reply_markup": req.ReplyMarkup, - "caption": req.Caption, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "editMessageCaption", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + "reply_markup": req.ReplyMarkup, + "caption": req.Caption, + "show_caption_above_media": req.ShowCaptionAboveMedia, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalMessage(result.Data) + return UnmarshalMessage(result.Data) } -type EditMessageReplyMarkupRequest struct { - // The chat the message belongs to - ChatId int64 `json:"chat_id"` - // Identifier of the message - MessageId int64 `json:"message_id"` - // The new message reply markup; pass null if none - ReplyMarkup ReplyMarkup `json:"reply_markup"` +type EditMessageReplyMarkupRequest struct { + // The chat the message belongs to + ChatId int64 `json:"chat_id"` + // Identifier of the message. Use messageProperties.can_be_edited to check whether the message can be edited + MessageId int64 `json:"message_id"` + // The new message reply markup; pass null if none + ReplyMarkup ReplyMarkup `json:"reply_markup"` } // Edits the message reply markup; for bots only. Returns the edited message after the edit is completed on the server side func (client *Client) EditMessageReplyMarkup(req *EditMessageReplyMarkupRequest) (*Message, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "editMessageReplyMarkup", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_id": req.MessageId, - "reply_markup": req.ReplyMarkup, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "editMessageReplyMarkup", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + "reply_markup": req.ReplyMarkup, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalMessage(result.Data) + return UnmarshalMessage(result.Data) } -type EditInlineMessageTextRequest struct { - // Inline message identifier - InlineMessageId string `json:"inline_message_id"` - // The new message reply markup; pass null if none - ReplyMarkup ReplyMarkup `json:"reply_markup"` - // New text content of the message. Must be of type inputMessageText - InputMessageContent InputMessageContent `json:"input_message_content"` +type EditInlineMessageTextRequest struct { + // Inline message identifier + InlineMessageId string `json:"inline_message_id"` + // The new message reply markup; pass null if none + ReplyMarkup ReplyMarkup `json:"reply_markup"` + // New text content of the message. Must be of type inputMessageText + InputMessageContent InputMessageContent `json:"input_message_content"` } // Edits the text of an inline text or game message sent via a bot; for bots only func (client *Client) EditInlineMessageText(req *EditInlineMessageTextRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "editInlineMessageText", - }, - Data: map[string]interface{}{ - "inline_message_id": req.InlineMessageId, - "reply_markup": req.ReplyMarkup, - "input_message_content": req.InputMessageContent, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "editInlineMessageText", + }, + Data: map[string]interface{}{ + "inline_message_id": req.InlineMessageId, + "reply_markup": req.ReplyMarkup, + "input_message_content": req.InputMessageContent, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type EditInlineMessageLiveLocationRequest struct { - // Inline message identifier - InlineMessageId string `json:"inline_message_id"` - // The new message reply markup; pass null if none - ReplyMarkup ReplyMarkup `json:"reply_markup"` - // New location content of the message; pass null to stop sharing the live location - Location *Location `json:"location"` - // The new direction in which the location moves, in degrees; 1-360. Pass 0 if unknown - Heading int32 `json:"heading"` - // The new maximum distance for proximity alerts, in meters (0-100000). Pass 0 if the notification is disabled - ProximityAlertRadius int32 `json:"proximity_alert_radius"` +type EditInlineMessageLiveLocationRequest struct { + // Inline message identifier + InlineMessageId string `json:"inline_message_id"` + // The new message reply markup; pass null if none + ReplyMarkup ReplyMarkup `json:"reply_markup"` + // New location content of the message; pass null to stop sharing the live location + Location *Location `json:"location"` + // New time relative to the message send date, for which the location can be updated, in seconds. If 0x7FFFFFFF specified, then the location can be updated forever. Otherwise, must not exceed the current live_period by more than a day, and the live location expiration date must remain in the next 90 days. Pass 0 to keep the current live_period + LivePeriod int32 `json:"live_period"` + // The new direction in which the location moves, in degrees; 1-360. Pass 0 if unknown + Heading int32 `json:"heading"` + // The new maximum distance for proximity alerts, in meters (0-100000). Pass 0 if the notification is disabled + ProximityAlertRadius int32 `json:"proximity_alert_radius"` } // Edits the content of a live location in an inline message sent via a bot; for bots only func (client *Client) EditInlineMessageLiveLocation(req *EditInlineMessageLiveLocationRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "editInlineMessageLiveLocation", - }, - Data: map[string]interface{}{ - "inline_message_id": req.InlineMessageId, - "reply_markup": req.ReplyMarkup, - "location": req.Location, - "heading": req.Heading, - "proximity_alert_radius": req.ProximityAlertRadius, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "editInlineMessageLiveLocation", + }, + Data: map[string]interface{}{ + "inline_message_id": req.InlineMessageId, + "reply_markup": req.ReplyMarkup, + "location": req.Location, + "live_period": req.LivePeriod, + "heading": req.Heading, + "proximity_alert_radius": req.ProximityAlertRadius, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type EditInlineMessageMediaRequest struct { - // Inline message identifier - InlineMessageId string `json:"inline_message_id"` - // The new message reply markup; pass null if none; for bots only - ReplyMarkup ReplyMarkup `json:"reply_markup"` - // New content of the message. Must be one of the following types: inputMessageAnimation, inputMessageAudio, inputMessageDocument, inputMessagePhoto or inputMessageVideo - InputMessageContent InputMessageContent `json:"input_message_content"` +type EditInlineMessageMediaRequest struct { + // Inline message identifier + InlineMessageId string `json:"inline_message_id"` + // The new message reply markup; pass null if none; for bots only + ReplyMarkup ReplyMarkup `json:"reply_markup"` + // New content of the message. Must be one of the following types: inputMessageAnimation, inputMessageAudio, inputMessageDocument, inputMessagePhoto or inputMessageVideo + InputMessageContent InputMessageContent `json:"input_message_content"` } -// Edits the content of a message with an animation, an audio, a document, a photo or a video in an inline message sent via a bot; for bots only +// Edits the media content of a message with a text, an animation, an audio, a document, a photo or a video in an inline message sent via a bot; for bots only func (client *Client) EditInlineMessageMedia(req *EditInlineMessageMediaRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "editInlineMessageMedia", - }, - Data: map[string]interface{}{ - "inline_message_id": req.InlineMessageId, - "reply_markup": req.ReplyMarkup, - "input_message_content": req.InputMessageContent, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "editInlineMessageMedia", + }, + Data: map[string]interface{}{ + "inline_message_id": req.InlineMessageId, + "reply_markup": req.ReplyMarkup, + "input_message_content": req.InputMessageContent, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type EditInlineMessageCaptionRequest struct { - // Inline message identifier - InlineMessageId string `json:"inline_message_id"` - // The new message reply markup; pass null if none - ReplyMarkup ReplyMarkup `json:"reply_markup"` - // New message content caption; pass null to remove caption; 0-getOption("message_caption_length_max") characters - Caption *FormattedText `json:"caption"` +type EditInlineMessageCaptionRequest struct { + // Inline message identifier + InlineMessageId string `json:"inline_message_id"` + // The new message reply markup; pass null if none + ReplyMarkup ReplyMarkup `json:"reply_markup"` + // New message content caption; pass null to remove caption; 0-getOption("message_caption_length_max") characters + Caption *FormattedText `json:"caption"` + // Pass true to show the caption above the media; otherwise, the caption will be shown below the media. May be true only for animation, photo, and video messages + ShowCaptionAboveMedia bool `json:"show_caption_above_media"` } // Edits the caption of an inline message sent via a bot; for bots only func (client *Client) EditInlineMessageCaption(req *EditInlineMessageCaptionRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "editInlineMessageCaption", - }, - Data: map[string]interface{}{ - "inline_message_id": req.InlineMessageId, - "reply_markup": req.ReplyMarkup, - "caption": req.Caption, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "editInlineMessageCaption", + }, + Data: map[string]interface{}{ + "inline_message_id": req.InlineMessageId, + "reply_markup": req.ReplyMarkup, + "caption": req.Caption, + "show_caption_above_media": req.ShowCaptionAboveMedia, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type EditInlineMessageReplyMarkupRequest struct { - // Inline message identifier - InlineMessageId string `json:"inline_message_id"` - // The new message reply markup; pass null if none - ReplyMarkup ReplyMarkup `json:"reply_markup"` +type EditInlineMessageReplyMarkupRequest struct { + // Inline message identifier + InlineMessageId string `json:"inline_message_id"` + // The new message reply markup; pass null if none + ReplyMarkup ReplyMarkup `json:"reply_markup"` } // Edits the reply markup of an inline message sent via a bot; for bots only func (client *Client) EditInlineMessageReplyMarkup(req *EditInlineMessageReplyMarkupRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "editInlineMessageReplyMarkup", - }, - Data: map[string]interface{}{ - "inline_message_id": req.InlineMessageId, - "reply_markup": req.ReplyMarkup, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "editInlineMessageReplyMarkup", + }, + Data: map[string]interface{}{ + "inline_message_id": req.InlineMessageId, + "reply_markup": req.ReplyMarkup, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type EditMessageSchedulingStateRequest struct { - // The chat the message belongs to - ChatId int64 `json:"chat_id"` - // Identifier of the message - MessageId int64 `json:"message_id"` - // The new message scheduling state; pass null to send the message immediately - SchedulingState MessageSchedulingState `json:"scheduling_state"` +type EditMessageSchedulingStateRequest struct { + // The chat the message belongs to + ChatId int64 `json:"chat_id"` + // Identifier of the message. Use messageProperties.can_edit_scheduling_state to check whether the message is suitable + MessageId int64 `json:"message_id"` + // The new message scheduling state; pass null to send the message immediately. Must be null for messages in the state messageSchedulingStateSendWhenVideoProcessed + SchedulingState MessageSchedulingState `json:"scheduling_state"` } // Edits the time when a scheduled message will be sent. Scheduling state of all messages in the same album or forwarded together with the message will be also changed func (client *Client) EditMessageSchedulingState(req *EditMessageSchedulingStateRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "editMessageSchedulingState", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_id": req.MessageId, - "scheduling_state": req.SchedulingState, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "editMessageSchedulingState", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + "scheduling_state": req.SchedulingState, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -// Returns list of custom emojis, which can be used as forum topic icon by all users +type SetMessageFactCheckRequest struct { + // The channel chat the message belongs to + ChatId int64 `json:"chat_id"` + // Identifier of the message + MessageId int64 `json:"message_id"` + // New text of the fact-check; 0-getOption("fact_check_length_max") characters; pass null to remove it. Only Bold, Italic, and TextUrl entities with https://t.me/ links are supported + Text *FormattedText `json:"text"` +} + +// Changes the fact-check of a message. Can be only used if messageProperties.can_set_fact_check == true +func (client *Client) SetMessageFactCheck(req *SetMessageFactCheckRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setMessageFactCheck", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + "text": req.Text, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SendBusinessMessageRequest struct { + // Unique identifier of business connection on behalf of which to send the request + BusinessConnectionId string `json:"business_connection_id"` + // Target chat + ChatId int64 `json:"chat_id"` + // Information about the message to be replied; pass null if none + ReplyTo InputMessageReplyTo `json:"reply_to"` + // Pass true to disable notification for the message + DisableNotification bool `json:"disable_notification"` + // Pass true if the content of the message must be protected from forwarding and saving + ProtectContent bool `json:"protect_content"` + // Identifier of the effect to apply to the message + EffectId JsonInt64 `json:"effect_id"` + // Markup for replying to the message; pass null if none + ReplyMarkup ReplyMarkup `json:"reply_markup"` + // The content of the message to be sent + InputMessageContent InputMessageContent `json:"input_message_content"` +} + +// Sends a message on behalf of a business account; for bots only. Returns the message after it was sent +func (client *Client) SendBusinessMessage(req *SendBusinessMessageRequest) (*BusinessMessage, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "sendBusinessMessage", + }, + Data: map[string]interface{}{ + "business_connection_id": req.BusinessConnectionId, + "chat_id": req.ChatId, + "reply_to": req.ReplyTo, + "disable_notification": req.DisableNotification, + "protect_content": req.ProtectContent, + "effect_id": req.EffectId, + "reply_markup": req.ReplyMarkup, + "input_message_content": req.InputMessageContent, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalBusinessMessage(result.Data) +} + +type SendBusinessMessageAlbumRequest struct { + // Unique identifier of business connection on behalf of which to send the request + BusinessConnectionId string `json:"business_connection_id"` + // Target chat + ChatId int64 `json:"chat_id"` + // Information about the message to be replied; pass null if none + ReplyTo InputMessageReplyTo `json:"reply_to"` + // Pass true to disable notification for the message + DisableNotification bool `json:"disable_notification"` + // Pass true if the content of the message must be protected from forwarding and saving + ProtectContent bool `json:"protect_content"` + // Identifier of the effect to apply to the message + EffectId JsonInt64 `json:"effect_id"` + // Contents of messages to be sent. At most 10 messages can be added to an album. All messages must have the same value of show_caption_above_media + InputMessageContents []InputMessageContent `json:"input_message_contents"` +} + +// Sends 2-10 messages grouped together into an album on behalf of a business account; for bots only. Currently, only audio, document, photo and video messages can be grouped into an album. Documents and audio files can be only grouped in an album with messages of the same type. Returns sent messages +func (client *Client) SendBusinessMessageAlbum(req *SendBusinessMessageAlbumRequest) (*BusinessMessages, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "sendBusinessMessageAlbum", + }, + Data: map[string]interface{}{ + "business_connection_id": req.BusinessConnectionId, + "chat_id": req.ChatId, + "reply_to": req.ReplyTo, + "disable_notification": req.DisableNotification, + "protect_content": req.ProtectContent, + "effect_id": req.EffectId, + "input_message_contents": req.InputMessageContents, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalBusinessMessages(result.Data) +} + +type EditBusinessMessageTextRequest struct { + // Unique identifier of business connection on behalf of which the message was sent + BusinessConnectionId string `json:"business_connection_id"` + // The chat the message belongs to + ChatId int64 `json:"chat_id"` + // Identifier of the message + MessageId int64 `json:"message_id"` + // The new message reply markup; pass null if none + ReplyMarkup ReplyMarkup `json:"reply_markup"` + // New text content of the message. Must be of type inputMessageText + InputMessageContent InputMessageContent `json:"input_message_content"` +} + +// Edits the text of a text or game message sent on behalf of a business account; for bots only +func (client *Client) EditBusinessMessageText(req *EditBusinessMessageTextRequest) (*BusinessMessage, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "editBusinessMessageText", + }, + Data: map[string]interface{}{ + "business_connection_id": req.BusinessConnectionId, + "chat_id": req.ChatId, + "message_id": req.MessageId, + "reply_markup": req.ReplyMarkup, + "input_message_content": req.InputMessageContent, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalBusinessMessage(result.Data) +} + +type EditBusinessMessageLiveLocationRequest struct { + // Unique identifier of business connection on behalf of which the message was sent + BusinessConnectionId string `json:"business_connection_id"` + // The chat the message belongs to + ChatId int64 `json:"chat_id"` + // Identifier of the message + MessageId int64 `json:"message_id"` + // The new message reply markup; pass null if none + ReplyMarkup ReplyMarkup `json:"reply_markup"` + // New location content of the message; pass null to stop sharing the live location + Location *Location `json:"location"` + // New time relative to the message send date, for which the location can be updated, in seconds. If 0x7FFFFFFF specified, then the location can be updated forever. Otherwise, must not exceed the current live_period by more than a day, and the live location expiration date must remain in the next 90 days. Pass 0 to keep the current live_period + LivePeriod int32 `json:"live_period"` + // The new direction in which the location moves, in degrees; 1-360. Pass 0 if unknown + Heading int32 `json:"heading"` + // The new maximum distance for proximity alerts, in meters (0-100000). Pass 0 if the notification is disabled + ProximityAlertRadius int32 `json:"proximity_alert_radius"` +} + +// Edits the content of a live location in a message sent on behalf of a business account; for bots only +func (client *Client) EditBusinessMessageLiveLocation(req *EditBusinessMessageLiveLocationRequest) (*BusinessMessage, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "editBusinessMessageLiveLocation", + }, + Data: map[string]interface{}{ + "business_connection_id": req.BusinessConnectionId, + "chat_id": req.ChatId, + "message_id": req.MessageId, + "reply_markup": req.ReplyMarkup, + "location": req.Location, + "live_period": req.LivePeriod, + "heading": req.Heading, + "proximity_alert_radius": req.ProximityAlertRadius, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalBusinessMessage(result.Data) +} + +type EditBusinessMessageChecklistRequest struct { + // Unique identifier of business connection on behalf of which the message was sent + BusinessConnectionId string `json:"business_connection_id"` + // The chat the message belongs to + ChatId int64 `json:"chat_id"` + // Identifier of the message + MessageId int64 `json:"message_id"` + // The new message reply markup; pass null if none + ReplyMarkup ReplyMarkup `json:"reply_markup"` + // The new checklist. If some tasks were completed, this information will be kept + Checklist *InputChecklist `json:"checklist"` +} + +// Edits the content of a checklist in a message sent on behalf of a business account; for bots only +func (client *Client) EditBusinessMessageChecklist(req *EditBusinessMessageChecklistRequest) (*BusinessMessage, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "editBusinessMessageChecklist", + }, + Data: map[string]interface{}{ + "business_connection_id": req.BusinessConnectionId, + "chat_id": req.ChatId, + "message_id": req.MessageId, + "reply_markup": req.ReplyMarkup, + "checklist": req.Checklist, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalBusinessMessage(result.Data) +} + +type EditBusinessMessageMediaRequest struct { + // Unique identifier of business connection on behalf of which the message was sent + BusinessConnectionId string `json:"business_connection_id"` + // The chat the message belongs to + ChatId int64 `json:"chat_id"` + // Identifier of the message + MessageId int64 `json:"message_id"` + // The new message reply markup; pass null if none; for bots only + ReplyMarkup ReplyMarkup `json:"reply_markup"` + // New content of the message. Must be one of the following types: inputMessageAnimation, inputMessageAudio, inputMessageDocument, inputMessagePhoto or inputMessageVideo + InputMessageContent InputMessageContent `json:"input_message_content"` +} + +// Edits the media content of a message with a text, an animation, an audio, a document, a photo or a video in a message sent on behalf of a business account; for bots only +func (client *Client) EditBusinessMessageMedia(req *EditBusinessMessageMediaRequest) (*BusinessMessage, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "editBusinessMessageMedia", + }, + Data: map[string]interface{}{ + "business_connection_id": req.BusinessConnectionId, + "chat_id": req.ChatId, + "message_id": req.MessageId, + "reply_markup": req.ReplyMarkup, + "input_message_content": req.InputMessageContent, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalBusinessMessage(result.Data) +} + +type EditBusinessMessageCaptionRequest struct { + // Unique identifier of business connection on behalf of which the message was sent + BusinessConnectionId string `json:"business_connection_id"` + // The chat the message belongs to + ChatId int64 `json:"chat_id"` + // Identifier of the message + MessageId int64 `json:"message_id"` + // The new message reply markup; pass null if none + ReplyMarkup ReplyMarkup `json:"reply_markup"` + // New message content caption; pass null to remove caption; 0-getOption("message_caption_length_max") characters + Caption *FormattedText `json:"caption"` + // Pass true to show the caption above the media; otherwise, the caption will be shown below the media. May be true only for animation, photo, and video messages + ShowCaptionAboveMedia bool `json:"show_caption_above_media"` +} + +// Edits the caption of a message sent on behalf of a business account; for bots only +func (client *Client) EditBusinessMessageCaption(req *EditBusinessMessageCaptionRequest) (*BusinessMessage, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "editBusinessMessageCaption", + }, + Data: map[string]interface{}{ + "business_connection_id": req.BusinessConnectionId, + "chat_id": req.ChatId, + "message_id": req.MessageId, + "reply_markup": req.ReplyMarkup, + "caption": req.Caption, + "show_caption_above_media": req.ShowCaptionAboveMedia, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalBusinessMessage(result.Data) +} + +type EditBusinessMessageReplyMarkupRequest struct { + // Unique identifier of business connection on behalf of which the message was sent + BusinessConnectionId string `json:"business_connection_id"` + // The chat the message belongs to + ChatId int64 `json:"chat_id"` + // Identifier of the message + MessageId int64 `json:"message_id"` + // The new message reply markup; pass null if none + ReplyMarkup ReplyMarkup `json:"reply_markup"` +} + +// Edits the reply markup of a message sent on behalf of a business account; for bots only +func (client *Client) EditBusinessMessageReplyMarkup(req *EditBusinessMessageReplyMarkupRequest) (*BusinessMessage, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "editBusinessMessageReplyMarkup", + }, + Data: map[string]interface{}{ + "business_connection_id": req.BusinessConnectionId, + "chat_id": req.ChatId, + "message_id": req.MessageId, + "reply_markup": req.ReplyMarkup, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalBusinessMessage(result.Data) +} + +type StopBusinessPollRequest struct { + // Unique identifier of business connection on behalf of which the message with the poll was sent + BusinessConnectionId string `json:"business_connection_id"` + // The chat the message belongs to + ChatId int64 `json:"chat_id"` + // Identifier of the message containing the poll + MessageId int64 `json:"message_id"` + // The new message reply markup; pass null if none + ReplyMarkup ReplyMarkup `json:"reply_markup"` +} + +// Stops a poll sent on behalf of a business account; for bots only +func (client *Client) StopBusinessPoll(req *StopBusinessPollRequest) (*BusinessMessage, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "stopBusinessPoll", + }, + Data: map[string]interface{}{ + "business_connection_id": req.BusinessConnectionId, + "chat_id": req.ChatId, + "message_id": req.MessageId, + "reply_markup": req.ReplyMarkup, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalBusinessMessage(result.Data) +} + +type SetBusinessMessageIsPinnedRequest struct { + // Unique identifier of business connection on behalf of which the message was sent + BusinessConnectionId string `json:"business_connection_id"` + // The chat the message belongs to + ChatId int64 `json:"chat_id"` + // Identifier of the message + MessageId int64 `json:"message_id"` + // Pass true to pin the message, pass false to unpin it + IsPinned bool `json:"is_pinned"` +} + +// Pins or unpins a message sent on behalf of a business account; for bots only +func (client *Client) SetBusinessMessageIsPinned(req *SetBusinessMessageIsPinnedRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setBusinessMessageIsPinned", + }, + Data: map[string]interface{}{ + "business_connection_id": req.BusinessConnectionId, + "chat_id": req.ChatId, + "message_id": req.MessageId, + "is_pinned": req.IsPinned, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type ReadBusinessMessageRequest struct { + // Unique identifier of business connection through which the message was received + BusinessConnectionId string `json:"business_connection_id"` + // The chat the message belongs to + ChatId int64 `json:"chat_id"` + // Identifier of the message + MessageId int64 `json:"message_id"` +} + +// Reads a message on behalf of a business account; for bots only +func (client *Client) ReadBusinessMessage(req *ReadBusinessMessageRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "readBusinessMessage", + }, + Data: map[string]interface{}{ + "business_connection_id": req.BusinessConnectionId, + "chat_id": req.ChatId, + "message_id": req.MessageId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type DeleteBusinessMessagesRequest struct { + // Unique identifier of business connection through which the messages were received + BusinessConnectionId string `json:"business_connection_id"` + // Identifier of the messages + MessageIds []int64 `json:"message_ids"` +} + +// Deletes messages on behalf of a business account; for bots only +func (client *Client) DeleteBusinessMessages(req *DeleteBusinessMessagesRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "deleteBusinessMessages", + }, + Data: map[string]interface{}{ + "business_connection_id": req.BusinessConnectionId, + "message_ids": req.MessageIds, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type EditBusinessStoryRequest struct { + // Identifier of the chat that posted the story + StoryPosterChatId int64 `json:"story_poster_chat_id"` + // Identifier of the story to edit + StoryId int32 `json:"story_id"` + // New content of the story + Content InputStoryContent `json:"content"` + // New clickable rectangle areas to be shown on the story media + Areas *InputStoryAreas `json:"areas"` + // New story caption + Caption *FormattedText `json:"caption"` + // The new privacy settings for the story + PrivacySettings StoryPrivacySettings `json:"privacy_settings"` +} + +// Changes a story posted by the bot on behalf of a business account; for bots only +func (client *Client) EditBusinessStory(req *EditBusinessStoryRequest) (*Story, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "editBusinessStory", + }, + Data: map[string]interface{}{ + "story_poster_chat_id": req.StoryPosterChatId, + "story_id": req.StoryId, + "content": req.Content, + "areas": req.Areas, + "caption": req.Caption, + "privacy_settings": req.PrivacySettings, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalStory(result.Data) +} + +type DeleteBusinessStoryRequest struct { + // Unique identifier of business connection + BusinessConnectionId string `json:"business_connection_id"` + // Identifier of the story to delete + StoryId int32 `json:"story_id"` +} + +// Deletes a story posted by the bot on behalf of a business account; for bots only +func (client *Client) DeleteBusinessStory(req *DeleteBusinessStoryRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "deleteBusinessStory", + }, + Data: map[string]interface{}{ + "business_connection_id": req.BusinessConnectionId, + "story_id": req.StoryId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SetBusinessAccountNameRequest struct { + // Unique identifier of business connection + BusinessConnectionId string `json:"business_connection_id"` + // The new value of the first name for the business account; 1-64 characters + FirstName string `json:"first_name"` + // The new value of the optional last name for the business account; 0-64 characters + LastName string `json:"last_name"` +} + +// Changes the first and last name of a business account; for bots only +func (client *Client) SetBusinessAccountName(req *SetBusinessAccountNameRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setBusinessAccountName", + }, + Data: map[string]interface{}{ + "business_connection_id": req.BusinessConnectionId, + "first_name": req.FirstName, + "last_name": req.LastName, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SetBusinessAccountBioRequest struct { + // Unique identifier of business connection + BusinessConnectionId string `json:"business_connection_id"` + // The new value of the bio; 0-getOption("bio_length_max") characters without line feeds + Bio string `json:"bio"` +} + +// Changes the bio of a business account; for bots only +func (client *Client) SetBusinessAccountBio(req *SetBusinessAccountBioRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setBusinessAccountBio", + }, + Data: map[string]interface{}{ + "business_connection_id": req.BusinessConnectionId, + "bio": req.Bio, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SetBusinessAccountProfilePhotoRequest struct { + // Unique identifier of business connection + BusinessConnectionId string `json:"business_connection_id"` + // Profile photo to set; pass null to remove the photo + Photo InputChatPhoto `json:"photo"` + // Pass true to set the public photo, which will be visible even if the main photo is hidden by privacy settings + IsPublic bool `json:"is_public"` +} + +// Changes a profile photo of a business account; for bots only +func (client *Client) SetBusinessAccountProfilePhoto(req *SetBusinessAccountProfilePhotoRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setBusinessAccountProfilePhoto", + }, + Data: map[string]interface{}{ + "business_connection_id": req.BusinessConnectionId, + "photo": req.Photo, + "is_public": req.IsPublic, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SetBusinessAccountUsernameRequest struct { + // Unique identifier of business connection + BusinessConnectionId string `json:"business_connection_id"` + // The new value of the username + Username string `json:"username"` +} + +// Changes the editable username of a business account; for bots only +func (client *Client) SetBusinessAccountUsername(req *SetBusinessAccountUsernameRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setBusinessAccountUsername", + }, + Data: map[string]interface{}{ + "business_connection_id": req.BusinessConnectionId, + "username": req.Username, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SetBusinessAccountGiftSettingsRequest struct { + // Unique identifier of business connection + BusinessConnectionId string `json:"business_connection_id"` + // The new settings + Settings *GiftSettings `json:"settings"` +} + +// Changes settings for gift receiving of a business account; for bots only +func (client *Client) SetBusinessAccountGiftSettings(req *SetBusinessAccountGiftSettingsRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setBusinessAccountGiftSettings", + }, + Data: map[string]interface{}{ + "business_connection_id": req.BusinessConnectionId, + "settings": req.Settings, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type GetBusinessAccountStarAmountRequest struct { + // Unique identifier of business connection + BusinessConnectionId string `json:"business_connection_id"` +} + +// Returns the Telegram Star amount owned by a business account; for bots only +func (client *Client) GetBusinessAccountStarAmount(req *GetBusinessAccountStarAmountRequest) (*StarAmount, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getBusinessAccountStarAmount", + }, + Data: map[string]interface{}{ + "business_connection_id": req.BusinessConnectionId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalStarAmount(result.Data) +} + +type TransferBusinessAccountStarsRequest struct { + // Unique identifier of business connection + BusinessConnectionId string `json:"business_connection_id"` + // Number of Telegram Stars to transfer + StarCount int64 `json:"star_count"` +} + +// Transfers Telegram Stars from the business account to the business bot; for bots only +func (client *Client) TransferBusinessAccountStars(req *TransferBusinessAccountStarsRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "transferBusinessAccountStars", + }, + Data: map[string]interface{}{ + "business_connection_id": req.BusinessConnectionId, + "star_count": req.StarCount, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type CheckQuickReplyShortcutNameRequest struct { + // The name of the shortcut; 1-32 characters + Name string `json:"name"` +} + +// Checks validness of a name for a quick reply shortcut. Can be called synchronously +func CheckQuickReplyShortcutName(req *CheckQuickReplyShortcutNameRequest) (*Ok, error) { + result, err := Execute(Request{ + meta: meta{ + Type: "checkQuickReplyShortcutName", + }, + Data: map[string]interface{}{ + "name": req.Name, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +// deprecated +// Checks validness of a name for a quick reply shortcut. Can be called synchronously +func (client *Client) CheckQuickReplyShortcutName(req *CheckQuickReplyShortcutNameRequest) (*Ok, error) { + return CheckQuickReplyShortcutName(req)} + +// Loads quick reply shortcuts created by the current user. The loaded data will be sent through updateQuickReplyShortcut and updateQuickReplyShortcuts +func (client *Client) LoadQuickReplyShortcuts() (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "loadQuickReplyShortcuts", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SetQuickReplyShortcutNameRequest struct { + // Unique identifier of the quick reply shortcut + ShortcutId int32 `json:"shortcut_id"` + // New name for the shortcut. Use checkQuickReplyShortcutName to check its validness + Name string `json:"name"` +} + +// Changes name of a quick reply shortcut +func (client *Client) SetQuickReplyShortcutName(req *SetQuickReplyShortcutNameRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setQuickReplyShortcutName", + }, + Data: map[string]interface{}{ + "shortcut_id": req.ShortcutId, + "name": req.Name, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type DeleteQuickReplyShortcutRequest struct { + // Unique identifier of the quick reply shortcut + ShortcutId int32 `json:"shortcut_id"` +} + +// Deletes a quick reply shortcut +func (client *Client) DeleteQuickReplyShortcut(req *DeleteQuickReplyShortcutRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "deleteQuickReplyShortcut", + }, + Data: map[string]interface{}{ + "shortcut_id": req.ShortcutId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type ReorderQuickReplyShortcutsRequest struct { + // The new order of quick reply shortcuts + ShortcutIds []int32 `json:"shortcut_ids"` +} + +// Changes the order of quick reply shortcuts +func (client *Client) ReorderQuickReplyShortcuts(req *ReorderQuickReplyShortcutsRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "reorderQuickReplyShortcuts", + }, + Data: map[string]interface{}{ + "shortcut_ids": req.ShortcutIds, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type LoadQuickReplyShortcutMessagesRequest struct { + // Unique identifier of the quick reply shortcut + ShortcutId int32 `json:"shortcut_id"` +} + +// Loads quick reply messages that can be sent by a given quick reply shortcut. The loaded messages will be sent through updateQuickReplyShortcutMessages +func (client *Client) LoadQuickReplyShortcutMessages(req *LoadQuickReplyShortcutMessagesRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "loadQuickReplyShortcutMessages", + }, + Data: map[string]interface{}{ + "shortcut_id": req.ShortcutId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type DeleteQuickReplyShortcutMessagesRequest struct { + // Unique identifier of the quick reply shortcut to which the messages belong + ShortcutId int32 `json:"shortcut_id"` + // Unique identifiers of the messages + MessageIds []int64 `json:"message_ids"` +} + +// Deletes specified quick reply messages +func (client *Client) DeleteQuickReplyShortcutMessages(req *DeleteQuickReplyShortcutMessagesRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "deleteQuickReplyShortcutMessages", + }, + Data: map[string]interface{}{ + "shortcut_id": req.ShortcutId, + "message_ids": req.MessageIds, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type AddQuickReplyShortcutMessageRequest struct { + // Name of the target shortcut + ShortcutName string `json:"shortcut_name"` + // Identifier of a quick reply message in the same shortcut to be replied; pass 0 if none + ReplyToMessageId int64 `json:"reply_to_message_id"` + // The content of the message to be added; inputMessagePaidMedia, inputMessageForwarded and inputMessageLocation with live_period aren't supported + InputMessageContent InputMessageContent `json:"input_message_content"` +} + +// Adds a message to a quick reply shortcut. If shortcut doesn't exist and there are less than getOption("quick_reply_shortcut_count_max") shortcuts, then a new shortcut is created. The shortcut must not contain more than getOption("quick_reply_shortcut_message_count_max") messages after adding the new message. Returns the added message +func (client *Client) AddQuickReplyShortcutMessage(req *AddQuickReplyShortcutMessageRequest) (*QuickReplyMessage, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "addQuickReplyShortcutMessage", + }, + Data: map[string]interface{}{ + "shortcut_name": req.ShortcutName, + "reply_to_message_id": req.ReplyToMessageId, + "input_message_content": req.InputMessageContent, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalQuickReplyMessage(result.Data) +} + +type AddQuickReplyShortcutInlineQueryResultMessageRequest struct { + // Name of the target shortcut + ShortcutName string `json:"shortcut_name"` + // Identifier of a quick reply message in the same shortcut to be replied; pass 0 if none + ReplyToMessageId int64 `json:"reply_to_message_id"` + // Identifier of the inline query + QueryId JsonInt64 `json:"query_id"` + // Identifier of the inline query result + ResultId string `json:"result_id"` + // Pass true to hide the bot, via which the message is sent. Can be used only for bots getOption("animation_search_bot_username"), getOption("photo_search_bot_username"), and getOption("venue_search_bot_username") + HideViaBot bool `json:"hide_via_bot"` +} + +// Adds a message to a quick reply shortcut via inline bot. If shortcut doesn't exist and there are less than getOption("quick_reply_shortcut_count_max") shortcuts, then a new shortcut is created. The shortcut must not contain more than getOption("quick_reply_shortcut_message_count_max") messages after adding the new message. Returns the added message +func (client *Client) AddQuickReplyShortcutInlineQueryResultMessage(req *AddQuickReplyShortcutInlineQueryResultMessageRequest) (*QuickReplyMessage, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "addQuickReplyShortcutInlineQueryResultMessage", + }, + Data: map[string]interface{}{ + "shortcut_name": req.ShortcutName, + "reply_to_message_id": req.ReplyToMessageId, + "query_id": req.QueryId, + "result_id": req.ResultId, + "hide_via_bot": req.HideViaBot, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalQuickReplyMessage(result.Data) +} + +type AddQuickReplyShortcutMessageAlbumRequest struct { + // Name of the target shortcut + ShortcutName string `json:"shortcut_name"` + // Identifier of a quick reply message in the same shortcut to be replied; pass 0 if none + ReplyToMessageId int64 `json:"reply_to_message_id"` + // Contents of messages to be sent. At most 10 messages can be added to an album. All messages must have the same value of show_caption_above_media + InputMessageContents []InputMessageContent `json:"input_message_contents"` +} + +// Adds 2-10 messages grouped together into an album to a quick reply shortcut. Currently, only audio, document, photo and video messages can be grouped into an album. Documents and audio files can be only grouped in an album with messages of the same type. Returns sent messages +func (client *Client) AddQuickReplyShortcutMessageAlbum(req *AddQuickReplyShortcutMessageAlbumRequest) (*QuickReplyMessages, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "addQuickReplyShortcutMessageAlbum", + }, + Data: map[string]interface{}{ + "shortcut_name": req.ShortcutName, + "reply_to_message_id": req.ReplyToMessageId, + "input_message_contents": req.InputMessageContents, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalQuickReplyMessages(result.Data) +} + +type ReaddQuickReplyShortcutMessagesRequest struct { + // Name of the target shortcut + ShortcutName string `json:"shortcut_name"` + // Identifiers of the quick reply messages to readd. Message identifiers must be in a strictly increasing order + MessageIds []int64 `json:"message_ids"` +} + +// Readds quick reply messages which failed to add. Can be called only for messages for which messageSendingStateFailed.can_retry is true and after specified in messageSendingStateFailed.retry_after time passed. If a message is readded, the corresponding failed to send message is deleted. Returns the sent messages in the same order as the message identifiers passed in message_ids. If a message can't be readded, null will be returned instead of the message +func (client *Client) ReaddQuickReplyShortcutMessages(req *ReaddQuickReplyShortcutMessagesRequest) (*QuickReplyMessages, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "readdQuickReplyShortcutMessages", + }, + Data: map[string]interface{}{ + "shortcut_name": req.ShortcutName, + "message_ids": req.MessageIds, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalQuickReplyMessages(result.Data) +} + +type EditQuickReplyMessageRequest struct { + // Unique identifier of the quick reply shortcut with the message + ShortcutId int32 `json:"shortcut_id"` + // Identifier of the message + MessageId int64 `json:"message_id"` + // New content of the message. Must be one of the following types: inputMessageAnimation, inputMessageAudio, inputMessageChecklist, inputMessageDocument, inputMessagePhoto, inputMessageText, or inputMessageVideo + InputMessageContent InputMessageContent `json:"input_message_content"` +} + +// Asynchronously edits the text, media or caption of a quick reply message. Use quickReplyMessage.can_be_edited to check whether a message can be edited. Media message can be edited only to a media message. Checklist messages can be edited only to a checklist message. The type of message content in an album can't be changed with exception of replacing a photo with a video or vice versa +func (client *Client) EditQuickReplyMessage(req *EditQuickReplyMessageRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "editQuickReplyMessage", + }, + Data: map[string]interface{}{ + "shortcut_id": req.ShortcutId, + "message_id": req.MessageId, + "input_message_content": req.InputMessageContent, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +// Returns the list of custom emoji, which can be used as forum topic icon by all users func (client *Client) GetForumTopicDefaultIcons() (*Stickers, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getForumTopicDefaultIcons", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getForumTopicDefaultIcons", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalStickers(result.Data) + return UnmarshalStickers(result.Data) } -type CreateForumTopicRequest struct { - // Identifier of the chat - ChatId int64 `json:"chat_id"` - // Name of the topic; 1-128 characters - Name string `json:"name"` - // Icon of the topic. Icon color must be one of 0x6FB9F0, 0xFFD67E, 0xCB86DB, 0x8EEE98, 0xFF93B2, or 0xFB6F5F. Telegram Premium users can use any custom emoji as topic icon, other users can use only a custom emoji returned by getForumTopicDefaultIcons - Icon *ForumTopicIcon `json:"icon"` +type CreateForumTopicRequest struct { + // Identifier of the chat + ChatId int64 `json:"chat_id"` + // Name of the topic; 1-128 characters + Name string `json:"name"` + // Pass true if the name of the topic wasn't entered explicitly; for chats with bots only + IsNameImplicit bool `json:"is_name_implicit"` + // Icon of the topic. Icon color must be one of 0x6FB9F0, 0xFFD67E, 0xCB86DB, 0x8EEE98, 0xFF93B2, or 0xFB6F5F. Telegram Premium users can use any custom emoji as topic icon, other users can use only a custom emoji returned by getForumTopicDefaultIcons + Icon *ForumTopicIcon `json:"icon"` } -// Creates a topic in a forum supergroup chat; requires can_manage_topics rights in the supergroup +// Creates a topic in a forum supergroup chat or a chat with a bot with topics; requires can_manage_topics administrator or can_create_topics member right in the supergroup func (client *Client) CreateForumTopic(req *CreateForumTopicRequest) (*ForumTopicInfo, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "createForumTopic", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "name": req.Name, - "icon": req.Icon, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "createForumTopic", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "name": req.Name, + "is_name_implicit": req.IsNameImplicit, + "icon": req.Icon, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalForumTopicInfo(result.Data) + return UnmarshalForumTopicInfo(result.Data) } -type EditForumTopicRequest struct { - // Identifier of the chat - ChatId int64 `json:"chat_id"` - // Message thread identifier of the forum topic - MessageThreadId int64 `json:"message_thread_id"` - // New name of the topic; 0-128 characters. If empty, the previous topic name is kept - Name string `json:"name"` - // Pass true to edit the icon of the topic. Icon of the General topic can't be edited - EditIconCustomEmoji bool `json:"edit_icon_custom_emoji"` - // Identifier of the new custom emoji for topic icon; pass 0 to remove the custom emoji. Ignored if edit_icon_custom_emoji is false. Telegram Premium users can use any custom emoji, other users can use only a custom emoji returned by getForumTopicDefaultIcons - IconCustomEmojiId JsonInt64 `json:"icon_custom_emoji_id"` +type EditForumTopicRequest struct { + // Identifier of the chat + ChatId int64 `json:"chat_id"` + // Forum topic identifier + ForumTopicId int32 `json:"forum_topic_id"` + // New name of the topic; 0-128 characters. If empty, the previous topic name is kept + Name string `json:"name"` + // Pass true to edit the icon of the topic. Icon of the General topic can't be edited + EditIconCustomEmoji bool `json:"edit_icon_custom_emoji"` + // Identifier of the new custom emoji for topic icon; pass 0 to remove the custom emoji. Ignored if edit_icon_custom_emoji is false. Telegram Premium users can use any custom emoji, other users can use only a custom emoji returned by getForumTopicDefaultIcons + IconCustomEmojiId JsonInt64 `json:"icon_custom_emoji_id"` } -// Edits title and icon of a topic in a forum supergroup chat; requires can_manage_topics administrator right in the supergroup unless the user is creator of the topic +// Edits title and icon of a topic in a forum supergroup chat or a chat with a bot with topics; for supergroup chats requires can_manage_topics administrator right unless the user is creator of the topic func (client *Client) EditForumTopic(req *EditForumTopicRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "editForumTopic", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_thread_id": req.MessageThreadId, - "name": req.Name, - "edit_icon_custom_emoji": req.EditIconCustomEmoji, - "icon_custom_emoji_id": req.IconCustomEmojiId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "editForumTopic", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "forum_topic_id": req.ForumTopicId, + "name": req.Name, + "edit_icon_custom_emoji": req.EditIconCustomEmoji, + "icon_custom_emoji_id": req.IconCustomEmojiId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type GetForumTopicRequest struct { - // Identifier of the chat - ChatId int64 `json:"chat_id"` - // Message thread identifier of the forum topic - MessageThreadId int64 `json:"message_thread_id"` +type GetForumTopicRequest struct { + // Identifier of the chat + ChatId int64 `json:"chat_id"` + // Forum topic identifier + ForumTopicId int32 `json:"forum_topic_id"` } -// Returns information about a forum topic +// Returns information about a topic in a forum supergroup chat or a chat with a bot with topics func (client *Client) GetForumTopic(req *GetForumTopicRequest) (*ForumTopic, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getForumTopic", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_thread_id": req.MessageThreadId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getForumTopic", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "forum_topic_id": req.ForumTopicId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalForumTopic(result.Data) + return UnmarshalForumTopic(result.Data) } -type GetForumTopicLinkRequest struct { - // Identifier of the chat - ChatId int64 `json:"chat_id"` - // Message thread identifier of the forum topic - MessageThreadId int64 `json:"message_thread_id"` +type GetForumTopicHistoryRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Forum topic identifier + ForumTopicId int32 `json:"forum_topic_id"` + // Identifier of the message starting from which history must be fetched; use 0 to get results from the last message + FromMessageId int64 `json:"from_message_id"` + // Specify 0 to get results from exactly the message from_message_id or a negative number from -99 to -1 to get additionally -offset newer messages + Offset int32 `json:"offset"` + // The maximum number of messages to be returned; must be positive and can't be greater than 100. If the offset is negative, then the limit must be greater than or equal to -offset. For optimal performance, the number of returned messages is chosen by TDLib and can be smaller than the specified limit + Limit int32 `json:"limit"` } -// Returns an HTTPS link to a topic in a forum chat. This is an offline request +// Returns messages in a topic in a forum supergroup chat or a chat with a bot with topics. The messages are returned in reverse chronological order (i.e., in order of decreasing message_id). For optimal performance, the number of returned messages is chosen by TDLib +func (client *Client) GetForumTopicHistory(req *GetForumTopicHistoryRequest) (*Messages, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getForumTopicHistory", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "forum_topic_id": req.ForumTopicId, + "from_message_id": req.FromMessageId, + "offset": req.Offset, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalMessages(result.Data) +} + +type GetForumTopicLinkRequest struct { + // Identifier of the chat + ChatId int64 `json:"chat_id"` + // Forum topic identifier + ForumTopicId int32 `json:"forum_topic_id"` +} + +// Returns an HTTPS link to a topic in a forum supergroup chat. This is an offline method func (client *Client) GetForumTopicLink(req *GetForumTopicLinkRequest) (*MessageLink, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getForumTopicLink", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_thread_id": req.MessageThreadId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getForumTopicLink", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "forum_topic_id": req.ForumTopicId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalMessageLink(result.Data) + return UnmarshalMessageLink(result.Data) } -type GetForumTopicsRequest struct { - // Identifier of the forum chat - ChatId int64 `json:"chat_id"` - // Query to search for in the forum topic's name - Query string `json:"query"` - // The date starting from which the results need to be fetched. Use 0 or any date in the future to get results from the last topic - OffsetDate int32 `json:"offset_date"` - // The message identifier of the last message in the last found topic, or 0 for the first request - OffsetMessageId int64 `json:"offset_message_id"` - // The message thread identifier of the last found topic, or 0 for the first request - OffsetMessageThreadId int64 `json:"offset_message_thread_id"` - // The maximum number of forum topics to be returned; up to 100. For optimal performance, the number of returned forum topics is chosen by TDLib and can be smaller than the specified limit - Limit int32 `json:"limit"` +type GetForumTopicsRequest struct { + // Identifier of the chat + ChatId int64 `json:"chat_id"` + // Query to search for in the forum topic's name + Query string `json:"query"` + // The date starting from which the results need to be fetched. Use 0 or any date in the future to get results from the last topic + OffsetDate int32 `json:"offset_date"` + // The message identifier of the last message in the last found topic, or 0 for the first request + OffsetMessageId int64 `json:"offset_message_id"` + // The forum topic identifier of the last found topic, or 0 for the first request + OffsetForumTopicId int32 `json:"offset_forum_topic_id"` + // The maximum number of forum topics to be returned; up to 100. For optimal performance, the number of returned forum topics is chosen by TDLib and can be smaller than the specified limit + Limit int32 `json:"limit"` } -// Returns found forum topics in a forum chat. This is a temporary method for getting information about topic list from the server +// Returns found forum topics in a forum supergroup chat or a chat with a bot with topics. This is a temporary method for getting information about topic list from the server func (client *Client) GetForumTopics(req *GetForumTopicsRequest) (*ForumTopics, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getForumTopics", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "query": req.Query, - "offset_date": req.OffsetDate, - "offset_message_id": req.OffsetMessageId, - "offset_message_thread_id": req.OffsetMessageThreadId, - "limit": req.Limit, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getForumTopics", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "query": req.Query, + "offset_date": req.OffsetDate, + "offset_message_id": req.OffsetMessageId, + "offset_forum_topic_id": req.OffsetForumTopicId, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalForumTopics(result.Data) + return UnmarshalForumTopics(result.Data) } -type SetForumTopicNotificationSettingsRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // Message thread identifier of the forum topic - MessageThreadId int64 `json:"message_thread_id"` - // New notification settings for the forum topic. If the topic is muted for more than 366 days, it is considered to be muted forever - NotificationSettings *ChatNotificationSettings `json:"notification_settings"` +type SetForumTopicNotificationSettingsRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Forum topic identifier + ForumTopicId int32 `json:"forum_topic_id"` + // New notification settings for the forum topic. If the topic is muted for more than 366 days, it is considered to be muted forever + NotificationSettings *ChatNotificationSettings `json:"notification_settings"` } -// Changes the notification settings of a forum topic +// Changes the notification settings of a forum topic in a forum supergroup chat or a chat with a bot with topics func (client *Client) SetForumTopicNotificationSettings(req *SetForumTopicNotificationSettingsRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setForumTopicNotificationSettings", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_thread_id": req.MessageThreadId, - "notification_settings": req.NotificationSettings, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setForumTopicNotificationSettings", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "forum_topic_id": req.ForumTopicId, + "notification_settings": req.NotificationSettings, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type ToggleForumTopicIsClosedRequest struct { - // Identifier of the chat - ChatId int64 `json:"chat_id"` - // Message thread identifier of the forum topic - MessageThreadId int64 `json:"message_thread_id"` - // Pass true to close the topic; pass false to reopen it - IsClosed bool `json:"is_closed"` +type ToggleForumTopicIsClosedRequest struct { + // Identifier of the chat + ChatId int64 `json:"chat_id"` + // Forum topic identifier + ForumTopicId int32 `json:"forum_topic_id"` + // Pass true to close the topic; pass false to reopen it + IsClosed bool `json:"is_closed"` } // Toggles whether a topic is closed in a forum supergroup chat; requires can_manage_topics administrator right in the supergroup unless the user is creator of the topic func (client *Client) ToggleForumTopicIsClosed(req *ToggleForumTopicIsClosedRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "toggleForumTopicIsClosed", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_thread_id": req.MessageThreadId, - "is_closed": req.IsClosed, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "toggleForumTopicIsClosed", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "forum_topic_id": req.ForumTopicId, + "is_closed": req.IsClosed, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type ToggleGeneralForumTopicIsHiddenRequest struct { - // Identifier of the chat - ChatId int64 `json:"chat_id"` - // Pass true to hide and close the General topic; pass false to unhide it - IsHidden bool `json:"is_hidden"` +type ToggleGeneralForumTopicIsHiddenRequest struct { + // Identifier of the chat + ChatId int64 `json:"chat_id"` + // Pass true to hide and close the General topic; pass false to unhide it + IsHidden bool `json:"is_hidden"` } // Toggles whether a General topic is hidden in a forum supergroup chat; requires can_manage_topics administrator right in the supergroup func (client *Client) ToggleGeneralForumTopicIsHidden(req *ToggleGeneralForumTopicIsHiddenRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "toggleGeneralForumTopicIsHidden", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "is_hidden": req.IsHidden, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "toggleGeneralForumTopicIsHidden", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "is_hidden": req.IsHidden, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type ToggleForumTopicIsPinnedRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // Message thread identifier of the forum topic - MessageThreadId int64 `json:"message_thread_id"` - // Pass true to pin the topic; pass false to unpin it - IsPinned bool `json:"is_pinned"` +type ToggleForumTopicIsPinnedRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Forum topic identifier + ForumTopicId int32 `json:"forum_topic_id"` + // Pass true to pin the topic; pass false to unpin it + IsPinned bool `json:"is_pinned"` } -// Changes the pinned state of a forum topic; requires can_manage_topics administrator right in the supergroup. There can be up to getOption("pinned_forum_topic_count_max") pinned forum topics +// Changes the pinned state of a topic in a forum supergroup chat or a chat with a bot with topics; requires can_manage_topics administrator right in the supergroup. There can be up to getOption("pinned_forum_topic_count_max") pinned forum topics func (client *Client) ToggleForumTopicIsPinned(req *ToggleForumTopicIsPinnedRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "toggleForumTopicIsPinned", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_thread_id": req.MessageThreadId, - "is_pinned": req.IsPinned, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "toggleForumTopicIsPinned", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "forum_topic_id": req.ForumTopicId, + "is_pinned": req.IsPinned, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SetPinnedForumTopicsRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // The new list of pinned forum topics - MessageThreadIds []int64 `json:"message_thread_ids"` +type SetPinnedForumTopicsRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // The new list of identifiers of the pinned forum topics + ForumTopicIds []int32 `json:"forum_topic_ids"` } -// Changes the order of pinned forum topics +// Changes the order of pinned topics in a forum supergroup chat or a chat with a bot with topics; requires can_manage_topics administrator right in the supergroup func (client *Client) SetPinnedForumTopics(req *SetPinnedForumTopicsRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setPinnedForumTopics", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_thread_ids": req.MessageThreadIds, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setPinnedForumTopics", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "forum_topic_ids": req.ForumTopicIds, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type DeleteForumTopicRequest struct { - // Identifier of the chat - ChatId int64 `json:"chat_id"` - // Message thread identifier of the forum topic - MessageThreadId int64 `json:"message_thread_id"` +type DeleteForumTopicRequest struct { + // Identifier of the chat + ChatId int64 `json:"chat_id"` + // Forum topic identifier + ForumTopicId int32 `json:"forum_topic_id"` } -// Deletes all messages in a forum topic; requires can_delete_messages administrator right in the supergroup unless the user is creator of the topic, the topic has no messages from other users and has at most 11 messages +// Deletes all messages from a topic in a forum supergroup chat or a chat with a bot with topics; requires can_delete_messages administrator right in the supergroup unless the user is creator of the topic, the topic has no messages from other users and has at most 11 messages func (client *Client) DeleteForumTopic(req *DeleteForumTopicRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "deleteForumTopic", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_thread_id": req.MessageThreadId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "deleteForumTopic", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "forum_topic_id": req.ForumTopicId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type GetEmojiReactionRequest struct { - // Text representation of the reaction - Emoji string `json:"emoji"` +type ReadAllForumTopicMentionsRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Forum topic identifier in which mentions are marked as read + ForumTopicId int32 `json:"forum_topic_id"` } -// Returns information about a emoji reaction. Returns a 404 error if the reaction is not found +// Marks all mentions in a topic in a forum supergroup chat as read +func (client *Client) ReadAllForumTopicMentions(req *ReadAllForumTopicMentionsRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "readAllForumTopicMentions", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "forum_topic_id": req.ForumTopicId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type ReadAllForumTopicReactionsRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Forum topic identifier in which reactions are marked as read + ForumTopicId int32 `json:"forum_topic_id"` +} + +// Marks all reactions in a topic in a forum supergroup chat or a chat with a bot with topics as read +func (client *Client) ReadAllForumTopicReactions(req *ReadAllForumTopicReactionsRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "readAllForumTopicReactions", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "forum_topic_id": req.ForumTopicId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type UnpinAllForumTopicMessagesRequest struct { + // Identifier of the chat + ChatId int64 `json:"chat_id"` + // Forum topic identifier in which messages will be unpinned + ForumTopicId int32 `json:"forum_topic_id"` +} + +// Removes all pinned messages from a topic in a forum supergroup chat or a chat with a bot with topics; requires can_pin_messages member right in the supergroup +func (client *Client) UnpinAllForumTopicMessages(req *UnpinAllForumTopicMessagesRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "unpinAllForumTopicMessages", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "forum_topic_id": req.ForumTopicId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +// Returns parameters for creating of a new passkey as JSON-serialized string +func (client *Client) GetPasskeyParameters() (*Text, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getPasskeyParameters", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalText(result.Data) +} + +type AddLoginPasskeyRequest struct { + // JSON-encoded client data + ClientData string `json:"client_data"` + // Passkey attestation object + AttestationObject []byte `json:"attestation_object"` +} + +// Adds a passkey allowed to be used for the login by the current user and returns the added passkey. Call getPasskeyParameters to get parameters for creating of the passkey +func (client *Client) AddLoginPasskey(req *AddLoginPasskeyRequest) (*Passkey, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "addLoginPasskey", + }, + Data: map[string]interface{}{ + "client_data": req.ClientData, + "attestation_object": req.AttestationObject, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalPasskey(result.Data) +} + +// Returns the list of passkeys allowed to be used for the login by the current user +func (client *Client) GetLoginPasskeys() (*Passkeys, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getLoginPasskeys", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalPasskeys(result.Data) +} + +type RemoveLoginPasskeyRequest struct { + // Unique identifier of the passkey to remove + PasskeyId string `json:"passkey_id"` +} + +// Removes a passkey from the list of passkeys allowed to be used for the login by the current user +func (client *Client) RemoveLoginPasskey(req *RemoveLoginPasskeyRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "removeLoginPasskey", + }, + Data: map[string]interface{}{ + "passkey_id": req.PasskeyId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type GetEmojiReactionRequest struct { + // Text representation of the reaction + Emoji string `json:"emoji"` +} + +// Returns information about an emoji reaction. Returns a 404 error if the reaction is not found func (client *Client) GetEmojiReaction(req *GetEmojiReactionRequest) (*EmojiReaction, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getEmojiReaction", - }, - Data: map[string]interface{}{ - "emoji": req.Emoji, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getEmojiReaction", + }, + Data: map[string]interface{}{ + "emoji": req.Emoji, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalEmojiReaction(result.Data) + return UnmarshalEmojiReaction(result.Data) } // Returns TGS stickers with generic animations for custom emoji reactions func (client *Client) GetCustomEmojiReactionAnimations() (*Stickers, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getCustomEmojiReactionAnimations", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getCustomEmojiReactionAnimations", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalStickers(result.Data) + return UnmarshalStickers(result.Data) } -type GetMessageAvailableReactionsRequest struct { - // Identifier of the chat to which the message belongs - ChatId int64 `json:"chat_id"` - // Identifier of the message - MessageId int64 `json:"message_id"` - // Number of reaction per row, 5-25 - RowSize int32 `json:"row_size"` +type GetMessageAvailableReactionsRequest struct { + // Identifier of the chat to which the message belongs + ChatId int64 `json:"chat_id"` + // Identifier of the message + MessageId int64 `json:"message_id"` + // Number of reaction per row, 5-25 + RowSize int32 `json:"row_size"` } // Returns reactions, which can be added to a message. The list can change after updateActiveEmojiReactions, updateChatAvailableReactions for the chat, or updateMessageInteractionInfo for the message func (client *Client) GetMessageAvailableReactions(req *GetMessageAvailableReactionsRequest) (*AvailableReactions, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getMessageAvailableReactions", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_id": req.MessageId, - "row_size": req.RowSize, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getMessageAvailableReactions", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + "row_size": req.RowSize, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalAvailableReactions(result.Data) + return UnmarshalAvailableReactions(result.Data) } // Clears the list of recently used reactions func (client *Client) ClearRecentReactions() (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "clearRecentReactions", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "clearRecentReactions", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type AddMessageReactionRequest struct { - // Identifier of the chat to which the message belongs - ChatId int64 `json:"chat_id"` - // Identifier of the message - MessageId int64 `json:"message_id"` - // Type of the reaction to add - ReactionType ReactionType `json:"reaction_type"` - // Pass true if the reaction is added with a big animation - IsBig bool `json:"is_big"` - // Pass true if the reaction needs to be added to recent reactions - UpdateRecentReactions bool `json:"update_recent_reactions"` +type AddMessageReactionRequest struct { + // Identifier of the chat to which the message belongs + ChatId int64 `json:"chat_id"` + // Identifier of the message + MessageId int64 `json:"message_id"` + // Type of the reaction to add. Use addPendingPaidMessageReaction instead to add the paid reaction + ReactionType ReactionType `json:"reaction_type"` + // Pass true if the reaction is added with a big animation + IsBig bool `json:"is_big"` + // Pass true if the reaction needs to be added to recent reactions; tags are never added to the list of recent reactions + UpdateRecentReactions bool `json:"update_recent_reactions"` } -// Adds a reaction to a message. Use getMessageAvailableReactions to receive the list of available reactions for the message +// Adds a reaction or a tag to a message. Use getMessageAvailableReactions to receive the list of available reactions for the message func (client *Client) AddMessageReaction(req *AddMessageReactionRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "addMessageReaction", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_id": req.MessageId, - "reaction_type": req.ReactionType, - "is_big": req.IsBig, - "update_recent_reactions": req.UpdateRecentReactions, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "addMessageReaction", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + "reaction_type": req.ReactionType, + "is_big": req.IsBig, + "update_recent_reactions": req.UpdateRecentReactions, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type RemoveMessageReactionRequest struct { - // Identifier of the chat to which the message belongs - ChatId int64 `json:"chat_id"` - // Identifier of the message - MessageId int64 `json:"message_id"` - // Type of the reaction to remove - ReactionType ReactionType `json:"reaction_type"` +type RemoveMessageReactionRequest struct { + // Identifier of the chat to which the message belongs + ChatId int64 `json:"chat_id"` + // Identifier of the message + MessageId int64 `json:"message_id"` + // Type of the reaction to remove. The paid reaction can't be removed + ReactionType ReactionType `json:"reaction_type"` } // Removes a reaction from a message. A chosen reaction can always be removed func (client *Client) RemoveMessageReaction(req *RemoveMessageReactionRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "removeMessageReaction", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_id": req.MessageId, - "reaction_type": req.ReactionType, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "removeMessageReaction", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + "reaction_type": req.ReactionType, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type GetMessageAddedReactionsRequest struct { - // Identifier of the chat to which the message belongs - ChatId int64 `json:"chat_id"` - // Identifier of the message - MessageId int64 `json:"message_id"` - // Type of the reactions to return; pass null to return all added reactions - ReactionType ReactionType `json:"reaction_type"` - // Offset of the first entry to return as received from the previous request; use empty string to get the first chunk of results - Offset string `json:"offset"` - // The maximum number of reactions to be returned; must be positive and can't be greater than 100 - Limit int32 `json:"limit"` +type GetChatAvailablePaidMessageReactionSendersRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` +} + +// Returns the list of message sender identifiers, which can be used to send a paid reaction in a chat +func (client *Client) GetChatAvailablePaidMessageReactionSenders(req *GetChatAvailablePaidMessageReactionSendersRequest) (*MessageSenders, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getChatAvailablePaidMessageReactionSenders", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalMessageSenders(result.Data) +} + +type AddPendingPaidMessageReactionRequest struct { + // Identifier of the chat to which the message belongs + ChatId int64 `json:"chat_id"` + // Identifier of the message + MessageId int64 `json:"message_id"` + // Number of Telegram Stars to be used for the reaction. The total number of pending paid reactions must not exceed getOption("paid_reaction_star_count_max") + StarCount int64 `json:"star_count"` + // Type of the paid reaction; pass null if the user didn't choose reaction type explicitly, for example, the reaction is set from the message bubble + Type PaidReactionType `json:"type"` +} + +// Adds the paid message reaction to a message. Use getMessageAvailableReactions to check whether the reaction is available for the message +func (client *Client) AddPendingPaidMessageReaction(req *AddPendingPaidMessageReactionRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "addPendingPaidMessageReaction", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + "star_count": req.StarCount, + "type": req.Type, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type CommitPendingPaidMessageReactionsRequest struct { + // Identifier of the chat to which the message belongs + ChatId int64 `json:"chat_id"` + // Identifier of the message + MessageId int64 `json:"message_id"` +} + +// Applies all pending paid reactions on a message +func (client *Client) CommitPendingPaidMessageReactions(req *CommitPendingPaidMessageReactionsRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "commitPendingPaidMessageReactions", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type RemovePendingPaidMessageReactionsRequest struct { + // Identifier of the chat to which the message belongs + ChatId int64 `json:"chat_id"` + // Identifier of the message + MessageId int64 `json:"message_id"` +} + +// Removes all pending paid reactions on a message +func (client *Client) RemovePendingPaidMessageReactions(req *RemovePendingPaidMessageReactionsRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "removePendingPaidMessageReactions", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SetPaidMessageReactionTypeRequest struct { + // Identifier of the chat to which the message belongs + ChatId int64 `json:"chat_id"` + // Identifier of the message + MessageId int64 `json:"message_id"` + // New type of the paid reaction + Type PaidReactionType `json:"type"` +} + +// Changes type of paid message reaction of the current user on a message. The message must have paid reaction added by the current user +func (client *Client) SetPaidMessageReactionType(req *SetPaidMessageReactionTypeRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setPaidMessageReactionType", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + "type": req.Type, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SetMessageReactionsRequest struct { + // Identifier of the chat to which the message belongs + ChatId int64 `json:"chat_id"` + // Identifier of the message + MessageId int64 `json:"message_id"` + // Types of the reaction to set; pass an empty list to remove the reactions + ReactionTypes []ReactionType `json:"reaction_types"` + // Pass true if the reactions are added with a big animation + IsBig bool `json:"is_big"` +} + +// Sets reactions on a message; for bots only +func (client *Client) SetMessageReactions(req *SetMessageReactionsRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setMessageReactions", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + "reaction_types": req.ReactionTypes, + "is_big": req.IsBig, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type GetMessageAddedReactionsRequest struct { + // Identifier of the chat to which the message belongs + ChatId int64 `json:"chat_id"` + // Identifier of the message. Use message.interaction_info.reactions.can_get_added_reactions to check whether added reactions can be received for the message + MessageId int64 `json:"message_id"` + // Type of the reactions to return; pass null to return all added reactions; reactionTypePaid isn't supported + ReactionType ReactionType `json:"reaction_type"` + // Offset of the first entry to return as received from the previous request; use empty string to get the first chunk of results + Offset string `json:"offset"` + // The maximum number of reactions to be returned; must be positive and can't be greater than 100 + Limit int32 `json:"limit"` } // Returns reactions added for a message, along with their sender func (client *Client) GetMessageAddedReactions(req *GetMessageAddedReactionsRequest) (*AddedReactions, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getMessageAddedReactions", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_id": req.MessageId, - "reaction_type": req.ReactionType, - "offset": req.Offset, - "limit": req.Limit, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getMessageAddedReactions", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + "reaction_type": req.ReactionType, + "offset": req.Offset, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalAddedReactions(result.Data) + return UnmarshalAddedReactions(result.Data) } -type SetDefaultReactionTypeRequest struct { - // New type of the default reaction - ReactionType ReactionType `json:"reaction_type"` +type SetDefaultReactionTypeRequest struct { + // New type of the default reaction. The paid reaction can't be set as default + ReactionType ReactionType `json:"reaction_type"` } // Changes type of default reaction for the current user func (client *Client) SetDefaultReactionType(req *SetDefaultReactionTypeRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setDefaultReactionType", - }, - Data: map[string]interface{}{ - "reaction_type": req.ReactionType, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setDefaultReactionType", + }, + Data: map[string]interface{}{ + "reaction_type": req.ReactionType, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type GetTextEntitiesRequest struct { - // The text in which to look for entites - Text string `json:"text"` +type GetSavedMessagesTagsRequest struct { + // Identifier of Saved Messages topic which tags will be returned; pass 0 to get all Saved Messages tags + SavedMessagesTopicId int64 `json:"saved_messages_topic_id"` +} + +// Returns tags used in Saved Messages or a Saved Messages topic +func (client *Client) GetSavedMessagesTags(req *GetSavedMessagesTagsRequest) (*SavedMessagesTags, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getSavedMessagesTags", + }, + Data: map[string]interface{}{ + "saved_messages_topic_id": req.SavedMessagesTopicId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalSavedMessagesTags(result.Data) +} + +type SetSavedMessagesTagLabelRequest struct { + // The tag which label will be changed + Tag ReactionType `json:"tag"` + // New label for the tag; 0-12 characters + Label string `json:"label"` +} + +// Changes label of a Saved Messages tag; for Telegram Premium users only +func (client *Client) SetSavedMessagesTagLabel(req *SetSavedMessagesTagLabelRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setSavedMessagesTagLabel", + }, + Data: map[string]interface{}{ + "tag": req.Tag, + "label": req.Label, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type GetMessageEffectRequest struct { + // Unique identifier of the effect + EffectId JsonInt64 `json:"effect_id"` +} + +// Returns information about a message effect. Returns a 404 error if the effect is not found +func (client *Client) GetMessageEffect(req *GetMessageEffectRequest) (*MessageEffect, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getMessageEffect", + }, + Data: map[string]interface{}{ + "effect_id": req.EffectId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalMessageEffect(result.Data) +} + +type SearchQuoteRequest struct { + // Text in which to search for the quote + Text *FormattedText `json:"text"` + // Quote to search for + Quote *FormattedText `json:"quote"` + // Approximate quote position in UTF-16 code units + QuotePosition int32 `json:"quote_position"` +} + +// Searches for a given quote in a text. Returns found quote start position in UTF-16 code units. Returns a 404 error if the quote is not found. Can be called synchronously +func SearchQuote(req *SearchQuoteRequest) (*FoundPosition, error) { + result, err := Execute(Request{ + meta: meta{ + Type: "searchQuote", + }, + Data: map[string]interface{}{ + "text": req.Text, + "quote": req.Quote, + "quote_position": req.QuotePosition, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalFoundPosition(result.Data) +} + +// deprecated +// Searches for a given quote in a text. Returns found quote start position in UTF-16 code units. Returns a 404 error if the quote is not found. Can be called synchronously +func (client *Client) SearchQuote(req *SearchQuoteRequest) (*FoundPosition, error) { + return SearchQuote(req)} + +type GetTextEntitiesRequest struct { + // The text in which to look for entities + Text string `json:"text"` } // Returns all entities (mentions, hashtags, cashtags, bot commands, bank card numbers, URLs, and email addresses) found in the text. Can be called synchronously func GetTextEntities(req *GetTextEntitiesRequest) (*TextEntities, error) { - result, err := Execute(Request{ - meta: meta{ - Type: "getTextEntities", - }, - Data: map[string]interface{}{ - "text": req.Text, - }, - }) - if err != nil { - return nil, err - } + result, err := Execute(Request{ + meta: meta{ + Type: "getTextEntities", + }, + Data: map[string]interface{}{ + "text": req.Text, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalTextEntities(result.Data) + return UnmarshalTextEntities(result.Data) } // deprecated // Returns all entities (mentions, hashtags, cashtags, bot commands, bank card numbers, URLs, and email addresses) found in the text. Can be called synchronously func (client *Client) GetTextEntities(req *GetTextEntitiesRequest) (*TextEntities, error) { - return GetTextEntities(req) + return GetTextEntities(req)} + +type ParseTextEntitiesRequest struct { + // The text to parse + Text string `json:"text"` + // Text parse mode + ParseMode TextParseMode `json:"parse_mode"` } -type ParseTextEntitiesRequest struct { - // The text to parse - Text string `json:"text"` - // Text parse mode - ParseMode TextParseMode `json:"parse_mode"` -} - -// Parses Bold, Italic, Underline, Strikethrough, Spoiler, CustomEmoji, Code, Pre, PreCode, TextUrl and MentionName entities from a marked-up text. Can be called synchronously +// Parses Bold, Italic, Underline, Strikethrough, Spoiler, CustomEmoji, BlockQuote, ExpandableBlockQuote, Code, Pre, PreCode, TextUrl and MentionName entities from a marked-up text. Can be called synchronously func ParseTextEntities(req *ParseTextEntitiesRequest) (*FormattedText, error) { - result, err := Execute(Request{ - meta: meta{ - Type: "parseTextEntities", - }, - Data: map[string]interface{}{ - "text": req.Text, - "parse_mode": req.ParseMode, - }, - }) - if err != nil { - return nil, err - } + result, err := Execute(Request{ + meta: meta{ + Type: "parseTextEntities", + }, + Data: map[string]interface{}{ + "text": req.Text, + "parse_mode": req.ParseMode, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalFormattedText(result.Data) + return UnmarshalFormattedText(result.Data) } // deprecated -// Parses Bold, Italic, Underline, Strikethrough, Spoiler, CustomEmoji, Code, Pre, PreCode, TextUrl and MentionName entities from a marked-up text. Can be called synchronously +// Parses Bold, Italic, Underline, Strikethrough, Spoiler, CustomEmoji, BlockQuote, ExpandableBlockQuote, Code, Pre, PreCode, TextUrl and MentionName entities from a marked-up text. Can be called synchronously func (client *Client) ParseTextEntities(req *ParseTextEntitiesRequest) (*FormattedText, error) { - return ParseTextEntities(req) -} + return ParseTextEntities(req)} -type ParseMarkdownRequest struct { - // The text to parse. For example, "__italic__ ~~strikethrough~~ ||spoiler|| **bold** `code` ```pre``` __[italic__ text_url](telegram.org) __italic**bold italic__bold**" - Text *FormattedText `json:"text"` +type ParseMarkdownRequest struct { + // The text to parse. For example, "__italic__ ~~strikethrough~~ ||spoiler|| **bold** `code` ```pre``` __[italic__ text_url](telegram.org) __italic**bold italic__bold**" + Text *FormattedText `json:"text"` } // Parses Markdown entities in a human-friendly format, ignoring markup errors. Can be called synchronously func ParseMarkdown(req *ParseMarkdownRequest) (*FormattedText, error) { - result, err := Execute(Request{ - meta: meta{ - Type: "parseMarkdown", - }, - Data: map[string]interface{}{ - "text": req.Text, - }, - }) - if err != nil { - return nil, err - } + result, err := Execute(Request{ + meta: meta{ + Type: "parseMarkdown", + }, + Data: map[string]interface{}{ + "text": req.Text, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalFormattedText(result.Data) + return UnmarshalFormattedText(result.Data) } // deprecated // Parses Markdown entities in a human-friendly format, ignoring markup errors. Can be called synchronously func (client *Client) ParseMarkdown(req *ParseMarkdownRequest) (*FormattedText, error) { - return ParseMarkdown(req) -} + return ParseMarkdown(req)} -type GetMarkdownTextRequest struct { - // The text - Text *FormattedText `json:"text"` +type GetMarkdownTextRequest struct { + // The text + Text *FormattedText `json:"text"` } // Replaces text entities with Markdown formatting in a human-friendly format. Entities that can't be represented in Markdown unambiguously are kept as is. Can be called synchronously func GetMarkdownText(req *GetMarkdownTextRequest) (*FormattedText, error) { - result, err := Execute(Request{ - meta: meta{ - Type: "getMarkdownText", - }, - Data: map[string]interface{}{ - "text": req.Text, - }, - }) - if err != nil { - return nil, err - } + result, err := Execute(Request{ + meta: meta{ + Type: "getMarkdownText", + }, + Data: map[string]interface{}{ + "text": req.Text, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalFormattedText(result.Data) + return UnmarshalFormattedText(result.Data) } // deprecated // Replaces text entities with Markdown formatting in a human-friendly format. Entities that can't be represented in Markdown unambiguously are kept as is. Can be called synchronously func (client *Client) GetMarkdownText(req *GetMarkdownTextRequest) (*FormattedText, error) { - return GetMarkdownText(req) + return GetMarkdownText(req)} + +type GetCountryFlagEmojiRequest struct { + // A two-letter ISO 3166-1 alpha-2 country code as received from getCountries + CountryCode string `json:"country_code"` } -type GetFileMimeTypeRequest struct { - // The name of the file or path to the file - FileName string `json:"file_name"` +// Returns an emoji for the given country. Returns an empty string on failure. Can be called synchronously +func GetCountryFlagEmoji(req *GetCountryFlagEmojiRequest) (*Text, error) { + result, err := Execute(Request{ + meta: meta{ + Type: "getCountryFlagEmoji", + }, + Data: map[string]interface{}{ + "country_code": req.CountryCode, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalText(result.Data) +} + +// deprecated +// Returns an emoji for the given country. Returns an empty string on failure. Can be called synchronously +func (client *Client) GetCountryFlagEmoji(req *GetCountryFlagEmojiRequest) (*Text, error) { + return GetCountryFlagEmoji(req)} + +type GetFileMimeTypeRequest struct { + // The name of the file or path to the file + FileName string `json:"file_name"` } // Returns the MIME type of a file, guessed by its extension. Returns an empty string on failure. Can be called synchronously func GetFileMimeType(req *GetFileMimeTypeRequest) (*Text, error) { - result, err := Execute(Request{ - meta: meta{ - Type: "getFileMimeType", - }, - Data: map[string]interface{}{ - "file_name": req.FileName, - }, - }) - if err != nil { - return nil, err - } + result, err := Execute(Request{ + meta: meta{ + Type: "getFileMimeType", + }, + Data: map[string]interface{}{ + "file_name": req.FileName, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalText(result.Data) + return UnmarshalText(result.Data) } // deprecated // Returns the MIME type of a file, guessed by its extension. Returns an empty string on failure. Can be called synchronously func (client *Client) GetFileMimeType(req *GetFileMimeTypeRequest) (*Text, error) { - return GetFileMimeType(req) -} + return GetFileMimeType(req)} -type GetFileExtensionRequest struct { - // The MIME type of the file - MimeType string `json:"mime_type"` +type GetFileExtensionRequest struct { + // The MIME type of the file + MimeType string `json:"mime_type"` } // Returns the extension of a file, guessed by its MIME type. Returns an empty string on failure. Can be called synchronously func GetFileExtension(req *GetFileExtensionRequest) (*Text, error) { - result, err := Execute(Request{ - meta: meta{ - Type: "getFileExtension", - }, - Data: map[string]interface{}{ - "mime_type": req.MimeType, - }, - }) - if err != nil { - return nil, err - } + result, err := Execute(Request{ + meta: meta{ + Type: "getFileExtension", + }, + Data: map[string]interface{}{ + "mime_type": req.MimeType, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalText(result.Data) + return UnmarshalText(result.Data) } // deprecated // Returns the extension of a file, guessed by its MIME type. Returns an empty string on failure. Can be called synchronously func (client *Client) GetFileExtension(req *GetFileExtensionRequest) (*Text, error) { - return GetFileExtension(req) + return GetFileExtension(req)} + +type CleanFileNameRequest struct { + // File name or path to the file + FileName string `json:"file_name"` } -type CleanFileNameRequest struct { - // File name or path to the file - FileName string `json:"file_name"` -} - -// Removes potentially dangerous characters from the name of a file. The encoding of the file name is supposed to be UTF-8. Returns an empty string on failure. Can be called synchronously +// Removes potentially dangerous characters from the name of a file. Returns an empty string on failure. Can be called synchronously func CleanFileName(req *CleanFileNameRequest) (*Text, error) { - result, err := Execute(Request{ - meta: meta{ - Type: "cleanFileName", - }, - Data: map[string]interface{}{ - "file_name": req.FileName, - }, - }) - if err != nil { - return nil, err - } + result, err := Execute(Request{ + meta: meta{ + Type: "cleanFileName", + }, + Data: map[string]interface{}{ + "file_name": req.FileName, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalText(result.Data) + return UnmarshalText(result.Data) } // deprecated -// Removes potentially dangerous characters from the name of a file. The encoding of the file name is supposed to be UTF-8. Returns an empty string on failure. Can be called synchronously +// Removes potentially dangerous characters from the name of a file. Returns an empty string on failure. Can be called synchronously func (client *Client) CleanFileName(req *CleanFileNameRequest) (*Text, error) { - return CleanFileName(req) -} + return CleanFileName(req)} -type GetLanguagePackStringRequest struct { - // Path to the language pack database in which strings are stored - LanguagePackDatabasePath string `json:"language_pack_database_path"` - // Localization target to which the language pack belongs - LocalizationTarget string `json:"localization_target"` - // Language pack identifier - LanguagePackId string `json:"language_pack_id"` - // Language pack key of the string to be returned - Key string `json:"key"` +type GetLanguagePackStringRequest struct { + // Path to the language pack database in which strings are stored + LanguagePackDatabasePath string `json:"language_pack_database_path"` + // Localization target to which the language pack belongs + LocalizationTarget string `json:"localization_target"` + // Language pack identifier + LanguagePackId string `json:"language_pack_id"` + // Language pack key of the string to be returned + Key string `json:"key"` } // Returns a string stored in the local database from the specified localization target and language pack by its key. Returns a 404 error if the string is not found. Can be called synchronously func GetLanguagePackString(req *GetLanguagePackStringRequest) (LanguagePackStringValue, error) { - result, err := Execute(Request{ - meta: meta{ - Type: "getLanguagePackString", - }, - Data: map[string]interface{}{ - "language_pack_database_path": req.LanguagePackDatabasePath, - "localization_target": req.LocalizationTarget, - "language_pack_id": req.LanguagePackId, - "key": req.Key, - }, - }) - if err != nil { - return nil, err - } + result, err := Execute(Request{ + meta: meta{ + Type: "getLanguagePackString", + }, + Data: map[string]interface{}{ + "language_pack_database_path": req.LanguagePackDatabasePath, + "localization_target": req.LocalizationTarget, + "language_pack_id": req.LanguagePackId, + "key": req.Key, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - switch result.Type { - case TypeLanguagePackStringValueOrdinary: - return UnmarshalLanguagePackStringValueOrdinary(result.Data) + switch result.Type { + case TypeLanguagePackStringValueOrdinary: + return UnmarshalLanguagePackStringValueOrdinary(result.Data) - case TypeLanguagePackStringValuePluralized: - return UnmarshalLanguagePackStringValuePluralized(result.Data) + case TypeLanguagePackStringValuePluralized: + return UnmarshalLanguagePackStringValuePluralized(result.Data) - case TypeLanguagePackStringValueDeleted: - return UnmarshalLanguagePackStringValueDeleted(result.Data) + case TypeLanguagePackStringValueDeleted: + return UnmarshalLanguagePackStringValueDeleted(result.Data) - default: - return nil, errors.New("invalid type") - } + default: + return nil, errors.New("invalid type") + } } // deprecated // Returns a string stored in the local database from the specified localization target and language pack by its key. Returns a 404 error if the string is not found. Can be called synchronously func (client *Client) GetLanguagePackString(req *GetLanguagePackStringRequest) (LanguagePackStringValue, error) { - return GetLanguagePackString(req) -} + return GetLanguagePackString(req)} -type GetJsonValueRequest struct { - // The JSON-serialized string - Json string `json:"json"` +type GetJsonValueRequest struct { + // The JSON-serialized string + Json string `json:"json"` } // Converts a JSON-serialized string to corresponding JsonValue object. Can be called synchronously func GetJsonValue(req *GetJsonValueRequest) (JsonValue, error) { - result, err := Execute(Request{ - meta: meta{ - Type: "getJsonValue", - }, - Data: map[string]interface{}{ - "json": req.Json, - }, - }) - if err != nil { - return nil, err - } + result, err := Execute(Request{ + meta: meta{ + Type: "getJsonValue", + }, + Data: map[string]interface{}{ + "json": req.Json, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - switch result.Type { - case TypeJsonValueNull: - return UnmarshalJsonValueNull(result.Data) + switch result.Type { + case TypeJsonValueNull: + return UnmarshalJsonValueNull(result.Data) - case TypeJsonValueBoolean: - return UnmarshalJsonValueBoolean(result.Data) + case TypeJsonValueBoolean: + return UnmarshalJsonValueBoolean(result.Data) - case TypeJsonValueNumber: - return UnmarshalJsonValueNumber(result.Data) + case TypeJsonValueNumber: + return UnmarshalJsonValueNumber(result.Data) - case TypeJsonValueString: - return UnmarshalJsonValueString(result.Data) + case TypeJsonValueString: + return UnmarshalJsonValueString(result.Data) - case TypeJsonValueArray: - return UnmarshalJsonValueArray(result.Data) + case TypeJsonValueArray: + return UnmarshalJsonValueArray(result.Data) - case TypeJsonValueObject: - return UnmarshalJsonValueObject(result.Data) + case TypeJsonValueObject: + return UnmarshalJsonValueObject(result.Data) - default: - return nil, errors.New("invalid type") - } + default: + return nil, errors.New("invalid type") + } } // deprecated // Converts a JSON-serialized string to corresponding JsonValue object. Can be called synchronously func (client *Client) GetJsonValue(req *GetJsonValueRequest) (JsonValue, error) { - return GetJsonValue(req) -} + return GetJsonValue(req)} -type GetJsonStringRequest struct { - // The JsonValue object - JsonValue JsonValue `json:"json_value"` +type GetJsonStringRequest struct { + // The JsonValue object + JsonValue JsonValue `json:"json_value"` } // Converts a JsonValue object to corresponding JSON-serialized string. Can be called synchronously func GetJsonString(req *GetJsonStringRequest) (*Text, error) { - result, err := Execute(Request{ - meta: meta{ - Type: "getJsonString", - }, - Data: map[string]interface{}{ - "json_value": req.JsonValue, - }, - }) - if err != nil { - return nil, err - } + result, err := Execute(Request{ + meta: meta{ + Type: "getJsonString", + }, + Data: map[string]interface{}{ + "json_value": req.JsonValue, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalText(result.Data) + return UnmarshalText(result.Data) } // deprecated // Converts a JsonValue object to corresponding JSON-serialized string. Can be called synchronously func (client *Client) GetJsonString(req *GetJsonStringRequest) (*Text, error) { - return GetJsonString(req) -} + return GetJsonString(req)} -type GetThemeParametersJsonStringRequest struct { - // Theme parameters to convert to JSON - Theme *ThemeParameters `json:"theme"` +type GetThemeParametersJsonStringRequest struct { + // Theme parameters to convert to JSON + Theme *ThemeParameters `json:"theme"` } // Converts a themeParameters object to corresponding JSON-serialized string. Can be called synchronously func GetThemeParametersJsonString(req *GetThemeParametersJsonStringRequest) (*Text, error) { - result, err := Execute(Request{ - meta: meta{ - Type: "getThemeParametersJsonString", - }, - Data: map[string]interface{}{ - "theme": req.Theme, - }, - }) - if err != nil { - return nil, err - } + result, err := Execute(Request{ + meta: meta{ + Type: "getThemeParametersJsonString", + }, + Data: map[string]interface{}{ + "theme": req.Theme, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalText(result.Data) + return UnmarshalText(result.Data) } // deprecated // Converts a themeParameters object to corresponding JSON-serialized string. Can be called synchronously func (client *Client) GetThemeParametersJsonString(req *GetThemeParametersJsonStringRequest) (*Text, error) { - return GetThemeParametersJsonString(req) -} + return GetThemeParametersJsonString(req)} -type SetPollAnswerRequest struct { - // Identifier of the chat to which the poll belongs - ChatId int64 `json:"chat_id"` - // Identifier of the message containing the poll - MessageId int64 `json:"message_id"` - // 0-based identifiers of answer options, chosen by the user. User can choose more than 1 answer option only is the poll allows multiple answers - OptionIds []int32 `json:"option_ids"` +type SetPollAnswerRequest struct { + // Identifier of the chat to which the poll belongs + ChatId int64 `json:"chat_id"` + // Identifier of the message containing the poll + MessageId int64 `json:"message_id"` + // 0-based identifiers of answer options, chosen by the user. User can choose more than 1 answer option only is the poll allows multiple answers + OptionIds []int32 `json:"option_ids"` } // Changes the user answer to a poll. A poll in quiz mode can be answered only once func (client *Client) SetPollAnswer(req *SetPollAnswerRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setPollAnswer", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_id": req.MessageId, - "option_ids": req.OptionIds, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setPollAnswer", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + "option_ids": req.OptionIds, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type GetPollVotersRequest struct { - // Identifier of the chat to which the poll belongs - ChatId int64 `json:"chat_id"` - // Identifier of the message containing the poll - MessageId int64 `json:"message_id"` - // 0-based identifier of the answer option - OptionId int32 `json:"option_id"` - // Number of users to skip in the result; must be non-negative - Offset int32 `json:"offset"` - // The maximum number of users to be returned; must be positive and can't be greater than 50. For optimal performance, the number of returned users is chosen by TDLib and can be smaller than the specified limit, even if the end of the voter list has not been reached - Limit int32 `json:"limit"` +type GetPollVotersRequest struct { + // Identifier of the chat to which the poll belongs + ChatId int64 `json:"chat_id"` + // Identifier of the message containing the poll + MessageId int64 `json:"message_id"` + // 0-based identifier of the answer option + OptionId int32 `json:"option_id"` + // Number of voters to skip in the result; must be non-negative + Offset int32 `json:"offset"` + // The maximum number of voters to be returned; must be positive and can't be greater than 50. For optimal performance, the number of returned voters is chosen by TDLib and can be smaller than the specified limit, even if the end of the voter list has not been reached + Limit int32 `json:"limit"` } -// Returns users voted for the specified option in a non-anonymous polls. For optimal performance, the number of returned users is chosen by TDLib -func (client *Client) GetPollVoters(req *GetPollVotersRequest) (*Users, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getPollVoters", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_id": req.MessageId, - "option_id": req.OptionId, - "offset": req.Offset, - "limit": req.Limit, - }, - }) - if err != nil { - return nil, err - } +// Returns message senders voted for the specified option in a non-anonymous polls. For optimal performance, the number of returned users is chosen by TDLib +func (client *Client) GetPollVoters(req *GetPollVotersRequest) (*MessageSenders, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getPollVoters", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + "option_id": req.OptionId, + "offset": req.Offset, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalUsers(result.Data) + return UnmarshalMessageSenders(result.Data) } -type StopPollRequest struct { - // Identifier of the chat to which the poll belongs - ChatId int64 `json:"chat_id"` - // Identifier of the message containing the poll - MessageId int64 `json:"message_id"` - // The new message reply markup; pass null if none; for bots only - ReplyMarkup ReplyMarkup `json:"reply_markup"` +type StopPollRequest struct { + // Identifier of the chat to which the poll belongs + ChatId int64 `json:"chat_id"` + // Identifier of the message containing the poll. Use messageProperties.can_be_edited to check whether the poll can be stopped + MessageId int64 `json:"message_id"` + // The new message reply markup; pass null if none; for bots only + ReplyMarkup ReplyMarkup `json:"reply_markup"` } -// Stops a poll. A poll in a message can be stopped when the message has can_be_edited flag set +// Stops a poll func (client *Client) StopPoll(req *StopPollRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "stopPoll", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_id": req.MessageId, - "reply_markup": req.ReplyMarkup, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "stopPoll", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + "reply_markup": req.ReplyMarkup, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type HideSuggestedActionRequest struct { - // Suggested action to hide - Action SuggestedAction `json:"action"` +type AddChecklistTasksRequest struct { + // Identifier of the chat with the message + ChatId int64 `json:"chat_id"` + // Identifier of the message containing the checklist. Use messageProperties.can_add_tasks to check whether the tasks can be added + MessageId int64 `json:"message_id"` + // List of added tasks + Tasks []*InputChecklistTask `json:"tasks"` +} + +// Adds tasks to a checklist in a message +func (client *Client) AddChecklistTasks(req *AddChecklistTasksRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "addChecklistTasks", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + "tasks": req.Tasks, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type MarkChecklistTasksAsDoneRequest struct { + // Identifier of the chat with the message + ChatId int64 `json:"chat_id"` + // Identifier of the message containing the checklist. Use messageProperties.can_mark_tasks_as_done to check whether the tasks can be marked as done or not done + MessageId int64 `json:"message_id"` + // Identifiers of tasks that were marked as done + MarkedAsDoneTaskIds []int32 `json:"marked_as_done_task_ids"` + // Identifiers of tasks that were marked as not done + MarkedAsNotDoneTaskIds []int32 `json:"marked_as_not_done_task_ids"` +} + +// Adds tasks of a checklist in a message as done or not done +func (client *Client) MarkChecklistTasksAsDone(req *MarkChecklistTasksAsDoneRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "markChecklistTasksAsDone", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + "marked_as_done_task_ids": req.MarkedAsDoneTaskIds, + "marked_as_not_done_task_ids": req.MarkedAsNotDoneTaskIds, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type HideSuggestedActionRequest struct { + // Suggested action to hide + Action SuggestedAction `json:"action"` } // Hides a suggested action func (client *Client) HideSuggestedAction(req *HideSuggestedActionRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "hideSuggestedAction", - }, - Data: map[string]interface{}{ - "action": req.Action, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "hideSuggestedAction", + }, + Data: map[string]interface{}{ + "action": req.Action, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type GetLoginUrlInfoRequest struct { - // Chat identifier of the message with the button - ChatId int64 `json:"chat_id"` - // Message identifier of the message with the button - MessageId int64 `json:"message_id"` - // Button identifier - ButtonId int64 `json:"button_id"` +// Hides the list of contacts that have close birthdays for 24 hours +func (client *Client) HideContactCloseBirthdays() (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "hideContactCloseBirthdays", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type GetBusinessConnectionRequest struct { + // Identifier of the business connection to return + ConnectionId string `json:"connection_id"` +} + +// Returns information about a business connection by its identifier; for bots only +func (client *Client) GetBusinessConnection(req *GetBusinessConnectionRequest) (*BusinessConnection, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getBusinessConnection", + }, + Data: map[string]interface{}{ + "connection_id": req.ConnectionId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalBusinessConnection(result.Data) +} + +type GetLoginUrlInfoRequest struct { + // Chat identifier of the message with the button + ChatId int64 `json:"chat_id"` + // Message identifier of the message with the button. The message must not be scheduled + MessageId int64 `json:"message_id"` + // Button identifier + ButtonId int64 `json:"button_id"` } // Returns information about a button of type inlineKeyboardButtonTypeLoginUrl. The method needs to be called when the user presses the button func (client *Client) GetLoginUrlInfo(req *GetLoginUrlInfoRequest) (LoginUrlInfo, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getLoginUrlInfo", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_id": req.MessageId, - "button_id": req.ButtonId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getLoginUrlInfo", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + "button_id": req.ButtonId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - switch result.Type { - case TypeLoginUrlInfoOpen: - return UnmarshalLoginUrlInfoOpen(result.Data) + switch result.Type { + case TypeLoginUrlInfoOpen: + return UnmarshalLoginUrlInfoOpen(result.Data) - case TypeLoginUrlInfoRequestConfirmation: - return UnmarshalLoginUrlInfoRequestConfirmation(result.Data) + case TypeLoginUrlInfoRequestConfirmation: + return UnmarshalLoginUrlInfoRequestConfirmation(result.Data) - default: - return nil, errors.New("invalid type") - } + default: + return nil, errors.New("invalid type") + } } -type GetLoginUrlRequest struct { - // Chat identifier of the message with the button - ChatId int64 `json:"chat_id"` - // Message identifier of the message with the button - MessageId int64 `json:"message_id"` - // Button identifier - ButtonId int64 `json:"button_id"` - // Pass true to allow the bot to send messages to the current user - AllowWriteAccess bool `json:"allow_write_access"` +type GetLoginUrlRequest struct { + // Chat identifier of the message with the button + ChatId int64 `json:"chat_id"` + // Message identifier of the message with the button + MessageId int64 `json:"message_id"` + // Button identifier + ButtonId int64 `json:"button_id"` + // Pass true to allow the bot to send messages to the current user. Phone number access can't be requested using the button + AllowWriteAccess bool `json:"allow_write_access"` } // Returns an HTTP URL which can be used to automatically authorize the user on a website after clicking an inline button of type inlineKeyboardButtonTypeLoginUrl. Use the method getLoginUrlInfo to find whether a prior user confirmation is needed. If an error is returned, then the button must be handled as an ordinary URL button func (client *Client) GetLoginUrl(req *GetLoginUrlRequest) (*HttpUrl, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getLoginUrl", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_id": req.MessageId, - "button_id": req.ButtonId, - "allow_write_access": req.AllowWriteAccess, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getLoginUrl", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + "button_id": req.ButtonId, + "allow_write_access": req.AllowWriteAccess, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalHttpUrl(result.Data) + return UnmarshalHttpUrl(result.Data) } -type ShareUserWithBotRequest struct { - // Identifier of the chat with the bot - ChatId int64 `json:"chat_id"` - // Identifier of the message with the button - MessageId int64 `json:"message_id"` - // Identifier of the button - ButtonId int32 `json:"button_id"` - // Identifier of the shared user - SharedUserId int64 `json:"shared_user_id"` - // Pass true to check that the user can be shared by the button instead of actually sharing them - OnlyCheck bool `json:"only_check"` +type ShareUsersWithBotRequest struct { + // Identifier of the chat with the bot + ChatId int64 `json:"chat_id"` + // Identifier of the message with the button + MessageId int64 `json:"message_id"` + // Identifier of the button + ButtonId int32 `json:"button_id"` + // Identifiers of the shared users + SharedUserIds []int64 `json:"shared_user_ids"` + // Pass true to check that the users can be shared by the button instead of actually sharing them + OnlyCheck bool `json:"only_check"` } -// Shares a user after pressing a keyboardButtonTypeRequestUser button with the bot -func (client *Client) ShareUserWithBot(req *ShareUserWithBotRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "shareUserWithBot", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_id": req.MessageId, - "button_id": req.ButtonId, - "shared_user_id": req.SharedUserId, - "only_check": req.OnlyCheck, - }, - }) - if err != nil { - return nil, err - } +// Shares users after pressing a keyboardButtonTypeRequestUsers button with the bot +func (client *Client) ShareUsersWithBot(req *ShareUsersWithBotRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "shareUsersWithBot", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + "button_id": req.ButtonId, + "shared_user_ids": req.SharedUserIds, + "only_check": req.OnlyCheck, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type ShareChatWithBotRequest struct { - // Identifier of the chat with the bot - ChatId int64 `json:"chat_id"` - // Identifier of the message with the button - MessageId int64 `json:"message_id"` - // Identifier of the button - ButtonId int32 `json:"button_id"` - // Identifier of the shared chat - SharedChatId int64 `json:"shared_chat_id"` - // Pass true to check that the chat can be shared by the button instead of actually sharing it. Doesn't check bot_is_member and bot_administrator_rights restrictions. If the bot must be a member, then all chats from getGroupsInCommon and all chats, where the user can add the bot, are suitable. In the latter case the bot will be automatically added to the chat. If the bot must be an administrator, then all chats, where the bot already has requested rights or can be added to administrators by the user, are suitable. In the latter case the bot will be automatically granted requested rights - OnlyCheck bool `json:"only_check"` +type ShareChatWithBotRequest struct { + // Identifier of the chat with the bot + ChatId int64 `json:"chat_id"` + // Identifier of the message with the button + MessageId int64 `json:"message_id"` + // Identifier of the button + ButtonId int32 `json:"button_id"` + // Identifier of the shared chat + SharedChatId int64 `json:"shared_chat_id"` + // Pass true to check that the chat can be shared by the button instead of actually sharing it. Doesn't check bot_is_member and bot_administrator_rights restrictions. If the bot must be a member, then all chats from getGroupsInCommon and all chats, where the user can add the bot, are suitable. In the latter case the bot will be automatically added to the chat. If the bot must be an administrator, then all chats, where the bot already has requested rights or can be added to administrators by the user, are suitable. In the latter case the bot will be automatically granted requested rights + OnlyCheck bool `json:"only_check"` } // Shares a chat after pressing a keyboardButtonTypeRequestChat button with the bot func (client *Client) ShareChatWithBot(req *ShareChatWithBotRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "shareChatWithBot", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_id": req.MessageId, - "button_id": req.ButtonId, - "shared_chat_id": req.SharedChatId, - "only_check": req.OnlyCheck, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "shareChatWithBot", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + "button_id": req.ButtonId, + "shared_chat_id": req.SharedChatId, + "only_check": req.OnlyCheck, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type GetInlineQueryResultsRequest struct { - // The identifier of the target bot - BotUserId int64 `json:"bot_user_id"` - // Identifier of the chat where the query was sent - ChatId int64 `json:"chat_id"` - // Location of the user; pass null if unknown or the bot doesn't need user's location - UserLocation *Location `json:"user_location"` - // Text of the query - Query string `json:"query"` - // Offset of the first entry to return - Offset string `json:"offset"` +type GetInlineQueryResultsRequest struct { + // Identifier of the target bot + BotUserId int64 `json:"bot_user_id"` + // Identifier of the chat where the query was sent + ChatId int64 `json:"chat_id"` + // Location of the user; pass null if unknown or the bot doesn't need user's location + UserLocation *Location `json:"user_location"` + // Text of the query + Query string `json:"query"` + // Offset of the first entry to return; use empty string to get the first chunk of results + Offset string `json:"offset"` } // Sends an inline query to a bot and returns its results. Returns an error with code 502 if the bot fails to answer the query before the query timeout expires func (client *Client) GetInlineQueryResults(req *GetInlineQueryResultsRequest) (*InlineQueryResults, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getInlineQueryResults", - }, - Data: map[string]interface{}{ - "bot_user_id": req.BotUserId, - "chat_id": req.ChatId, - "user_location": req.UserLocation, - "query": req.Query, - "offset": req.Offset, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getInlineQueryResults", + }, + Data: map[string]interface{}{ + "bot_user_id": req.BotUserId, + "chat_id": req.ChatId, + "user_location": req.UserLocation, + "query": req.Query, + "offset": req.Offset, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalInlineQueryResults(result.Data) + return UnmarshalInlineQueryResults(result.Data) } -type AnswerInlineQueryRequest struct { - // Identifier of the inline query - InlineQueryId JsonInt64 `json:"inline_query_id"` - // Pass true if results may be cached and returned only for the user that sent the query. By default, results may be returned to any user who sends the same query - IsPersonal bool `json:"is_personal"` - // Button to be shown above inline query results; pass null if none - Button *InlineQueryResultsButton `json:"button"` - // The results of the query - Results []InputInlineQueryResult `json:"results"` - // Allowed time to cache the results of the query, in seconds - CacheTime int32 `json:"cache_time"` - // Offset for the next inline query; pass an empty string if there are no more results - NextOffset string `json:"next_offset"` +type AnswerInlineQueryRequest struct { + // Identifier of the inline query + InlineQueryId JsonInt64 `json:"inline_query_id"` + // Pass true if results may be cached and returned only for the user who sent the query. By default, results may be returned to any user who sends the same query + IsPersonal bool `json:"is_personal"` + // Button to be shown above inline query results; pass null if none + Button *InlineQueryResultsButton `json:"button"` + // The results of the query + Results []InputInlineQueryResult `json:"results"` + // Allowed time to cache the results of the query, in seconds + CacheTime int32 `json:"cache_time"` + // Offset for the next inline query; pass an empty string if there are no more results + NextOffset string `json:"next_offset"` } // Sets the result of an inline query; for bots only func (client *Client) AnswerInlineQuery(req *AnswerInlineQueryRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "answerInlineQuery", - }, - Data: map[string]interface{}{ - "inline_query_id": req.InlineQueryId, - "is_personal": req.IsPersonal, - "button": req.Button, - "results": req.Results, - "cache_time": req.CacheTime, - "next_offset": req.NextOffset, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "answerInlineQuery", + }, + Data: map[string]interface{}{ + "inline_query_id": req.InlineQueryId, + "is_personal": req.IsPersonal, + "button": req.Button, + "results": req.Results, + "cache_time": req.CacheTime, + "next_offset": req.NextOffset, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SearchWebAppRequest struct { - // Identifier of the target bot - BotUserId int64 `json:"bot_user_id"` - // Short name of the Web App - WebAppShortName string `json:"web_app_short_name"` +type SavePreparedInlineMessageRequest struct { + // Identifier of the user + UserId int64 `json:"user_id"` + // The description of the message + Result InputInlineQueryResult `json:"result"` + // Types of the chats to which the message can be sent + ChatTypes *TargetChatTypes `json:"chat_types"` +} + +// Saves an inline message to be sent by the given user; for bots only +func (client *Client) SavePreparedInlineMessage(req *SavePreparedInlineMessageRequest) (*PreparedInlineMessageId, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "savePreparedInlineMessage", + }, + Data: map[string]interface{}{ + "user_id": req.UserId, + "result": req.Result, + "chat_types": req.ChatTypes, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalPreparedInlineMessageId(result.Data) +} + +type GetPreparedInlineMessageRequest struct { + // Identifier of the bot that created the message + BotUserId int64 `json:"bot_user_id"` + // Identifier of the prepared message + PreparedMessageId string `json:"prepared_message_id"` +} + +// Saves an inline message to be sent by the given user +func (client *Client) GetPreparedInlineMessage(req *GetPreparedInlineMessageRequest) (*PreparedInlineMessage, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getPreparedInlineMessage", + }, + Data: map[string]interface{}{ + "bot_user_id": req.BotUserId, + "prepared_message_id": req.PreparedMessageId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalPreparedInlineMessage(result.Data) +} + +type GetGrossingWebAppBotsRequest struct { + // Offset of the first entry to return as received from the previous request; use empty string to get the first chunk of results + Offset string `json:"offset"` + // The maximum number of bots to be returned; up to 100 + Limit int32 `json:"limit"` +} + +// Returns the most grossing Web App bots +func (client *Client) GetGrossingWebAppBots(req *GetGrossingWebAppBotsRequest) (*FoundUsers, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getGrossingWebAppBots", + }, + Data: map[string]interface{}{ + "offset": req.Offset, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalFoundUsers(result.Data) +} + +type SearchWebAppRequest struct { + // Identifier of the target bot + BotUserId int64 `json:"bot_user_id"` + // Short name of the Web App + WebAppShortName string `json:"web_app_short_name"` } // Returns information about a Web App by its short name. Returns a 404 error if the Web App is not found func (client *Client) SearchWebApp(req *SearchWebAppRequest) (*FoundWebApp, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "searchWebApp", - }, - Data: map[string]interface{}{ - "bot_user_id": req.BotUserId, - "web_app_short_name": req.WebAppShortName, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "searchWebApp", + }, + Data: map[string]interface{}{ + "bot_user_id": req.BotUserId, + "web_app_short_name": req.WebAppShortName, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalFoundWebApp(result.Data) + return UnmarshalFoundWebApp(result.Data) } -type GetWebAppLinkUrlRequest struct { - // Identifier of the chat in which the link was clicked; pass 0 if none - ChatId int64 `json:"chat_id"` - // Identifier of the target bot - BotUserId int64 `json:"bot_user_id"` - // Short name of the Web App - WebAppShortName string `json:"web_app_short_name"` - // Start parameter from internalLinkTypeWebApp - StartParameter string `json:"start_parameter"` - // Preferred Web App theme; pass null to use the default theme - Theme *ThemeParameters `json:"theme"` - // Short name of the application; 0-64 English letters, digits, and underscores - ApplicationName string `json:"application_name"` - // Pass true if the current user allowed the bot to send them messages - AllowWriteAccess bool `json:"allow_write_access"` +type GetWebAppPlaceholderRequest struct { + // Identifier of the target bot + BotUserId int64 `json:"bot_user_id"` +} + +// Returns a default placeholder for Web Apps of a bot. This is an offline method. Returns a 404 error if the placeholder isn't known +func (client *Client) GetWebAppPlaceholder(req *GetWebAppPlaceholderRequest) (*Outline, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getWebAppPlaceholder", + }, + Data: map[string]interface{}{ + "bot_user_id": req.BotUserId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOutline(result.Data) +} + +type GetWebAppLinkUrlRequest struct { + // Identifier of the chat in which the link was clicked; pass 0 if none + ChatId int64 `json:"chat_id"` + // Identifier of the target bot + BotUserId int64 `json:"bot_user_id"` + // Short name of the Web App + WebAppShortName string `json:"web_app_short_name"` + // Start parameter from internalLinkTypeWebApp + StartParameter string `json:"start_parameter"` + // Pass true if the current user allowed the bot to send them messages + AllowWriteAccess bool `json:"allow_write_access"` + // Parameters to use to open the Web App + Parameters *WebAppOpenParameters `json:"parameters"` } // Returns an HTTPS URL of a Web App to open after a link of the type internalLinkTypeWebApp is clicked func (client *Client) GetWebAppLinkUrl(req *GetWebAppLinkUrlRequest) (*HttpUrl, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getWebAppLinkUrl", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "bot_user_id": req.BotUserId, - "web_app_short_name": req.WebAppShortName, - "start_parameter": req.StartParameter, - "theme": req.Theme, - "application_name": req.ApplicationName, - "allow_write_access": req.AllowWriteAccess, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getWebAppLinkUrl", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "bot_user_id": req.BotUserId, + "web_app_short_name": req.WebAppShortName, + "start_parameter": req.StartParameter, + "allow_write_access": req.AllowWriteAccess, + "parameters": req.Parameters, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalHttpUrl(result.Data) + return UnmarshalHttpUrl(result.Data) } -type GetWebAppUrlRequest struct { - // Identifier of the target bot - BotUserId int64 `json:"bot_user_id"` - // The URL from the keyboardButtonTypeWebApp or inlineQueryResultsButtonTypeWebApp button - Url string `json:"url"` - // Preferred Web App theme; pass null to use the default theme - Theme *ThemeParameters `json:"theme"` - // Short name of the application; 0-64 English letters, digits, and underscores - ApplicationName string `json:"application_name"` +type GetMainWebAppRequest struct { + // Identifier of the chat in which the Web App is opened; pass 0 if none + ChatId int64 `json:"chat_id"` + // Identifier of the target bot. If the bot is restricted for the current user, then show an error instead of calling the method + BotUserId int64 `json:"bot_user_id"` + // Start parameter from internalLinkTypeMainWebApp + StartParameter string `json:"start_parameter"` + // Parameters to use to open the Web App + Parameters *WebAppOpenParameters `json:"parameters"` } -// Returns an HTTPS URL of a Web App to open after keyboardButtonTypeWebApp or inlineQueryResultsButtonTypeWebApp button is pressed +// Returns information needed to open the main Web App of a bot +func (client *Client) GetMainWebApp(req *GetMainWebAppRequest) (*MainWebApp, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getMainWebApp", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "bot_user_id": req.BotUserId, + "start_parameter": req.StartParameter, + "parameters": req.Parameters, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalMainWebApp(result.Data) +} + +type GetWebAppUrlRequest struct { + // Identifier of the target bot. If the bot is restricted for the current user, then show an error instead of calling the method + BotUserId int64 `json:"bot_user_id"` + // The URL from a keyboardButtonTypeWebApp button, inlineQueryResultsButtonTypeWebApp button, or an empty string when the bot is opened from the side menu + Url string `json:"url"` + // Parameters to use to open the Web App + Parameters *WebAppOpenParameters `json:"parameters"` +} + +// Returns an HTTPS URL of a Web App to open from the side menu, a keyboardButtonTypeWebApp button, or an inlineQueryResultsButtonTypeWebApp button func (client *Client) GetWebAppUrl(req *GetWebAppUrlRequest) (*HttpUrl, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getWebAppUrl", - }, - Data: map[string]interface{}{ - "bot_user_id": req.BotUserId, - "url": req.Url, - "theme": req.Theme, - "application_name": req.ApplicationName, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getWebAppUrl", + }, + Data: map[string]interface{}{ + "bot_user_id": req.BotUserId, + "url": req.Url, + "parameters": req.Parameters, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalHttpUrl(result.Data) + return UnmarshalHttpUrl(result.Data) } -type SendWebAppDataRequest struct { - // Identifier of the target bot - BotUserId int64 `json:"bot_user_id"` - // Text of the keyboardButtonTypeWebApp button, which opened the Web App - ButtonText string `json:"button_text"` - // Received data - Data string `json:"data"` +type SendWebAppDataRequest struct { + // Identifier of the target bot + BotUserId int64 `json:"bot_user_id"` + // Text of the keyboardButtonTypeWebApp button, which opened the Web App + ButtonText string `json:"button_text"` + // The data + Data string `json:"data"` } // Sends data received from a keyboardButtonTypeWebApp Web App to a bot func (client *Client) SendWebAppData(req *SendWebAppDataRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "sendWebAppData", - }, - Data: map[string]interface{}{ - "bot_user_id": req.BotUserId, - "button_text": req.ButtonText, - "data": req.Data, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "sendWebAppData", + }, + Data: map[string]interface{}{ + "bot_user_id": req.BotUserId, + "button_text": req.ButtonText, + "data": req.Data, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type OpenWebAppRequest struct { - // Identifier of the chat in which the Web App is opened - ChatId int64 `json:"chat_id"` - // Identifier of the bot, providing the Web App - BotUserId int64 `json:"bot_user_id"` - // The URL from an inlineKeyboardButtonTypeWebApp button, a botMenuButton button, or an internalLinkTypeAttachmentMenuBot link, or an empty string otherwise - Url string `json:"url"` - // Preferred Web App theme; pass null to use the default theme - Theme *ThemeParameters `json:"theme"` - // Short name of the application; 0-64 English letters, digits, and underscores - ApplicationName string `json:"application_name"` - // If not 0, a message thread identifier in which the message will be sent - MessageThreadId int64 `json:"message_thread_id"` - // Identifier of the replied message for the message sent by the Web App; 0 if none - ReplyToMessageId int64 `json:"reply_to_message_id"` +type OpenWebAppRequest struct { + // Identifier of the chat in which the Web App is opened. The Web App can't be opened in secret chats + ChatId int64 `json:"chat_id"` + // Identifier of the bot, providing the Web App. If the bot is restricted for the current user, then show an error instead of calling the method + BotUserId int64 `json:"bot_user_id"` + // The URL from an inlineKeyboardButtonTypeWebApp button, a botMenuButton button, an internalLinkTypeAttachmentMenuBot link, or an empty string otherwise + Url string `json:"url"` + // Topic in which the message will be sent; pass null if none + TopicId MessageTopic `json:"topic_id"` + // Information about the message or story to be replied in the message sent by the Web App; pass null if none + ReplyTo InputMessageReplyTo `json:"reply_to"` + // Parameters to use to open the Web App + Parameters *WebAppOpenParameters `json:"parameters"` } -// Informs TDLib that a Web App is being opened from attachment menu, a botMenuButton button, an internalLinkTypeAttachmentMenuBot link, or an inlineKeyboardButtonTypeWebApp button. For each bot, a confirmation alert about data sent to the bot must be shown once +// Informs TDLib that a Web App is being opened from the attachment menu, a botMenuButton button, an internalLinkTypeAttachmentMenuBot link, or an inlineKeyboardButtonTypeWebApp button. For each bot, a confirmation alert about data sent to the bot must be shown once func (client *Client) OpenWebApp(req *OpenWebAppRequest) (*WebAppInfo, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "openWebApp", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "bot_user_id": req.BotUserId, - "url": req.Url, - "theme": req.Theme, - "application_name": req.ApplicationName, - "message_thread_id": req.MessageThreadId, - "reply_to_message_id": req.ReplyToMessageId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "openWebApp", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "bot_user_id": req.BotUserId, + "url": req.Url, + "topic_id": req.TopicId, + "reply_to": req.ReplyTo, + "parameters": req.Parameters, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalWebAppInfo(result.Data) + return UnmarshalWebAppInfo(result.Data) } -type CloseWebAppRequest struct { - // Identifier of Web App launch, received from openWebApp - WebAppLaunchId JsonInt64 `json:"web_app_launch_id"` +type CloseWebAppRequest struct { + // Identifier of Web App launch, received from openWebApp + WebAppLaunchId JsonInt64 `json:"web_app_launch_id"` } // Informs TDLib that a previously opened Web App was closed func (client *Client) CloseWebApp(req *CloseWebAppRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "closeWebApp", - }, - Data: map[string]interface{}{ - "web_app_launch_id": req.WebAppLaunchId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "closeWebApp", + }, + Data: map[string]interface{}{ + "web_app_launch_id": req.WebAppLaunchId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type AnswerWebAppQueryRequest struct { - // Identifier of the Web App query - WebAppQueryId string `json:"web_app_query_id"` - // The result of the query - Result InputInlineQueryResult `json:"result"` +type AnswerWebAppQueryRequest struct { + // Identifier of the Web App query + WebAppQueryId string `json:"web_app_query_id"` + // The result of the query + Result InputInlineQueryResult `json:"result"` } // Sets the result of interaction with a Web App and sends corresponding message on behalf of the user to the chat from which the query originated; for bots only func (client *Client) AnswerWebAppQuery(req *AnswerWebAppQueryRequest) (*SentWebAppMessage, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "answerWebAppQuery", - }, - Data: map[string]interface{}{ - "web_app_query_id": req.WebAppQueryId, - "result": req.Result, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "answerWebAppQuery", + }, + Data: map[string]interface{}{ + "web_app_query_id": req.WebAppQueryId, + "result": req.Result, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalSentWebAppMessage(result.Data) + return UnmarshalSentWebAppMessage(result.Data) } -type GetCallbackQueryAnswerRequest struct { - // Identifier of the chat with the message - ChatId int64 `json:"chat_id"` - // Identifier of the message from which the query originated - MessageId int64 `json:"message_id"` - // Query payload - Payload CallbackQueryPayload `json:"payload"` +type CheckWebAppFileDownloadRequest struct { + // Identifier of the bot, providing the Web App + BotUserId int64 `json:"bot_user_id"` + // Name of the file + FileName string `json:"file_name"` + // URL of the file + Url string `json:"url"` +} + +// Checks whether a file can be downloaded and saved locally by Web App request +func (client *Client) CheckWebAppFileDownload(req *CheckWebAppFileDownloadRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "checkWebAppFileDownload", + }, + Data: map[string]interface{}{ + "bot_user_id": req.BotUserId, + "file_name": req.FileName, + "url": req.Url, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type GetCallbackQueryAnswerRequest struct { + // Identifier of the chat with the message + ChatId int64 `json:"chat_id"` + // Identifier of the message from which the query originated. The message must not be scheduled + MessageId int64 `json:"message_id"` + // Query payload + Payload CallbackQueryPayload `json:"payload"` } // Sends a callback query to a bot and returns an answer. Returns an error with code 502 if the bot fails to answer the query before the query timeout expires func (client *Client) GetCallbackQueryAnswer(req *GetCallbackQueryAnswerRequest) (*CallbackQueryAnswer, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getCallbackQueryAnswer", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_id": req.MessageId, - "payload": req.Payload, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getCallbackQueryAnswer", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + "payload": req.Payload, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalCallbackQueryAnswer(result.Data) + return UnmarshalCallbackQueryAnswer(result.Data) } -type AnswerCallbackQueryRequest struct { - // Identifier of the callback query - CallbackQueryId JsonInt64 `json:"callback_query_id"` - // Text of the answer - Text string `json:"text"` - // Pass true to show an alert to the user instead of a toast notification - ShowAlert bool `json:"show_alert"` - // URL to be opened - Url string `json:"url"` - // Time during which the result of the query can be cached, in seconds - CacheTime int32 `json:"cache_time"` +type AnswerCallbackQueryRequest struct { + // Identifier of the callback query + CallbackQueryId JsonInt64 `json:"callback_query_id"` + // Text of the answer + Text string `json:"text"` + // Pass true to show an alert to the user instead of a toast notification + ShowAlert bool `json:"show_alert"` + // URL to be opened + Url string `json:"url"` + // Time during which the result of the query can be cached, in seconds + CacheTime int32 `json:"cache_time"` } // Sets the result of a callback query; for bots only func (client *Client) AnswerCallbackQuery(req *AnswerCallbackQueryRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "answerCallbackQuery", - }, - Data: map[string]interface{}{ - "callback_query_id": req.CallbackQueryId, - "text": req.Text, - "show_alert": req.ShowAlert, - "url": req.Url, - "cache_time": req.CacheTime, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "answerCallbackQuery", + }, + Data: map[string]interface{}{ + "callback_query_id": req.CallbackQueryId, + "text": req.Text, + "show_alert": req.ShowAlert, + "url": req.Url, + "cache_time": req.CacheTime, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type AnswerShippingQueryRequest struct { - // Identifier of the shipping query - ShippingQueryId JsonInt64 `json:"shipping_query_id"` - // Available shipping options - ShippingOptions []*ShippingOption `json:"shipping_options"` - // An error message, empty on success - ErrorMessage string `json:"error_message"` +type AnswerShippingQueryRequest struct { + // Identifier of the shipping query + ShippingQueryId JsonInt64 `json:"shipping_query_id"` + // Available shipping options + ShippingOptions []*ShippingOption `json:"shipping_options"` + // An error message, empty on success + ErrorMessage string `json:"error_message"` } // Sets the result of a shipping query; for bots only func (client *Client) AnswerShippingQuery(req *AnswerShippingQueryRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "answerShippingQuery", - }, - Data: map[string]interface{}{ - "shipping_query_id": req.ShippingQueryId, - "shipping_options": req.ShippingOptions, - "error_message": req.ErrorMessage, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "answerShippingQuery", + }, + Data: map[string]interface{}{ + "shipping_query_id": req.ShippingQueryId, + "shipping_options": req.ShippingOptions, + "error_message": req.ErrorMessage, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type AnswerPreCheckoutQueryRequest struct { - // Identifier of the pre-checkout query - PreCheckoutQueryId JsonInt64 `json:"pre_checkout_query_id"` - // An error message, empty on success - ErrorMessage string `json:"error_message"` +type AnswerPreCheckoutQueryRequest struct { + // Identifier of the pre-checkout query + PreCheckoutQueryId JsonInt64 `json:"pre_checkout_query_id"` + // An error message, empty on success + ErrorMessage string `json:"error_message"` } // Sets the result of a pre-checkout query; for bots only func (client *Client) AnswerPreCheckoutQuery(req *AnswerPreCheckoutQueryRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "answerPreCheckoutQuery", - }, - Data: map[string]interface{}{ - "pre_checkout_query_id": req.PreCheckoutQueryId, - "error_message": req.ErrorMessage, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "answerPreCheckoutQuery", + }, + Data: map[string]interface{}{ + "pre_checkout_query_id": req.PreCheckoutQueryId, + "error_message": req.ErrorMessage, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SetGameScoreRequest struct { - // The chat to which the message with the game belongs - ChatId int64 `json:"chat_id"` - // Identifier of the message - MessageId int64 `json:"message_id"` - // Pass true to edit the game message to include the current scoreboard - EditMessage bool `json:"edit_message"` - // User identifier - UserId int64 `json:"user_id"` - // The new score - Score int32 `json:"score"` - // Pass true to update the score even if it decreases. If the score is 0, the user will be deleted from the high score table - Force bool `json:"force"` +type SetGameScoreRequest struct { + // The chat to which the message with the game belongs + ChatId int64 `json:"chat_id"` + // Identifier of the message + MessageId int64 `json:"message_id"` + // Pass true to edit the game message to include the current scoreboard + EditMessage bool `json:"edit_message"` + // User identifier + UserId int64 `json:"user_id"` + // The new score + Score int32 `json:"score"` + // Pass true to update the score even if it decreases. If the score is 0, the user will be deleted from the high score table + Force bool `json:"force"` } // Updates the game score of the specified user in the game; for bots only func (client *Client) SetGameScore(req *SetGameScoreRequest) (*Message, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setGameScore", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_id": req.MessageId, - "edit_message": req.EditMessage, - "user_id": req.UserId, - "score": req.Score, - "force": req.Force, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setGameScore", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + "edit_message": req.EditMessage, + "user_id": req.UserId, + "score": req.Score, + "force": req.Force, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalMessage(result.Data) + return UnmarshalMessage(result.Data) } -type SetInlineGameScoreRequest struct { - // Inline message identifier - InlineMessageId string `json:"inline_message_id"` - // Pass true to edit the game message to include the current scoreboard - EditMessage bool `json:"edit_message"` - // User identifier - UserId int64 `json:"user_id"` - // The new score - Score int32 `json:"score"` - // Pass true to update the score even if it decreases. If the score is 0, the user will be deleted from the high score table - Force bool `json:"force"` +type SetInlineGameScoreRequest struct { + // Inline message identifier + InlineMessageId string `json:"inline_message_id"` + // Pass true to edit the game message to include the current scoreboard + EditMessage bool `json:"edit_message"` + // User identifier + UserId int64 `json:"user_id"` + // The new score + Score int32 `json:"score"` + // Pass true to update the score even if it decreases. If the score is 0, the user will be deleted from the high score table + Force bool `json:"force"` } // Updates the game score of the specified user in a game; for bots only func (client *Client) SetInlineGameScore(req *SetInlineGameScoreRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setInlineGameScore", - }, - Data: map[string]interface{}{ - "inline_message_id": req.InlineMessageId, - "edit_message": req.EditMessage, - "user_id": req.UserId, - "score": req.Score, - "force": req.Force, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setInlineGameScore", + }, + Data: map[string]interface{}{ + "inline_message_id": req.InlineMessageId, + "edit_message": req.EditMessage, + "user_id": req.UserId, + "score": req.Score, + "force": req.Force, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type GetGameHighScoresRequest struct { - // The chat that contains the message with the game - ChatId int64 `json:"chat_id"` - // Identifier of the message - MessageId int64 `json:"message_id"` - // User identifier - UserId int64 `json:"user_id"` +type GetGameHighScoresRequest struct { + // The chat that contains the message with the game + ChatId int64 `json:"chat_id"` + // Identifier of the message + MessageId int64 `json:"message_id"` + // User identifier + UserId int64 `json:"user_id"` } // Returns the high scores for a game and some part of the high score table in the range of the specified user; for bots only func (client *Client) GetGameHighScores(req *GetGameHighScoresRequest) (*GameHighScores, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getGameHighScores", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_id": req.MessageId, - "user_id": req.UserId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getGameHighScores", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + "user_id": req.UserId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalGameHighScores(result.Data) + return UnmarshalGameHighScores(result.Data) } -type GetInlineGameHighScoresRequest struct { - // Inline message identifier - InlineMessageId string `json:"inline_message_id"` - // User identifier - UserId int64 `json:"user_id"` +type GetInlineGameHighScoresRequest struct { + // Inline message identifier + InlineMessageId string `json:"inline_message_id"` + // User identifier + UserId int64 `json:"user_id"` } // Returns game high scores and some part of the high score table in the range of the specified user; for bots only func (client *Client) GetInlineGameHighScores(req *GetInlineGameHighScoresRequest) (*GameHighScores, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getInlineGameHighScores", - }, - Data: map[string]interface{}{ - "inline_message_id": req.InlineMessageId, - "user_id": req.UserId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getInlineGameHighScores", + }, + Data: map[string]interface{}{ + "inline_message_id": req.InlineMessageId, + "user_id": req.UserId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalGameHighScores(result.Data) + return UnmarshalGameHighScores(result.Data) } -type DeleteChatReplyMarkupRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // The message identifier of the used keyboard - MessageId int64 `json:"message_id"` +type DeleteChatReplyMarkupRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // The message identifier of the used keyboard + MessageId int64 `json:"message_id"` } -// Deletes the default reply markup from a chat. Must be called after a one-time keyboard or a replyMarkupForceReply reply markup has been used. An updateChatReplyMarkup update will be sent if the reply markup is changed +// Deletes the default reply markup from a chat. Must be called after a one-time keyboard or a replyMarkupForceReply reply markup has been used or dismissed func (client *Client) DeleteChatReplyMarkup(req *DeleteChatReplyMarkupRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "deleteChatReplyMarkup", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_id": req.MessageId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "deleteChatReplyMarkup", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SendChatActionRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // If not 0, a message thread identifier in which the action was performed - MessageThreadId int64 `json:"message_thread_id"` - // The action description; pass null to cancel the currently active action - Action ChatAction `json:"action"` +type SendChatActionRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Identifier of the topic in which the action is performed; pass null if none + TopicId MessageTopic `json:"topic_id"` + // Unique identifier of business connection on behalf of which to send the request; for bots only + BusinessConnectionId string `json:"business_connection_id"` + // The action description; pass null to cancel the currently active action + Action ChatAction `json:"action"` } // Sends a notification about user activity in a chat func (client *Client) SendChatAction(req *SendChatActionRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "sendChatAction", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_thread_id": req.MessageThreadId, - "action": req.Action, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "sendChatAction", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "topic_id": req.TopicId, + "business_connection_id": req.BusinessConnectionId, + "action": req.Action, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type OpenChatRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` +type SendTextMessageDraftRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // The forum topic identifier in which the message will be sent; pass 0 if none + ForumTopicId int32 `json:"forum_topic_id"` + // Unique identifier of the draft + DraftId JsonInt64 `json:"draft_id"` + // Draft text of the message + Text *FormattedText `json:"text"` +} + +// Sends a draft for a being generated text message; for bots only +func (client *Client) SendTextMessageDraft(req *SendTextMessageDraftRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "sendTextMessageDraft", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "forum_topic_id": req.ForumTopicId, + "draft_id": req.DraftId, + "text": req.Text, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type OpenChatRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` } // Informs TDLib that the chat is opened by the user. Many useful activities depend on the chat being opened or closed (e.g., in supergroups and channels all updates are received only for opened chats) func (client *Client) OpenChat(req *OpenChatRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "openChat", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "openChat", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type CloseChatRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` +type CloseChatRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` } // Informs TDLib that the chat is closed by the user. Many useful activities depend on the chat being opened or closed func (client *Client) CloseChat(req *CloseChatRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "closeChat", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "closeChat", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type ViewMessagesRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // The identifiers of the messages being viewed - MessageIds []int64 `json:"message_ids"` - // Source of the message view - Source MessageSource `json:"source"` - // Pass true to mark as read the specified messages even the chat is closed; pass null to guess the source based on chat open state - ForceRead bool `json:"force_read"` +type ViewMessagesRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // The identifiers of the messages being viewed + MessageIds []int64 `json:"message_ids"` + // Source of the message view; pass null to guess the source based on chat open state + Source MessageSource `json:"source"` + // Pass true to mark as read the specified messages even if the chat is closed + ForceRead bool `json:"force_read"` } // Informs TDLib that messages are being viewed by the user. Sponsored messages must be marked as viewed only when the entire text of the message is shown on the screen (excluding the button). Many useful activities depend on whether the messages are currently being viewed or not (e.g., marking messages as read, incrementing a view counter, updating a view counter, removing deleted messages in supergroups and channels) func (client *Client) ViewMessages(req *ViewMessagesRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "viewMessages", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_ids": req.MessageIds, - "source": req.Source, - "force_read": req.ForceRead, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "viewMessages", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_ids": req.MessageIds, + "source": req.Source, + "force_read": req.ForceRead, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type OpenMessageContentRequest struct { - // Chat identifier of the message - ChatId int64 `json:"chat_id"` - // Identifier of the message with the opened content - MessageId int64 `json:"message_id"` +type OpenMessageContentRequest struct { + // Chat identifier of the message + ChatId int64 `json:"chat_id"` + // Identifier of the message with the opened content + MessageId int64 `json:"message_id"` } // Informs TDLib that the message content has been opened (e.g., the user has opened a photo, video, document, location or venue, or has listened to an audio file or voice note message). An updateMessageContentOpened update will be generated if something has changed func (client *Client) OpenMessageContent(req *OpenMessageContentRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "openMessageContent", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_id": req.MessageId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "openMessageContent", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type ClickAnimatedEmojiMessageRequest struct { - // Chat identifier of the message - ChatId int64 `json:"chat_id"` - // Identifier of the clicked message - MessageId int64 `json:"message_id"` +type ClickAnimatedEmojiMessageRequest struct { + // Chat identifier of the message + ChatId int64 `json:"chat_id"` + // Identifier of the clicked message + MessageId int64 `json:"message_id"` } // Informs TDLib that a message with an animated emoji was clicked by the user. Returns a big animated sticker to be played or a 404 error if usual animation needs to be played func (client *Client) ClickAnimatedEmojiMessage(req *ClickAnimatedEmojiMessageRequest) (*Sticker, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "clickAnimatedEmojiMessage", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_id": req.MessageId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "clickAnimatedEmojiMessage", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalSticker(result.Data) + return UnmarshalSticker(result.Data) } -type GetInternalLinkRequest struct { - // Expected type of the link - Type InternalLinkType `json:"type"` - // Pass true to create an HTTPS link (only available for some link types); pass false to create a tg: link - IsHttp bool `json:"is_http"` +type GetInternalLinkRequest struct { + // Expected type of the link + Type InternalLinkType `json:"type"` + // Pass true to create an HTTPS link (only available for some link types); pass false to create a tg: link + IsHttp bool `json:"is_http"` } // Returns an HTTPS or a tg: link with the given type. Can be called before authorization func (client *Client) GetInternalLink(req *GetInternalLinkRequest) (*HttpUrl, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getInternalLink", - }, - Data: map[string]interface{}{ - "type": req.Type, - "is_http": req.IsHttp, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getInternalLink", + }, + Data: map[string]interface{}{ + "type": req.Type, + "is_http": req.IsHttp, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalHttpUrl(result.Data) + return UnmarshalHttpUrl(result.Data) } -type GetInternalLinkTypeRequest struct { - // The link - Link string `json:"link"` +type GetInternalLinkTypeRequest struct { + // The link + Link string `json:"link"` } -// Returns information about the type of an internal link. Returns a 404 error if the link is not internal. Can be called before authorization +// Returns information about the type of internal link. Returns a 404 error if the link is not internal. Can be called before authorization func (client *Client) GetInternalLinkType(req *GetInternalLinkTypeRequest) (InternalLinkType, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getInternalLinkType", - }, - Data: map[string]interface{}{ - "link": req.Link, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getInternalLinkType", + }, + Data: map[string]interface{}{ + "link": req.Link, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - switch result.Type { - case TypeInternalLinkTypeActiveSessions: - return UnmarshalInternalLinkTypeActiveSessions(result.Data) + switch result.Type { + case TypeInternalLinkTypeAttachmentMenuBot: + return UnmarshalInternalLinkTypeAttachmentMenuBot(result.Data) - case TypeInternalLinkTypeAttachmentMenuBot: - return UnmarshalInternalLinkTypeAttachmentMenuBot(result.Data) + case TypeInternalLinkTypeAuthenticationCode: + return UnmarshalInternalLinkTypeAuthenticationCode(result.Data) - case TypeInternalLinkTypeAuthenticationCode: - return UnmarshalInternalLinkTypeAuthenticationCode(result.Data) + case TypeInternalLinkTypeBackground: + return UnmarshalInternalLinkTypeBackground(result.Data) - case TypeInternalLinkTypeBackground: - return UnmarshalInternalLinkTypeBackground(result.Data) + case TypeInternalLinkTypeBotAddToChannel: + return UnmarshalInternalLinkTypeBotAddToChannel(result.Data) - case TypeInternalLinkTypeBotAddToChannel: - return UnmarshalInternalLinkTypeBotAddToChannel(result.Data) + case TypeInternalLinkTypeBotStart: + return UnmarshalInternalLinkTypeBotStart(result.Data) - case TypeInternalLinkTypeBotStart: - return UnmarshalInternalLinkTypeBotStart(result.Data) + case TypeInternalLinkTypeBotStartInGroup: + return UnmarshalInternalLinkTypeBotStartInGroup(result.Data) - case TypeInternalLinkTypeBotStartInGroup: - return UnmarshalInternalLinkTypeBotStartInGroup(result.Data) + case TypeInternalLinkTypeBusinessChat: + return UnmarshalInternalLinkTypeBusinessChat(result.Data) - case TypeInternalLinkTypeChangePhoneNumber: - return UnmarshalInternalLinkTypeChangePhoneNumber(result.Data) + case TypeInternalLinkTypeCallsPage: + return UnmarshalInternalLinkTypeCallsPage(result.Data) - case TypeInternalLinkTypeChatInvite: - return UnmarshalInternalLinkTypeChatInvite(result.Data) + case TypeInternalLinkTypeChatAffiliateProgram: + return UnmarshalInternalLinkTypeChatAffiliateProgram(result.Data) - case TypeInternalLinkTypeDefaultMessageAutoDeleteTimerSettings: - return UnmarshalInternalLinkTypeDefaultMessageAutoDeleteTimerSettings(result.Data) + case TypeInternalLinkTypeChatBoost: + return UnmarshalInternalLinkTypeChatBoost(result.Data) - case TypeInternalLinkTypeEditProfileSettings: - return UnmarshalInternalLinkTypeEditProfileSettings(result.Data) + case TypeInternalLinkTypeChatFolderInvite: + return UnmarshalInternalLinkTypeChatFolderInvite(result.Data) - case TypeInternalLinkTypeFilterSettings: - return UnmarshalInternalLinkTypeFilterSettings(result.Data) + case TypeInternalLinkTypeChatInvite: + return UnmarshalInternalLinkTypeChatInvite(result.Data) - case TypeInternalLinkTypeGame: - return UnmarshalInternalLinkTypeGame(result.Data) + case TypeInternalLinkTypeChatSelection: + return UnmarshalInternalLinkTypeChatSelection(result.Data) - case TypeInternalLinkTypeInstantView: - return UnmarshalInternalLinkTypeInstantView(result.Data) + case TypeInternalLinkTypeContactsPage: + return UnmarshalInternalLinkTypeContactsPage(result.Data) - case TypeInternalLinkTypeInvoice: - return UnmarshalInternalLinkTypeInvoice(result.Data) + case TypeInternalLinkTypeDirectMessagesChat: + return UnmarshalInternalLinkTypeDirectMessagesChat(result.Data) - case TypeInternalLinkTypeLanguagePack: - return UnmarshalInternalLinkTypeLanguagePack(result.Data) + case TypeInternalLinkTypeGame: + return UnmarshalInternalLinkTypeGame(result.Data) - case TypeInternalLinkTypeLanguageSettings: - return UnmarshalInternalLinkTypeLanguageSettings(result.Data) + case TypeInternalLinkTypeGiftAuction: + return UnmarshalInternalLinkTypeGiftAuction(result.Data) - case TypeInternalLinkTypeMessage: - return UnmarshalInternalLinkTypeMessage(result.Data) + case TypeInternalLinkTypeGiftCollection: + return UnmarshalInternalLinkTypeGiftCollection(result.Data) - case TypeInternalLinkTypeMessageDraft: - return UnmarshalInternalLinkTypeMessageDraft(result.Data) + case TypeInternalLinkTypeGroupCall: + return UnmarshalInternalLinkTypeGroupCall(result.Data) - case TypeInternalLinkTypePassportDataRequest: - return UnmarshalInternalLinkTypePassportDataRequest(result.Data) + case TypeInternalLinkTypeInstantView: + return UnmarshalInternalLinkTypeInstantView(result.Data) - case TypeInternalLinkTypePhoneNumberConfirmation: - return UnmarshalInternalLinkTypePhoneNumberConfirmation(result.Data) + case TypeInternalLinkTypeInvoice: + return UnmarshalInternalLinkTypeInvoice(result.Data) - case TypeInternalLinkTypePremiumFeatures: - return UnmarshalInternalLinkTypePremiumFeatures(result.Data) + case TypeInternalLinkTypeLanguagePack: + return UnmarshalInternalLinkTypeLanguagePack(result.Data) - case TypeInternalLinkTypePrivacyAndSecuritySettings: - return UnmarshalInternalLinkTypePrivacyAndSecuritySettings(result.Data) + case TypeInternalLinkTypeLiveStory: + return UnmarshalInternalLinkTypeLiveStory(result.Data) - case TypeInternalLinkTypeProxy: - return UnmarshalInternalLinkTypeProxy(result.Data) + case TypeInternalLinkTypeMainWebApp: + return UnmarshalInternalLinkTypeMainWebApp(result.Data) - case TypeInternalLinkTypePublicChat: - return UnmarshalInternalLinkTypePublicChat(result.Data) + case TypeInternalLinkTypeMessage: + return UnmarshalInternalLinkTypeMessage(result.Data) - case TypeInternalLinkTypeQrCodeAuthentication: - return UnmarshalInternalLinkTypeQrCodeAuthentication(result.Data) + case TypeInternalLinkTypeMessageDraft: + return UnmarshalInternalLinkTypeMessageDraft(result.Data) - case TypeInternalLinkTypeRestorePurchases: - return UnmarshalInternalLinkTypeRestorePurchases(result.Data) + case TypeInternalLinkTypeMyProfilePage: + return UnmarshalInternalLinkTypeMyProfilePage(result.Data) - case TypeInternalLinkTypeSettings: - return UnmarshalInternalLinkTypeSettings(result.Data) + case TypeInternalLinkTypeNewChannelChat: + return UnmarshalInternalLinkTypeNewChannelChat(result.Data) - case TypeInternalLinkTypeStickerSet: - return UnmarshalInternalLinkTypeStickerSet(result.Data) + case TypeInternalLinkTypeNewGroupChat: + return UnmarshalInternalLinkTypeNewGroupChat(result.Data) - case TypeInternalLinkTypeTheme: - return UnmarshalInternalLinkTypeTheme(result.Data) + case TypeInternalLinkTypeNewPrivateChat: + return UnmarshalInternalLinkTypeNewPrivateChat(result.Data) - case TypeInternalLinkTypeThemeSettings: - return UnmarshalInternalLinkTypeThemeSettings(result.Data) + case TypeInternalLinkTypeNewStory: + return UnmarshalInternalLinkTypeNewStory(result.Data) - case TypeInternalLinkTypeUnknownDeepLink: - return UnmarshalInternalLinkTypeUnknownDeepLink(result.Data) + case TypeInternalLinkTypePassportDataRequest: + return UnmarshalInternalLinkTypePassportDataRequest(result.Data) - case TypeInternalLinkTypeUnsupportedProxy: - return UnmarshalInternalLinkTypeUnsupportedProxy(result.Data) + case TypeInternalLinkTypePhoneNumberConfirmation: + return UnmarshalInternalLinkTypePhoneNumberConfirmation(result.Data) - case TypeInternalLinkTypeUserPhoneNumber: - return UnmarshalInternalLinkTypeUserPhoneNumber(result.Data) + case TypeInternalLinkTypePremiumFeaturesPage: + return UnmarshalInternalLinkTypePremiumFeaturesPage(result.Data) - case TypeInternalLinkTypeUserToken: - return UnmarshalInternalLinkTypeUserToken(result.Data) + case TypeInternalLinkTypePremiumGiftCode: + return UnmarshalInternalLinkTypePremiumGiftCode(result.Data) - case TypeInternalLinkTypeVideoChat: - return UnmarshalInternalLinkTypeVideoChat(result.Data) + case TypeInternalLinkTypePremiumGiftPurchase: + return UnmarshalInternalLinkTypePremiumGiftPurchase(result.Data) - case TypeInternalLinkTypeWebApp: - return UnmarshalInternalLinkTypeWebApp(result.Data) + case TypeInternalLinkTypeProxy: + return UnmarshalInternalLinkTypeProxy(result.Data) - default: - return nil, errors.New("invalid type") - } + case TypeInternalLinkTypePublicChat: + return UnmarshalInternalLinkTypePublicChat(result.Data) + + case TypeInternalLinkTypeQrCodeAuthentication: + return UnmarshalInternalLinkTypeQrCodeAuthentication(result.Data) + + case TypeInternalLinkTypeRestorePurchases: + return UnmarshalInternalLinkTypeRestorePurchases(result.Data) + + case TypeInternalLinkTypeSavedMessages: + return UnmarshalInternalLinkTypeSavedMessages(result.Data) + + case TypeInternalLinkTypeSearch: + return UnmarshalInternalLinkTypeSearch(result.Data) + + case TypeInternalLinkTypeSettings: + return UnmarshalInternalLinkTypeSettings(result.Data) + + case TypeInternalLinkTypeStarPurchase: + return UnmarshalInternalLinkTypeStarPurchase(result.Data) + + case TypeInternalLinkTypeStickerSet: + return UnmarshalInternalLinkTypeStickerSet(result.Data) + + case TypeInternalLinkTypeStory: + return UnmarshalInternalLinkTypeStory(result.Data) + + case TypeInternalLinkTypeStoryAlbum: + return UnmarshalInternalLinkTypeStoryAlbum(result.Data) + + case TypeInternalLinkTypeTheme: + return UnmarshalInternalLinkTypeTheme(result.Data) + + case TypeInternalLinkTypeUnknownDeepLink: + return UnmarshalInternalLinkTypeUnknownDeepLink(result.Data) + + case TypeInternalLinkTypeUpgradedGift: + return UnmarshalInternalLinkTypeUpgradedGift(result.Data) + + case TypeInternalLinkTypeUserPhoneNumber: + return UnmarshalInternalLinkTypeUserPhoneNumber(result.Data) + + case TypeInternalLinkTypeUserToken: + return UnmarshalInternalLinkTypeUserToken(result.Data) + + case TypeInternalLinkTypeVideoChat: + return UnmarshalInternalLinkTypeVideoChat(result.Data) + + case TypeInternalLinkTypeWebApp: + return UnmarshalInternalLinkTypeWebApp(result.Data) + + default: + return nil, errors.New("invalid type") + } } -type GetExternalLinkInfoRequest struct { - // The link - Link string `json:"link"` +type GetExternalLinkInfoRequest struct { + // The link + Link string `json:"link"` } -// Returns information about an action to be done when the current user clicks an external link. Don't use this method for links from secret chats if web page preview is disabled in secret chats +// Returns information about an action to be done when the current user clicks an external link. Don't use this method for links from secret chats if link preview is disabled in secret chats func (client *Client) GetExternalLinkInfo(req *GetExternalLinkInfoRequest) (LoginUrlInfo, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getExternalLinkInfo", - }, - Data: map[string]interface{}{ - "link": req.Link, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getExternalLinkInfo", + }, + Data: map[string]interface{}{ + "link": req.Link, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - switch result.Type { - case TypeLoginUrlInfoOpen: - return UnmarshalLoginUrlInfoOpen(result.Data) + switch result.Type { + case TypeLoginUrlInfoOpen: + return UnmarshalLoginUrlInfoOpen(result.Data) - case TypeLoginUrlInfoRequestConfirmation: - return UnmarshalLoginUrlInfoRequestConfirmation(result.Data) + case TypeLoginUrlInfoRequestConfirmation: + return UnmarshalLoginUrlInfoRequestConfirmation(result.Data) - default: - return nil, errors.New("invalid type") - } + default: + return nil, errors.New("invalid type") + } } -type GetExternalLinkRequest struct { - // The HTTP link - Link string `json:"link"` - // Pass true if the current user allowed the bot, returned in getExternalLinkInfo, to send them messages - AllowWriteAccess bool `json:"allow_write_access"` +type GetExternalLinkRequest struct { + // The HTTP link + Link string `json:"link"` + // Pass true if the current user allowed the bot that was returned in getExternalLinkInfo, to send them messages + AllowWriteAccess bool `json:"allow_write_access"` + // Pass true if the current user allowed the bot that was returned in getExternalLinkInfo, to access their phone number + AllowPhoneNumberAccess bool `json:"allow_phone_number_access"` } -// Returns an HTTP URL which can be used to automatically authorize the current user on a website after clicking an HTTP link. Use the method getExternalLinkInfo to find whether a prior user confirmation is needed +// Returns an HTTP URL which can be used to automatically authorize the current user on a website after clicking an HTTP link. Use the method getExternalLinkInfo to find whether a prior user confirmation is needed. May return an empty link if just a toast about successful login has to be shown func (client *Client) GetExternalLink(req *GetExternalLinkRequest) (*HttpUrl, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getExternalLink", - }, - Data: map[string]interface{}{ - "link": req.Link, - "allow_write_access": req.AllowWriteAccess, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getExternalLink", + }, + Data: map[string]interface{}{ + "link": req.Link, + "allow_write_access": req.AllowWriteAccess, + "allow_phone_number_access": req.AllowPhoneNumberAccess, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalHttpUrl(result.Data) + return UnmarshalHttpUrl(result.Data) } -type ReadAllChatMentionsRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` +type ReadAllChatMentionsRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` } // Marks all mentions in a chat as read func (client *Client) ReadAllChatMentions(req *ReadAllChatMentionsRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "readAllChatMentions", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "readAllChatMentions", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type ReadAllMessageThreadMentionsRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // Message thread identifier in which mentions are marked as read - MessageThreadId int64 `json:"message_thread_id"` +type ReadAllChatReactionsRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` } -// Marks all mentions in a forum topic as read -func (client *Client) ReadAllMessageThreadMentions(req *ReadAllMessageThreadMentionsRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "readAllMessageThreadMentions", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_thread_id": req.MessageThreadId, - }, - }) - if err != nil { - return nil, err - } - - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } - - return UnmarshalOk(result.Data) -} - -type ReadAllChatReactionsRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` -} - -// Marks all reactions in a chat or a forum topic as read +// Marks all reactions in a chat as read func (client *Client) ReadAllChatReactions(req *ReadAllChatReactionsRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "readAllChatReactions", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "readAllChatReactions", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type ReadAllMessageThreadReactionsRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // Message thread identifier in which reactions are marked as read - MessageThreadId int64 `json:"message_thread_id"` -} - -// Marks all reactions in a forum topic as read -func (client *Client) ReadAllMessageThreadReactions(req *ReadAllMessageThreadReactionsRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "readAllMessageThreadReactions", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_thread_id": req.MessageThreadId, - }, - }) - if err != nil { - return nil, err - } - - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } - - return UnmarshalOk(result.Data) -} - -type CreatePrivateChatRequest struct { - // User identifier - UserId int64 `json:"user_id"` - // Pass true to create the chat without a network request. In this case all information about the chat except its type, title and photo can be incorrect - Force bool `json:"force"` +type CreatePrivateChatRequest struct { + // User identifier + UserId int64 `json:"user_id"` + // Pass true to create the chat without a network request. In this case all information about the chat except its type, title and photo can be incorrect + Force bool `json:"force"` } // Returns an existing chat corresponding to a given user func (client *Client) CreatePrivateChat(req *CreatePrivateChatRequest) (*Chat, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "createPrivateChat", - }, - Data: map[string]interface{}{ - "user_id": req.UserId, - "force": req.Force, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "createPrivateChat", + }, + Data: map[string]interface{}{ + "user_id": req.UserId, + "force": req.Force, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalChat(result.Data) + return UnmarshalChat(result.Data) } -type CreateBasicGroupChatRequest struct { - // Basic group identifier - BasicGroupId int64 `json:"basic_group_id"` - // Pass true to create the chat without a network request. In this case all information about the chat except its type, title and photo can be incorrect - Force bool `json:"force"` +type CreateBasicGroupChatRequest struct { + // Basic group identifier + BasicGroupId int64 `json:"basic_group_id"` + // Pass true to create the chat without a network request. In this case all information about the chat except its type, title and photo can be incorrect + Force bool `json:"force"` } // Returns an existing chat corresponding to a known basic group func (client *Client) CreateBasicGroupChat(req *CreateBasicGroupChatRequest) (*Chat, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "createBasicGroupChat", - }, - Data: map[string]interface{}{ - "basic_group_id": req.BasicGroupId, - "force": req.Force, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "createBasicGroupChat", + }, + Data: map[string]interface{}{ + "basic_group_id": req.BasicGroupId, + "force": req.Force, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalChat(result.Data) + return UnmarshalChat(result.Data) } -type CreateSupergroupChatRequest struct { - // Supergroup or channel identifier - SupergroupId int64 `json:"supergroup_id"` - // Pass true to create the chat without a network request. In this case all information about the chat except its type, title and photo can be incorrect - Force bool `json:"force"` +type CreateSupergroupChatRequest struct { + // Supergroup or channel identifier + SupergroupId int64 `json:"supergroup_id"` + // Pass true to create the chat without a network request. In this case all information about the chat except its type, title and photo can be incorrect + Force bool `json:"force"` } // Returns an existing chat corresponding to a known supergroup or channel func (client *Client) CreateSupergroupChat(req *CreateSupergroupChatRequest) (*Chat, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "createSupergroupChat", - }, - Data: map[string]interface{}{ - "supergroup_id": req.SupergroupId, - "force": req.Force, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "createSupergroupChat", + }, + Data: map[string]interface{}{ + "supergroup_id": req.SupergroupId, + "force": req.Force, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalChat(result.Data) + return UnmarshalChat(result.Data) } -type CreateSecretChatRequest struct { - // Secret chat identifier - SecretChatId int32 `json:"secret_chat_id"` +type CreateSecretChatRequest struct { + // Secret chat identifier + SecretChatId int32 `json:"secret_chat_id"` } // Returns an existing chat corresponding to a known secret chat func (client *Client) CreateSecretChat(req *CreateSecretChatRequest) (*Chat, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "createSecretChat", - }, - Data: map[string]interface{}{ - "secret_chat_id": req.SecretChatId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "createSecretChat", + }, + Data: map[string]interface{}{ + "secret_chat_id": req.SecretChatId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalChat(result.Data) + return UnmarshalChat(result.Data) } -type CreateNewBasicGroupChatRequest struct { - // Identifiers of users to be added to the basic group; may be empty to create a basic group without other members - UserIds []int64 `json:"user_ids"` - // Title of the new basic group; 1-128 characters - Title string `json:"title"` - // Message auto-delete time value, in seconds; must be from 0 up to 365 * 86400 and be divisible by 86400. If 0, then messages aren't deleted automatically - MessageAutoDeleteTime int32 `json:"message_auto_delete_time"` +type CreateNewBasicGroupChatRequest struct { + // Identifiers of users to be added to the basic group; may be empty to create a basic group without other members + UserIds []int64 `json:"user_ids"` + // Title of the new basic group; 1-128 characters + Title string `json:"title"` + // Message auto-delete time value, in seconds; must be from 0 up to 365 * 86400 and be divisible by 86400. If 0, then messages aren't deleted automatically + MessageAutoDeleteTime int32 `json:"message_auto_delete_time"` } -// Creates a new basic group and sends a corresponding messageBasicGroupChatCreate. Returns the newly created chat -func (client *Client) CreateNewBasicGroupChat(req *CreateNewBasicGroupChatRequest) (*Chat, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "createNewBasicGroupChat", - }, - Data: map[string]interface{}{ - "user_ids": req.UserIds, - "title": req.Title, - "message_auto_delete_time": req.MessageAutoDeleteTime, - }, - }) - if err != nil { - return nil, err - } +// Creates a new basic group and sends a corresponding messageBasicGroupChatCreate. Returns information about the newly created chat +func (client *Client) CreateNewBasicGroupChat(req *CreateNewBasicGroupChatRequest) (*CreatedBasicGroupChat, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "createNewBasicGroupChat", + }, + Data: map[string]interface{}{ + "user_ids": req.UserIds, + "title": req.Title, + "message_auto_delete_time": req.MessageAutoDeleteTime, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalChat(result.Data) + return UnmarshalCreatedBasicGroupChat(result.Data) } -type CreateNewSupergroupChatRequest struct { - // Title of the new chat; 1-128 characters - Title string `json:"title"` - // Pass true to create a forum supergroup chat - IsForum bool `json:"is_forum"` - // Pass true to create a channel chat; ignored if a forum is created - IsChannel bool `json:"is_channel"` - // Chat description; 0-255 characters - Description string `json:"description"` - // Chat location if a location-based supergroup is being created; pass null to create an ordinary supergroup chat - Location *ChatLocation `json:"location"` - // Message auto-delete time value, in seconds; must be from 0 up to 365 * 86400 and be divisible by 86400. If 0, then messages aren't deleted automatically - MessageAutoDeleteTime int32 `json:"message_auto_delete_time"` - // Pass true to create a supergroup for importing messages using importMessage - ForImport bool `json:"for_import"` +type CreateNewSupergroupChatRequest struct { + // Title of the new chat; 1-128 characters + Title string `json:"title"` + // Pass true to create a forum supergroup chat + IsForum bool `json:"is_forum"` + // Pass true to create a channel chat; ignored if a forum is created + IsChannel bool `json:"is_channel"` + // Chat description; 0-255 characters + Description string `json:"description"` + // Chat location if a location-based supergroup is being created; pass null to create an ordinary supergroup chat + Location *ChatLocation `json:"location"` + // Message auto-delete time value, in seconds; must be from 0 up to 365 * 86400 and be divisible by 86400. If 0, then messages aren't deleted automatically + MessageAutoDeleteTime int32 `json:"message_auto_delete_time"` + // Pass true to create a supergroup for importing messages using importMessages + ForImport bool `json:"for_import"` } // Creates a new supergroup or channel and sends a corresponding messageSupergroupChatCreate. Returns the newly created chat func (client *Client) CreateNewSupergroupChat(req *CreateNewSupergroupChatRequest) (*Chat, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "createNewSupergroupChat", - }, - Data: map[string]interface{}{ - "title": req.Title, - "is_forum": req.IsForum, - "is_channel": req.IsChannel, - "description": req.Description, - "location": req.Location, - "message_auto_delete_time": req.MessageAutoDeleteTime, - "for_import": req.ForImport, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "createNewSupergroupChat", + }, + Data: map[string]interface{}{ + "title": req.Title, + "is_forum": req.IsForum, + "is_channel": req.IsChannel, + "description": req.Description, + "location": req.Location, + "message_auto_delete_time": req.MessageAutoDeleteTime, + "for_import": req.ForImport, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalChat(result.Data) + return UnmarshalChat(result.Data) } -type CreateNewSecretChatRequest struct { - // Identifier of the target user - UserId int64 `json:"user_id"` +type CreateNewSecretChatRequest struct { + // Identifier of the target user + UserId int64 `json:"user_id"` } // Creates a new secret chat. Returns the newly created chat func (client *Client) CreateNewSecretChat(req *CreateNewSecretChatRequest) (*Chat, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "createNewSecretChat", - }, - Data: map[string]interface{}{ - "user_id": req.UserId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "createNewSecretChat", + }, + Data: map[string]interface{}{ + "user_id": req.UserId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalChat(result.Data) + return UnmarshalChat(result.Data) } -type UpgradeBasicGroupChatToSupergroupChatRequest struct { - // Identifier of the chat to upgrade - ChatId int64 `json:"chat_id"` +type UpgradeBasicGroupChatToSupergroupChatRequest struct { + // Identifier of the chat to upgrade + ChatId int64 `json:"chat_id"` } -// Creates a new supergroup from an existing basic group and sends a corresponding messageChatUpgradeTo and messageChatUpgradeFrom; requires creator privileges. Deactivates the original basic group +// Creates a new supergroup from an existing basic group and sends a corresponding messageChatUpgradeTo and messageChatUpgradeFrom; requires owner privileges. Deactivates the original basic group func (client *Client) UpgradeBasicGroupChatToSupergroupChat(req *UpgradeBasicGroupChatToSupergroupChatRequest) (*Chat, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "upgradeBasicGroupChatToSupergroupChat", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "upgradeBasicGroupChatToSupergroupChat", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalChat(result.Data) + return UnmarshalChat(result.Data) } -type GetChatListsToAddChatRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` +type GetChatListsToAddChatRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` } -// Returns chat lists to which the chat can be added. This is an offline request +// Returns chat lists to which the chat can be added. This is an offline method func (client *Client) GetChatListsToAddChat(req *GetChatListsToAddChatRequest) (*ChatLists, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getChatListsToAddChat", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getChatListsToAddChat", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalChatLists(result.Data) + return UnmarshalChatLists(result.Data) } -type AddChatToListRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // The chat list. Use getChatListsToAddChat to get suitable chat lists - ChatList ChatList `json:"chat_list"` +type AddChatToListRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // The chat list. Use getChatListsToAddChat to get suitable chat lists + ChatList ChatList `json:"chat_list"` } // Adds a chat to a chat list. A chat can't be simultaneously in Main and Archive chat lists, so it is automatically removed from another one if needed func (client *Client) AddChatToList(req *AddChatToListRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "addChatToList", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "chat_list": req.ChatList, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "addChatToList", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "chat_list": req.ChatList, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type GetChatFilterRequest struct { - // Chat filter identifier - ChatFilterId int32 `json:"chat_filter_id"` +type GetChatFolderRequest struct { + // Chat folder identifier + ChatFolderId int32 `json:"chat_folder_id"` } -// Returns information about a chat filter by its identifier -func (client *Client) GetChatFilter(req *GetChatFilterRequest) (*ChatFilter, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getChatFilter", - }, - Data: map[string]interface{}{ - "chat_filter_id": req.ChatFilterId, - }, - }) - if err != nil { - return nil, err - } +// Returns information about a chat folder by its identifier +func (client *Client) GetChatFolder(req *GetChatFolderRequest) (*ChatFolder, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getChatFolder", + }, + Data: map[string]interface{}{ + "chat_folder_id": req.ChatFolderId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalChatFilter(result.Data) + return UnmarshalChatFolder(result.Data) } -type CreateChatFilterRequest struct { - // Chat filter - Filter *ChatFilter `json:"filter"` +type CreateChatFolderRequest struct { + // The new chat folder + Folder *ChatFolder `json:"folder"` } -// Creates new chat filter. Returns information about the created chat filter. There can be up to getOption("chat_filter_count_max") chat filters, but the limit can be increased with Telegram Premium -func (client *Client) CreateChatFilter(req *CreateChatFilterRequest) (*ChatFilterInfo, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "createChatFilter", - }, - Data: map[string]interface{}{ - "filter": req.Filter, - }, - }) - if err != nil { - return nil, err - } +// Creates new chat folder. Returns information about the created chat folder. There can be up to getOption("chat_folder_count_max") chat folders, but the limit can be increased with Telegram Premium +func (client *Client) CreateChatFolder(req *CreateChatFolderRequest) (*ChatFolderInfo, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "createChatFolder", + }, + Data: map[string]interface{}{ + "folder": req.Folder, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalChatFilterInfo(result.Data) + return UnmarshalChatFolderInfo(result.Data) } -type EditChatFilterRequest struct { - // Chat filter identifier - ChatFilterId int32 `json:"chat_filter_id"` - // The edited chat filter - Filter *ChatFilter `json:"filter"` +type EditChatFolderRequest struct { + // Chat folder identifier + ChatFolderId int32 `json:"chat_folder_id"` + // The edited chat folder + Folder *ChatFolder `json:"folder"` } -// Edits existing chat filter. Returns information about the edited chat filter -func (client *Client) EditChatFilter(req *EditChatFilterRequest) (*ChatFilterInfo, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "editChatFilter", - }, - Data: map[string]interface{}{ - "chat_filter_id": req.ChatFilterId, - "filter": req.Filter, - }, - }) - if err != nil { - return nil, err - } +// Edits existing chat folder. Returns information about the edited chat folder +func (client *Client) EditChatFolder(req *EditChatFolderRequest) (*ChatFolderInfo, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "editChatFolder", + }, + Data: map[string]interface{}{ + "chat_folder_id": req.ChatFolderId, + "folder": req.Folder, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalChatFilterInfo(result.Data) + return UnmarshalChatFolderInfo(result.Data) } -type DeleteChatFilterRequest struct { - // Chat filter identifier - ChatFilterId int32 `json:"chat_filter_id"` +type DeleteChatFolderRequest struct { + // Chat folder identifier + ChatFolderId int32 `json:"chat_folder_id"` + // Identifiers of the chats to leave. The chats must be pinned or always included in the folder + LeaveChatIds []int64 `json:"leave_chat_ids"` } -// Deletes existing chat filter -func (client *Client) DeleteChatFilter(req *DeleteChatFilterRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "deleteChatFilter", - }, - Data: map[string]interface{}{ - "chat_filter_id": req.ChatFilterId, - }, - }) - if err != nil { - return nil, err - } +// Deletes existing chat folder +func (client *Client) DeleteChatFolder(req *DeleteChatFolderRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "deleteChatFolder", + }, + Data: map[string]interface{}{ + "chat_folder_id": req.ChatFolderId, + "leave_chat_ids": req.LeaveChatIds, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type ReorderChatFiltersRequest struct { - // Identifiers of chat filters in the new correct order - ChatFilterIds []int32 `json:"chat_filter_ids"` - // Position of the main chat list among chat filters, 0-based. Can be non-zero only for Premium users - MainChatListPosition int32 `json:"main_chat_list_position"` +type GetChatFolderChatsToLeaveRequest struct { + // Chat folder identifier + ChatFolderId int32 `json:"chat_folder_id"` } -// Changes the order of chat filters -func (client *Client) ReorderChatFilters(req *ReorderChatFiltersRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "reorderChatFilters", - }, - Data: map[string]interface{}{ - "chat_filter_ids": req.ChatFilterIds, - "main_chat_list_position": req.MainChatListPosition, - }, - }) - if err != nil { - return nil, err - } +// Returns identifiers of pinned or always included chats from a chat folder, which are suggested to be left when the chat folder is deleted +func (client *Client) GetChatFolderChatsToLeave(req *GetChatFolderChatsToLeaveRequest) (*Chats, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getChatFolderChatsToLeave", + }, + Data: map[string]interface{}{ + "chat_folder_id": req.ChatFolderId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalChats(result.Data) } -// Returns recommended chat filters for the current user -func (client *Client) GetRecommendedChatFilters() (*RecommendedChatFilters, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getRecommendedChatFilters", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } - - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } - - return UnmarshalRecommendedChatFilters(result.Data) +type GetChatFolderChatCountRequest struct { + // The new chat folder + Folder *ChatFolder `json:"folder"` } -type GetChatFilterDefaultIconNameRequest struct { - // Chat filter - Filter *ChatFilter `json:"filter"` +// Returns approximate number of chats in a being created chat folder. Main and archive chat lists must be fully preloaded for this function to work correctly +func (client *Client) GetChatFolderChatCount(req *GetChatFolderChatCountRequest) (*Count, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getChatFolderChatCount", + }, + Data: map[string]interface{}{ + "folder": req.Folder, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalCount(result.Data) } -// Returns default icon name for a filter. Can be called synchronously -func GetChatFilterDefaultIconName(req *GetChatFilterDefaultIconNameRequest) (*Text, error) { - result, err := Execute(Request{ - meta: meta{ - Type: "getChatFilterDefaultIconName", - }, - Data: map[string]interface{}{ - "filter": req.Filter, - }, - }) - if err != nil { - return nil, err - } +type ReorderChatFoldersRequest struct { + // Identifiers of chat folders in the new correct order + ChatFolderIds []int32 `json:"chat_folder_ids"` + // Position of the main chat list among chat folders, 0-based. Can be non-zero only for Premium users + MainChatListPosition int32 `json:"main_chat_list_position"` +} - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } +// Changes the order of chat folders +func (client *Client) ReorderChatFolders(req *ReorderChatFoldersRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "reorderChatFolders", + }, + Data: map[string]interface{}{ + "chat_folder_ids": req.ChatFolderIds, + "main_chat_list_position": req.MainChatListPosition, + }, + }) + if err != nil { + return nil, err + } - return UnmarshalText(result.Data) + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type ToggleChatFolderTagsRequest struct { + // Pass true to enable folder tags; pass false to disable them + AreTagsEnabled bool `json:"are_tags_enabled"` +} + +// Toggles whether chat folder tags are enabled +func (client *Client) ToggleChatFolderTags(req *ToggleChatFolderTagsRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "toggleChatFolderTags", + }, + Data: map[string]interface{}{ + "are_tags_enabled": req.AreTagsEnabled, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +// Returns recommended chat folders for the current user +func (client *Client) GetRecommendedChatFolders() (*RecommendedChatFolders, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getRecommendedChatFolders", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalRecommendedChatFolders(result.Data) +} + +type GetChatFolderDefaultIconNameRequest struct { + // Chat folder + Folder *ChatFolder `json:"folder"` +} + +// Returns default icon name for a folder. Can be called synchronously +func GetChatFolderDefaultIconName(req *GetChatFolderDefaultIconNameRequest) (*ChatFolderIcon, error) { + result, err := Execute(Request{ + meta: meta{ + Type: "getChatFolderDefaultIconName", + }, + Data: map[string]interface{}{ + "folder": req.Folder, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalChatFolderIcon(result.Data) } // deprecated -// Returns default icon name for a filter. Can be called synchronously -func (client *Client) GetChatFilterDefaultIconName(req *GetChatFilterDefaultIconNameRequest) (*Text, error) { - return GetChatFilterDefaultIconName(req) +// Returns default icon name for a folder. Can be called synchronously +func (client *Client) GetChatFolderDefaultIconName(req *GetChatFolderDefaultIconNameRequest) (*ChatFolderIcon, error) { + return GetChatFolderDefaultIconName(req)} + +type GetChatsForChatFolderInviteLinkRequest struct { + // Chat folder identifier + ChatFolderId int32 `json:"chat_folder_id"` } -type SetChatTitleRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // New title of the chat; 1-128 characters - Title string `json:"title"` +// Returns identifiers of chats from a chat folder, suitable for adding to a chat folder invite link +func (client *Client) GetChatsForChatFolderInviteLink(req *GetChatsForChatFolderInviteLinkRequest) (*Chats, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getChatsForChatFolderInviteLink", + }, + Data: map[string]interface{}{ + "chat_folder_id": req.ChatFolderId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalChats(result.Data) } -// Changes the chat title. Supported only for basic groups, supergroups and channels. Requires can_change_info administrator right +type CreateChatFolderInviteLinkRequest struct { + // Chat folder identifier + ChatFolderId int32 `json:"chat_folder_id"` + // Name of the link; 0-32 characters + Name string `json:"name"` + // Identifiers of chats to be accessible by the invite link. Use getChatsForChatFolderInviteLink to get suitable chats. Basic groups will be automatically converted to supergroups before link creation + ChatIds []int64 `json:"chat_ids"` +} + +// Creates a new invite link for a chat folder. A link can be created for a chat folder if it has only pinned and included chats +func (client *Client) CreateChatFolderInviteLink(req *CreateChatFolderInviteLinkRequest) (*ChatFolderInviteLink, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "createChatFolderInviteLink", + }, + Data: map[string]interface{}{ + "chat_folder_id": req.ChatFolderId, + "name": req.Name, + "chat_ids": req.ChatIds, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalChatFolderInviteLink(result.Data) +} + +type GetChatFolderInviteLinksRequest struct { + // Chat folder identifier + ChatFolderId int32 `json:"chat_folder_id"` +} + +// Returns invite links created by the current user for a shareable chat folder +func (client *Client) GetChatFolderInviteLinks(req *GetChatFolderInviteLinksRequest) (*ChatFolderInviteLinks, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getChatFolderInviteLinks", + }, + Data: map[string]interface{}{ + "chat_folder_id": req.ChatFolderId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalChatFolderInviteLinks(result.Data) +} + +type EditChatFolderInviteLinkRequest struct { + // Chat folder identifier + ChatFolderId int32 `json:"chat_folder_id"` + // Invite link to be edited + InviteLink string `json:"invite_link"` + // New name of the link; 0-32 characters + Name string `json:"name"` + // New identifiers of chats to be accessible by the invite link. Use getChatsForChatFolderInviteLink to get suitable chats. Basic groups will be automatically converted to supergroups before link editing + ChatIds []int64 `json:"chat_ids"` +} + +// Edits an invite link for a chat folder +func (client *Client) EditChatFolderInviteLink(req *EditChatFolderInviteLinkRequest) (*ChatFolderInviteLink, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "editChatFolderInviteLink", + }, + Data: map[string]interface{}{ + "chat_folder_id": req.ChatFolderId, + "invite_link": req.InviteLink, + "name": req.Name, + "chat_ids": req.ChatIds, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalChatFolderInviteLink(result.Data) +} + +type DeleteChatFolderInviteLinkRequest struct { + // Chat folder identifier + ChatFolderId int32 `json:"chat_folder_id"` + // Invite link to be deleted + InviteLink string `json:"invite_link"` +} + +// Deletes an invite link for a chat folder +func (client *Client) DeleteChatFolderInviteLink(req *DeleteChatFolderInviteLinkRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "deleteChatFolderInviteLink", + }, + Data: map[string]interface{}{ + "chat_folder_id": req.ChatFolderId, + "invite_link": req.InviteLink, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type CheckChatFolderInviteLinkRequest struct { + // Invite link to be checked + InviteLink string `json:"invite_link"` +} + +// Checks the validity of an invite link for a chat folder and returns information about the corresponding chat folder +func (client *Client) CheckChatFolderInviteLink(req *CheckChatFolderInviteLinkRequest) (*ChatFolderInviteLinkInfo, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "checkChatFolderInviteLink", + }, + Data: map[string]interface{}{ + "invite_link": req.InviteLink, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalChatFolderInviteLinkInfo(result.Data) +} + +type AddChatFolderByInviteLinkRequest struct { + // Invite link for the chat folder + InviteLink string `json:"invite_link"` + // Identifiers of the chats added to the chat folder. The chats are automatically joined if they aren't joined yet + ChatIds []int64 `json:"chat_ids"` +} + +// Adds a chat folder by an invite link +func (client *Client) AddChatFolderByInviteLink(req *AddChatFolderByInviteLinkRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "addChatFolderByInviteLink", + }, + Data: map[string]interface{}{ + "invite_link": req.InviteLink, + "chat_ids": req.ChatIds, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type GetChatFolderNewChatsRequest struct { + // Chat folder identifier + ChatFolderId int32 `json:"chat_folder_id"` +} + +// Returns new chats added to a shareable chat folder by its owner. The method must be called at most once in getOption("chat_folder_new_chats_update_period") for the given chat folder +func (client *Client) GetChatFolderNewChats(req *GetChatFolderNewChatsRequest) (*Chats, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getChatFolderNewChats", + }, + Data: map[string]interface{}{ + "chat_folder_id": req.ChatFolderId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalChats(result.Data) +} + +type ProcessChatFolderNewChatsRequest struct { + // Chat folder identifier + ChatFolderId int32 `json:"chat_folder_id"` + // Identifiers of the new chats, which are added to the chat folder. The chats are automatically joined if they aren't joined yet + AddedChatIds []int64 `json:"added_chat_ids"` +} + +// Process new chats added to a shareable chat folder by its owner +func (client *Client) ProcessChatFolderNewChats(req *ProcessChatFolderNewChatsRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "processChatFolderNewChats", + }, + Data: map[string]interface{}{ + "chat_folder_id": req.ChatFolderId, + "added_chat_ids": req.AddedChatIds, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +// Returns settings for automatic moving of chats to and from the Archive chat lists +func (client *Client) GetArchiveChatListSettings() (*ArchiveChatListSettings, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getArchiveChatListSettings", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalArchiveChatListSettings(result.Data) +} + +type SetArchiveChatListSettingsRequest struct { + // New settings + Settings *ArchiveChatListSettings `json:"settings"` +} + +// Changes settings for automatic moving of chats to and from the Archive chat lists +func (client *Client) SetArchiveChatListSettings(req *SetArchiveChatListSettingsRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setArchiveChatListSettings", + }, + Data: map[string]interface{}{ + "settings": req.Settings, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SetChatTitleRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // New title of the chat; 1-128 characters + Title string `json:"title"` +} + +// Changes the chat title. Supported only for basic groups, supergroups and channels. Requires can_change_info member right func (client *Client) SetChatTitle(req *SetChatTitleRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setChatTitle", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "title": req.Title, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setChatTitle", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "title": req.Title, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SetChatPhotoRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // New chat photo; pass null to delete the chat photo - Photo InputChatPhoto `json:"photo"` +type SetChatPhotoRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // New chat photo; pass null to delete the chat photo + Photo InputChatPhoto `json:"photo"` } -// Changes the photo of a chat. Supported only for basic groups, supergroups and channels. Requires can_change_info administrator right +// Changes the photo of a chat. Supported only for basic groups, supergroups and channels. Requires can_change_info member right func (client *Client) SetChatPhoto(req *SetChatPhotoRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setChatPhoto", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "photo": req.Photo, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setChatPhoto", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "photo": req.Photo, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SetChatMessageAutoDeleteTimeRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // New time value, in seconds; unless the chat is secret, it must be from 0 up to 365 * 86400 and be divisible by 86400. If 0, then messages aren't deleted automatically - MessageAutoDeleteTime int32 `json:"message_auto_delete_time"` +type SetChatAccentColorRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Identifier of the accent color to use. The chat must have at least accentColor.min_channel_chat_boost_level boost level to pass the corresponding color + AccentColorId int32 `json:"accent_color_id"` + // Identifier of a custom emoji to be shown on the reply header and link preview background; 0 if none. Use chatBoostLevelFeatures.can_set_background_custom_emoji to check whether a custom emoji can be set + BackgroundCustomEmojiId JsonInt64 `json:"background_custom_emoji_id"` } -// Changes the message auto-delete or self-destruct (for secret chats) time in a chat. Requires change_info administrator right in basic groups, supergroups and channels Message auto-delete time can't be changed in a chat with the current user (Saved Messages) and the chat 777000 (Telegram). +// Changes accent color and background custom emoji of a channel chat. Requires can_change_info administrator right +func (client *Client) SetChatAccentColor(req *SetChatAccentColorRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setChatAccentColor", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "accent_color_id": req.AccentColorId, + "background_custom_emoji_id": req.BackgroundCustomEmojiId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SetChatProfileAccentColorRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Identifier of the accent color to use for profile; pass -1 if none. The chat must have at least profileAccentColor.min_supergroup_chat_boost_level for supergroups or profileAccentColor.min_channel_chat_boost_level for channels boost level to pass the corresponding color + ProfileAccentColorId int32 `json:"profile_accent_color_id"` + // Identifier of a custom emoji to be shown on the chat's profile photo background; 0 if none. Use chatBoostLevelFeatures.can_set_profile_background_custom_emoji to check whether a custom emoji can be set + ProfileBackgroundCustomEmojiId JsonInt64 `json:"profile_background_custom_emoji_id"` +} + +// Changes accent color and background custom emoji for profile of a supergroup or channel chat. Requires can_change_info administrator right +func (client *Client) SetChatProfileAccentColor(req *SetChatProfileAccentColorRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setChatProfileAccentColor", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "profile_accent_color_id": req.ProfileAccentColorId, + "profile_background_custom_emoji_id": req.ProfileBackgroundCustomEmojiId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SetChatMessageAutoDeleteTimeRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // New time value, in seconds; unless the chat is secret, it must be from 0 up to 365 * 86400 and be divisible by 86400. If 0, then messages aren't deleted automatically + MessageAutoDeleteTime int32 `json:"message_auto_delete_time"` +} + +// Changes the message auto-delete or self-destruct (for secret chats) time in a chat. Requires change_info administrator right in basic groups, supergroups and channels. Message auto-delete time can't be changed in a chat with the current user (Saved Messages) and the chat 777000 (Telegram). func (client *Client) SetChatMessageAutoDeleteTime(req *SetChatMessageAutoDeleteTimeRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setChatMessageAutoDeleteTime", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_auto_delete_time": req.MessageAutoDeleteTime, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setChatMessageAutoDeleteTime", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_auto_delete_time": req.MessageAutoDeleteTime, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SetChatPermissionsRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // New non-administrator members permissions in the chat - Permissions *ChatPermissions `json:"permissions"` +type SetChatEmojiStatusRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // New emoji status; pass null to remove emoji status + EmojiStatus *EmojiStatus `json:"emoji_status"` +} + +// Changes the emoji status of a chat. Use chatBoostLevelFeatures.can_set_emoji_status to check whether an emoji status can be set. Requires can_change_info administrator right +func (client *Client) SetChatEmojiStatus(req *SetChatEmojiStatusRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setChatEmojiStatus", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "emoji_status": req.EmojiStatus, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SetChatPermissionsRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // New non-administrator members permissions in the chat + Permissions *ChatPermissions `json:"permissions"` } // Changes the chat members permissions. Supported only for basic groups and supergroups. Requires can_restrict_members administrator right func (client *Client) SetChatPermissions(req *SetChatPermissionsRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setChatPermissions", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "permissions": req.Permissions, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setChatPermissions", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "permissions": req.Permissions, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SetChatThemeRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // Name of the new chat theme; pass an empty string to return the default theme - ThemeName string `json:"theme_name"` +type SetChatBackgroundRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // The input background to use; pass null to create a new filled or chat theme background + Background InputBackground `json:"background"` + // Background type; pass null to use default background type for the chosen background; backgroundTypeChatTheme isn't supported for private and secret chats. Use chatBoostLevelFeatures.chat_theme_background_count and chatBoostLevelFeatures.can_set_custom_background to check whether the background type can be set in the boosted chat + Type BackgroundType `json:"type"` + // Dimming of the background in dark themes, as a percentage; 0-100. Applied only to Wallpaper and Fill types of background + DarkThemeDimming int32 `json:"dark_theme_dimming"` + // Pass true to set background only for self; pass false to set background for all chat users. Always false for backgrounds set in boosted chats. Background can be set for both users only by Telegram Premium users and if set background isn't of the type inputBackgroundPrevious + OnlyForSelf bool `json:"only_for_self"` +} + +// Sets the background in a specific chat. Supported only in private and secret chats with non-deleted users, and in chats with sufficient boost level and can_change_info administrator right +func (client *Client) SetChatBackground(req *SetChatBackgroundRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setChatBackground", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "background": req.Background, + "type": req.Type, + "dark_theme_dimming": req.DarkThemeDimming, + "only_for_self": req.OnlyForSelf, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type DeleteChatBackgroundRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Pass true to restore previously set background. Can be used only in private and secret chats with non-deleted users if userFullInfo.set_chat_background == true. Supposed to be used from messageChatSetBackground messages with the currently set background that was set for both sides by the other user + RestorePrevious bool `json:"restore_previous"` +} + +// Deletes background in a specific chat +func (client *Client) DeleteChatBackground(req *DeleteChatBackgroundRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "deleteChatBackground", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "restore_previous": req.RestorePrevious, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type GetGiftChatThemesRequest struct { + // Offset of the first entry to return as received from the previous request; use empty string to get the first chunk of results + Offset string `json:"offset"` + // The maximum number of chat themes to return + Limit int32 `json:"limit"` +} + +// Returns available to the current user gift chat themes +func (client *Client) GetGiftChatThemes(req *GetGiftChatThemesRequest) (*GiftChatThemes, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getGiftChatThemes", + }, + Data: map[string]interface{}{ + "offset": req.Offset, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalGiftChatThemes(result.Data) +} + +type SetChatThemeRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // New chat theme; pass null to return the default theme + Theme InputChatTheme `json:"theme"` } // Changes the chat theme. Supported only in private and secret chats func (client *Client) SetChatTheme(req *SetChatThemeRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setChatTheme", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "theme_name": req.ThemeName, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setChatTheme", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "theme": req.Theme, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SetChatDraftMessageRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // If not 0, a message thread identifier in which the draft was changed - MessageThreadId int64 `json:"message_thread_id"` - // New draft message; pass null to remove the draft - DraftMessage *DraftMessage `json:"draft_message"` +type SetChatDraftMessageRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Topic in which the draft will be changed; pass null to change the draft for the chat itself + TopicId MessageTopic `json:"topic_id"` + // New draft message; pass null to remove the draft. All files in draft message content must be of the type inputFileLocal. Media thumbnails and captions are ignored + DraftMessage *DraftMessage `json:"draft_message"` } -// Changes the draft message in a chat +// Changes the draft message in a chat or a topic func (client *Client) SetChatDraftMessage(req *SetChatDraftMessageRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setChatDraftMessage", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_thread_id": req.MessageThreadId, - "draft_message": req.DraftMessage, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setChatDraftMessage", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "topic_id": req.TopicId, + "draft_message": req.DraftMessage, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SetChatNotificationSettingsRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // New notification settings for the chat. If the chat is muted for more than 366 days, it is considered to be muted forever - NotificationSettings *ChatNotificationSettings `json:"notification_settings"` +type SetChatNotificationSettingsRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // New notification settings for the chat. If the chat is muted for more than 366 days, it is considered to be muted forever + NotificationSettings *ChatNotificationSettings `json:"notification_settings"` } // Changes the notification settings of a chat. Notification settings of a chat with the current user (Saved Messages) can't be changed func (client *Client) SetChatNotificationSettings(req *SetChatNotificationSettingsRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setChatNotificationSettings", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "notification_settings": req.NotificationSettings, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setChatNotificationSettings", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "notification_settings": req.NotificationSettings, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type ToggleChatHasProtectedContentRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // New value of has_protected_content - HasProtectedContent bool `json:"has_protected_content"` +type ToggleChatHasProtectedContentRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // New value of has_protected_content + HasProtectedContent bool `json:"has_protected_content"` } // Changes the ability of users to save, forward, or copy chat content. Supported only for basic groups, supergroups and channels. Requires owner privileges func (client *Client) ToggleChatHasProtectedContent(req *ToggleChatHasProtectedContentRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "toggleChatHasProtectedContent", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "has_protected_content": req.HasProtectedContent, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "toggleChatHasProtectedContent", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "has_protected_content": req.HasProtectedContent, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type ToggleChatIsTranslatableRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // New value of is_translatable - IsTranslatable bool `json:"is_translatable"` +type ToggleChatViewAsTopicsRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // New value of view_as_topics + ViewAsTopics bool `json:"view_as_topics"` } -// Changes the tranlatable state of a chat; for Telegram Premium users only +// Changes the view_as_topics setting of a forum chat or Saved Messages +func (client *Client) ToggleChatViewAsTopics(req *ToggleChatViewAsTopicsRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "toggleChatViewAsTopics", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "view_as_topics": req.ViewAsTopics, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type ToggleChatIsTranslatableRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // New value of is_translatable + IsTranslatable bool `json:"is_translatable"` +} + +// Changes the translatable state of a chat func (client *Client) ToggleChatIsTranslatable(req *ToggleChatIsTranslatableRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "toggleChatIsTranslatable", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "is_translatable": req.IsTranslatable, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "toggleChatIsTranslatable", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "is_translatable": req.IsTranslatable, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type ToggleChatIsMarkedAsUnreadRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // New value of is_marked_as_unread - IsMarkedAsUnread bool `json:"is_marked_as_unread"` +type ToggleChatIsMarkedAsUnreadRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // New value of is_marked_as_unread + IsMarkedAsUnread bool `json:"is_marked_as_unread"` } // Changes the marked as unread state of a chat func (client *Client) ToggleChatIsMarkedAsUnread(req *ToggleChatIsMarkedAsUnreadRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "toggleChatIsMarkedAsUnread", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "is_marked_as_unread": req.IsMarkedAsUnread, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "toggleChatIsMarkedAsUnread", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "is_marked_as_unread": req.IsMarkedAsUnread, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type ToggleChatDefaultDisableNotificationRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // New value of default_disable_notification - DefaultDisableNotification bool `json:"default_disable_notification"` +type ToggleChatDefaultDisableNotificationRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // New value of default_disable_notification + DefaultDisableNotification bool `json:"default_disable_notification"` } // Changes the value of the default disable_notification parameter, used when a message is sent to a chat func (client *Client) ToggleChatDefaultDisableNotification(req *ToggleChatDefaultDisableNotificationRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "toggleChatDefaultDisableNotification", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "default_disable_notification": req.DefaultDisableNotification, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "toggleChatDefaultDisableNotification", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "default_disable_notification": req.DefaultDisableNotification, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SetChatAvailableReactionsRequest struct { - // Identifier of the chat - ChatId int64 `json:"chat_id"` - // Reactions available in the chat. All emoji reactions must be active - AvailableReactions ChatAvailableReactions `json:"available_reactions"` +type SetChatAvailableReactionsRequest struct { + // Identifier of the chat + ChatId int64 `json:"chat_id"` + // Reactions available in the chat. All explicitly specified emoji reactions must be active. In channel chats up to the chat's boost level custom emoji reactions can be explicitly specified + AvailableReactions ChatAvailableReactions `json:"available_reactions"` } -// Changes reactions, available in a chat. Available for basic groups, supergroups, and channels. Requires can_change_info administrator right +// Changes reactions, available in a chat. Available for basic groups, supergroups, and channels. Requires can_change_info member right func (client *Client) SetChatAvailableReactions(req *SetChatAvailableReactionsRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setChatAvailableReactions", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "available_reactions": req.AvailableReactions, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setChatAvailableReactions", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "available_reactions": req.AvailableReactions, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SetChatClientDataRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // New value of client_data - ClientData string `json:"client_data"` +type SetChatClientDataRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // New value of client_data + ClientData string `json:"client_data"` } // Changes application-specific data associated with a chat func (client *Client) SetChatClientData(req *SetChatClientDataRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setChatClientData", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "client_data": req.ClientData, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setChatClientData", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "client_data": req.ClientData, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SetChatDescriptionRequest struct { - // Identifier of the chat - ChatId int64 `json:"chat_id"` - // New chat description; 0-255 characters - Description string `json:"description"` +type SetChatDescriptionRequest struct { + // Identifier of the chat + ChatId int64 `json:"chat_id"` + // New chat description; 0-255 characters + Description string `json:"description"` } -// Changes information about a chat. Available for basic groups, supergroups, and channels. Requires can_change_info administrator right +// Changes information about a chat. Available for basic groups, supergroups, and channels. Requires can_change_info member right func (client *Client) SetChatDescription(req *SetChatDescriptionRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setChatDescription", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "description": req.Description, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setChatDescription", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "description": req.Description, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SetChatDiscussionGroupRequest struct { - // Identifier of the channel chat. Pass 0 to remove a link from the supergroup passed in the second argument to a linked channel chat (requires can_pin_messages rights in the supergroup) - ChatId int64 `json:"chat_id"` - // Identifier of a new channel's discussion group. Use 0 to remove the discussion group. Use the method getSuitableDiscussionChats to find all suitable groups. Basic group chats must be first upgraded to supergroup chats. If new chat members don't have access to old messages in the supergroup, then toggleSupergroupIsAllHistoryAvailable must be used first to change that - DiscussionChatId int64 `json:"discussion_chat_id"` +type SetChatDiscussionGroupRequest struct { + // Identifier of the channel chat. Pass 0 to remove a link from the supergroup passed in the second argument to a linked channel chat (requires can_pin_messages member right in the supergroup) + ChatId int64 `json:"chat_id"` + // Identifier of a new channel's discussion group. Use 0 to remove the discussion group. Use the method getSuitableDiscussionChats to find all suitable groups. Basic group chats must be first upgraded to supergroup chats. If new chat members don't have access to old messages in the supergroup, then toggleSupergroupIsAllHistoryAvailable must be used first to change that + DiscussionChatId int64 `json:"discussion_chat_id"` } // Changes the discussion group of a channel chat; requires can_change_info administrator right in the channel if it is specified func (client *Client) SetChatDiscussionGroup(req *SetChatDiscussionGroupRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setChatDiscussionGroup", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "discussion_chat_id": req.DiscussionChatId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setChatDiscussionGroup", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "discussion_chat_id": req.DiscussionChatId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SetChatLocationRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // New location for the chat; must be valid and not null - Location *ChatLocation `json:"location"` +type SetChatDirectMessagesGroupRequest struct { + // Identifier of the channel chat + ChatId int64 `json:"chat_id"` + // Pass true if the direct messages group is enabled for the channel chat; pass false otherwise + IsEnabled bool `json:"is_enabled"` + // The new number of Telegram Stars that must be paid for each message that is sent to the direct messages chat unless the sender is an administrator of the channel chat; 0-getOption("paid_message_star_count_max"). The channel will receive getOption("paid_message_earnings_per_mille") Telegram Stars for each 1000 Telegram Stars paid for message sending. Requires supergroupFullInfo.can_enable_paid_messages for positive amounts + PaidMessageStarCount int64 `json:"paid_message_star_count"` +} + +// Changes direct messages group settings for a channel chat; requires owner privileges in the chat +func (client *Client) SetChatDirectMessagesGroup(req *SetChatDirectMessagesGroupRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setChatDirectMessagesGroup", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "is_enabled": req.IsEnabled, + "paid_message_star_count": req.PaidMessageStarCount, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SetChatLocationRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // New location for the chat; must be valid and not null + Location *ChatLocation `json:"location"` } // Changes the location of a chat. Available only for some location-based supergroups, use supergroupFullInfo.can_set_location to check whether the method is allowed to use func (client *Client) SetChatLocation(req *SetChatLocationRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setChatLocation", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "location": req.Location, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setChatLocation", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "location": req.Location, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SetChatSlowModeDelayRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // New slow mode delay for the chat, in seconds; must be one of 0, 10, 30, 60, 300, 900, 3600 - SlowModeDelay int32 `json:"slow_mode_delay"` +type SetChatSlowModeDelayRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // New slow mode delay for the chat, in seconds; must be one of 0, 5, 10, 30, 60, 300, 900, 3600 + SlowModeDelay int32 `json:"slow_mode_delay"` } -// Changes the slow mode delay of a chat. Available only for supergroups; requires can_restrict_members rights +// Changes the slow mode delay of a chat. Available only for supergroups; requires can_restrict_members administrator right func (client *Client) SetChatSlowModeDelay(req *SetChatSlowModeDelayRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setChatSlowModeDelay", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "slow_mode_delay": req.SlowModeDelay, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setChatSlowModeDelay", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "slow_mode_delay": req.SlowModeDelay, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type PinChatMessageRequest struct { - // Identifier of the chat - ChatId int64 `json:"chat_id"` - // Identifier of the new pinned message - MessageId int64 `json:"message_id"` - // Pass true to disable notification about the pinned message. Notifications are always disabled in channels and private chats - DisableNotification bool `json:"disable_notification"` - // Pass true to pin the message only for self; private chats only - OnlyForSelf bool `json:"only_for_self"` +type PinChatMessageRequest struct { + // Identifier of the chat + ChatId int64 `json:"chat_id"` + // Identifier of the new pinned message + MessageId int64 `json:"message_id"` + // Pass true to disable notification about the pinned message. Notifications are always disabled in channels and private chats + DisableNotification bool `json:"disable_notification"` + // Pass true to pin the message only for self; private chats only + OnlyForSelf bool `json:"only_for_self"` } -// Pins a message in a chat; requires can_pin_messages rights or can_edit_messages rights in the channel +// Pins a message in a chat. A message can be pinned only if messageProperties.can_be_pinned func (client *Client) PinChatMessage(req *PinChatMessageRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "pinChatMessage", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_id": req.MessageId, - "disable_notification": req.DisableNotification, - "only_for_self": req.OnlyForSelf, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "pinChatMessage", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + "disable_notification": req.DisableNotification, + "only_for_self": req.OnlyForSelf, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type UnpinChatMessageRequest struct { - // Identifier of the chat - ChatId int64 `json:"chat_id"` - // Identifier of the removed pinned message - MessageId int64 `json:"message_id"` +type UnpinChatMessageRequest struct { + // Identifier of the chat + ChatId int64 `json:"chat_id"` + // Identifier of the removed pinned message + MessageId int64 `json:"message_id"` } -// Removes a pinned message from a chat; requires can_pin_messages rights in the group or can_edit_messages rights in the channel +// Removes a pinned message from a chat; requires can_pin_messages member right if the chat is a basic group or supergroup, or can_edit_messages administrator right if the chat is a channel func (client *Client) UnpinChatMessage(req *UnpinChatMessageRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "unpinChatMessage", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_id": req.MessageId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "unpinChatMessage", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type UnpinAllChatMessagesRequest struct { - // Identifier of the chat - ChatId int64 `json:"chat_id"` +type UnpinAllChatMessagesRequest struct { + // Identifier of the chat + ChatId int64 `json:"chat_id"` } -// Removes all pinned messages from a chat; requires can_pin_messages rights in the group or can_edit_messages rights in the channel +// Removes all pinned messages from a chat; requires can_pin_messages member right if the chat is a basic group or supergroup, or can_edit_messages administrator right if the chat is a channel func (client *Client) UnpinAllChatMessages(req *UnpinAllChatMessagesRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "unpinAllChatMessages", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "unpinAllChatMessages", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type UnpinAllMessageThreadMessagesRequest struct { - // Identifier of the chat - ChatId int64 `json:"chat_id"` - // Message thread identifier in which messages will be unpinned - MessageThreadId int64 `json:"message_thread_id"` -} - -// Removes all pinned messages from a forum topic; requires can_pin_messages rights in the supergroup -func (client *Client) UnpinAllMessageThreadMessages(req *UnpinAllMessageThreadMessagesRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "unpinAllMessageThreadMessages", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_thread_id": req.MessageThreadId, - }, - }) - if err != nil { - return nil, err - } - - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } - - return UnmarshalOk(result.Data) -} - -type JoinChatRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` +type JoinChatRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` } // Adds the current user as a new member to a chat. Private and secret chats can't be joined using this method. May return an error with a message "INVITE_REQUEST_SENT" if only a join request was created func (client *Client) JoinChat(req *JoinChatRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "joinChat", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "joinChat", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type LeaveChatRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` +type LeaveChatRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` } // Removes the current user from chat members. Private and secret chats can't be left using this method func (client *Client) LeaveChat(req *LeaveChatRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "leaveChat", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "leaveChat", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type AddChatMemberRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // Identifier of the user - UserId int64 `json:"user_id"` - // The number of earlier messages from the chat to be forwarded to the new member; up to 100. Ignored for supergroups and channels, or if the added user is a bot - ForwardLimit int32 `json:"forward_limit"` +type AddChatMemberRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Identifier of the user + UserId int64 `json:"user_id"` + // The number of earlier messages from the chat to be forwarded to the new member; up to 100. Ignored for supergroups and channels, or if the added user is a bot + ForwardLimit int32 `json:"forward_limit"` } -// Adds a new member to a chat. Members can't be added to private or secret chats -func (client *Client) AddChatMember(req *AddChatMemberRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "addChatMember", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "user_id": req.UserId, - "forward_limit": req.ForwardLimit, - }, - }) - if err != nil { - return nil, err - } +// Adds a new member to a chat; requires can_invite_users member right. Members can't be added to private or secret chats. Returns information about members that weren't added +func (client *Client) AddChatMember(req *AddChatMemberRequest) (*FailedToAddMembers, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "addChatMember", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "user_id": req.UserId, + "forward_limit": req.ForwardLimit, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalFailedToAddMembers(result.Data) } -type AddChatMembersRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // Identifiers of the users to be added to the chat. The maximum number of added users is 20 for supergroups and 100 for channels - UserIds []int64 `json:"user_ids"` +type AddChatMembersRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Identifiers of the users to be added to the chat. The maximum number of added users is 20 for supergroups and 100 for channels + UserIds []int64 `json:"user_ids"` } -// Adds multiple new members to a chat. Currently, this method is only available for supergroups and channels. This method can't be used to join a chat. Members can't be added to a channel if it has more than 200 members -func (client *Client) AddChatMembers(req *AddChatMembersRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "addChatMembers", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "user_ids": req.UserIds, - }, - }) - if err != nil { - return nil, err - } +// Adds multiple new members to a chat; requires can_invite_users member right. Currently, this method is only available for supergroups and channels. This method can't be used to join a chat. Members can't be added to a channel if it has more than 200 members. Returns information about members that weren't added +func (client *Client) AddChatMembers(req *AddChatMembersRequest) (*FailedToAddMembers, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "addChatMembers", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "user_ids": req.UserIds, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalFailedToAddMembers(result.Data) } -type SetChatMemberStatusRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // Member identifier. Chats can be only banned and unbanned in supergroups and channels - MemberId MessageSender `json:"member_id"` - // The new status of the member in the chat - Status ChatMemberStatus `json:"status"` +type SetChatMemberStatusRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Member identifier. Chats can be only banned and unbanned in supergroups and channels + MemberId MessageSender `json:"member_id"` + // The new status of the member in the chat + Status ChatMemberStatus `json:"status"` } -// Changes the status of a chat member, needs appropriate privileges. This function is currently not suitable for transferring chat ownership; use transferChatOwnership instead. Use addChatMember or banChatMember if some additional parameters needs to be passed +// Changes the status of a chat member; requires can_invite_users member right to add a chat member, can_promote_members administrator right to change administrator rights of the member, and can_restrict_members administrator right to change restrictions of a user. This function is currently not suitable for transferring chat ownership; use transferChatOwnership instead. Use addChatMember or banChatMember if some additional parameters needs to be passed func (client *Client) SetChatMemberStatus(req *SetChatMemberStatusRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setChatMemberStatus", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "member_id": req.MemberId, - "status": req.Status, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setChatMemberStatus", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "member_id": req.MemberId, + "status": req.Status, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type BanChatMemberRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // Member identifier - MemberId MessageSender `json:"member_id"` - // Point in time (Unix timestamp) when the user will be unbanned; 0 if never. If the user is banned for more than 366 days or for less than 30 seconds from the current time, the user is considered to be banned forever. Ignored in basic groups and if a chat is banned - BannedUntilDate int32 `json:"banned_until_date"` - // Pass true to delete all messages in the chat for the user that is being removed. Always true for supergroups and channels - RevokeMessages bool `json:"revoke_messages"` +type BanChatMemberRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Member identifier + MemberId MessageSender `json:"member_id"` + // Point in time (Unix timestamp) when the user will be unbanned; 0 if never. If the user is banned for more than 366 days or for less than 30 seconds from the current time, the user is considered to be banned forever. Ignored in basic groups and if a chat is banned + BannedUntilDate int32 `json:"banned_until_date"` + // Pass true to delete all messages in the chat for the user who is being removed. Always true for supergroups and channels + RevokeMessages bool `json:"revoke_messages"` } -// Bans a member in a chat. Members can't be banned in private or secret chats. In supergroups and channels, the user will not be able to return to the group on their own using invite links, etc., unless unbanned first +// Bans a member in a chat; requires can_restrict_members administrator right. Members can't be banned in private or secret chats. In supergroups and channels, the user will not be able to return to the group on their own using invite links, etc., unless unbanned first func (client *Client) BanChatMember(req *BanChatMemberRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "banChatMember", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "member_id": req.MemberId, - "banned_until_date": req.BannedUntilDate, - "revoke_messages": req.RevokeMessages, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "banChatMember", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "member_id": req.MemberId, + "banned_until_date": req.BannedUntilDate, + "revoke_messages": req.RevokeMessages, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } // Checks whether the current session can be used to transfer a chat ownership to another user func (client *Client) CanTransferOwnership() (CanTransferOwnershipResult, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "canTransferOwnership", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "canTransferOwnership", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - switch result.Type { - case TypeCanTransferOwnershipResultOk: - return UnmarshalCanTransferOwnershipResultOk(result.Data) + switch result.Type { + case TypeCanTransferOwnershipResultOk: + return UnmarshalCanTransferOwnershipResultOk(result.Data) - case TypeCanTransferOwnershipResultPasswordNeeded: - return UnmarshalCanTransferOwnershipResultPasswordNeeded(result.Data) + case TypeCanTransferOwnershipResultPasswordNeeded: + return UnmarshalCanTransferOwnershipResultPasswordNeeded(result.Data) - case TypeCanTransferOwnershipResultPasswordTooFresh: - return UnmarshalCanTransferOwnershipResultPasswordTooFresh(result.Data) + case TypeCanTransferOwnershipResultPasswordTooFresh: + return UnmarshalCanTransferOwnershipResultPasswordTooFresh(result.Data) - case TypeCanTransferOwnershipResultSessionTooFresh: - return UnmarshalCanTransferOwnershipResultSessionTooFresh(result.Data) + case TypeCanTransferOwnershipResultSessionTooFresh: + return UnmarshalCanTransferOwnershipResultSessionTooFresh(result.Data) - default: - return nil, errors.New("invalid type") - } + default: + return nil, errors.New("invalid type") + } } -type TransferChatOwnershipRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // Identifier of the user to which transfer the ownership. The ownership can't be transferred to a bot or to a deleted user - UserId int64 `json:"user_id"` - // The 2-step verification password of the current user - Password string `json:"password"` +type TransferChatOwnershipRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Identifier of the user to which transfer the ownership. The ownership can't be transferred to a bot or to a deleted user + UserId int64 `json:"user_id"` + // The 2-step verification password of the current user + Password string `json:"password"` } -// Changes the owner of a chat. The current user must be a current owner of the chat. Use the method canTransferOwnership to check whether the ownership can be transferred from the current session. Available only for supergroups and channel chats +// Changes the owner of a chat; requires owner privileges in the chat. Use the method canTransferOwnership to check whether the ownership can be transferred from the current session. Available only for supergroups and channel chats func (client *Client) TransferChatOwnership(req *TransferChatOwnershipRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "transferChatOwnership", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "user_id": req.UserId, - "password": req.Password, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "transferChatOwnership", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "user_id": req.UserId, + "password": req.Password, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type GetChatMemberRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // Member identifier - MemberId MessageSender `json:"member_id"` +type GetChatOwnerAfterLeavingRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` +} + +// Returns the user who will become the owner of the chat after 7 days if the current user does not return to the chat during that period; requires owner privileges in the chat. Available only for supergroups and channel chats +func (client *Client) GetChatOwnerAfterLeaving(req *GetChatOwnerAfterLeavingRequest) (*User, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getChatOwnerAfterLeaving", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalUser(result.Data) +} + +type GetChatMemberRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Member identifier + MemberId MessageSender `json:"member_id"` } // Returns information about a single member of a chat func (client *Client) GetChatMember(req *GetChatMemberRequest) (*ChatMember, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getChatMember", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "member_id": req.MemberId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getChatMember", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "member_id": req.MemberId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalChatMember(result.Data) + return UnmarshalChatMember(result.Data) } -type SearchChatMembersRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // Query to search for - Query string `json:"query"` - // The maximum number of users to be returned; up to 200 - Limit int32 `json:"limit"` - // The type of users to search for; pass null to search among all chat members - Filter ChatMembersFilter `json:"filter"` +type SearchChatMembersRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Query to search for + Query string `json:"query"` + // The maximum number of users to be returned; up to 200 + Limit int32 `json:"limit"` + // The type of users to search for; pass null to search among all chat members + Filter ChatMembersFilter `json:"filter"` } -// Searches for a specified query in the first name, last name and usernames of the members of a specified chat. Requires administrator rights in channels +// Searches for a specified query in the first name, last name and usernames of the members of a specified chat. Requires administrator rights if the chat is a channel func (client *Client) SearchChatMembers(req *SearchChatMembersRequest) (*ChatMembers, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "searchChatMembers", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "query": req.Query, - "limit": req.Limit, - "filter": req.Filter, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "searchChatMembers", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "query": req.Query, + "limit": req.Limit, + "filter": req.Filter, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalChatMembers(result.Data) + return UnmarshalChatMembers(result.Data) } -type GetChatAdministratorsRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` +type GetChatAdministratorsRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` } // Returns a list of administrators of the chat with their custom titles func (client *Client) GetChatAdministrators(req *GetChatAdministratorsRequest) (*ChatAdministrators, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getChatAdministrators", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getChatAdministrators", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalChatAdministrators(result.Data) + return UnmarshalChatAdministrators(result.Data) } -type ClearAllDraftMessagesRequest struct { - // Pass true to keep local message drafts in secret chats - ExcludeSecretChats bool `json:"exclude_secret_chats"` +type ClearAllDraftMessagesRequest struct { + // Pass true to keep local message drafts in secret chats + ExcludeSecretChats bool `json:"exclude_secret_chats"` } // Clears message drafts in all chats func (client *Client) ClearAllDraftMessages(req *ClearAllDraftMessagesRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "clearAllDraftMessages", - }, - Data: map[string]interface{}{ - "exclude_secret_chats": req.ExcludeSecretChats, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "clearAllDraftMessages", + }, + Data: map[string]interface{}{ + "exclude_secret_chats": req.ExcludeSecretChats, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type GetSavedNotificationSoundRequest struct { - // Identifier of the notification sound - NotificationSoundId JsonInt64 `json:"notification_sound_id"` +// Returns the current state of stake dice +func (client *Client) GetStakeDiceState() (*StakeDiceState, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getStakeDiceState", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalStakeDiceState(result.Data) +} + +type GetSavedNotificationSoundRequest struct { + // Identifier of the notification sound + NotificationSoundId JsonInt64 `json:"notification_sound_id"` } // Returns saved notification sound by its identifier. Returns a 404 error if there is no saved notification sound with the specified identifier func (client *Client) GetSavedNotificationSound(req *GetSavedNotificationSoundRequest) (*NotificationSounds, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getSavedNotificationSound", - }, - Data: map[string]interface{}{ - "notification_sound_id": req.NotificationSoundId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getSavedNotificationSound", + }, + Data: map[string]interface{}{ + "notification_sound_id": req.NotificationSoundId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalNotificationSounds(result.Data) + return UnmarshalNotificationSounds(result.Data) } -// Returns list of saved notification sounds. If a sound isn't in the list, then default sound needs to be used +// Returns the list of saved notification sounds. If a sound isn't in the list, then default sound needs to be used func (client *Client) GetSavedNotificationSounds() (*NotificationSounds, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getSavedNotificationSounds", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getSavedNotificationSounds", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalNotificationSounds(result.Data) + return UnmarshalNotificationSounds(result.Data) } -type AddSavedNotificationSoundRequest struct { - // Notification sound file to add - Sound InputFile `json:"sound"` +type AddSavedNotificationSoundRequest struct { + // Notification sound file to add + Sound InputFile `json:"sound"` } // Adds a new notification sound to the list of saved notification sounds. The new notification sound is added to the top of the list. If it is already in the list, its position isn't changed func (client *Client) AddSavedNotificationSound(req *AddSavedNotificationSoundRequest) (*NotificationSound, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "addSavedNotificationSound", - }, - Data: map[string]interface{}{ - "sound": req.Sound, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "addSavedNotificationSound", + }, + Data: map[string]interface{}{ + "sound": req.Sound, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalNotificationSound(result.Data) + return UnmarshalNotificationSound(result.Data) } -type RemoveSavedNotificationSoundRequest struct { - // Identifier of the notification sound - NotificationSoundId JsonInt64 `json:"notification_sound_id"` +type RemoveSavedNotificationSoundRequest struct { + // Identifier of the notification sound + NotificationSoundId JsonInt64 `json:"notification_sound_id"` } // Removes a notification sound from the list of saved notification sounds func (client *Client) RemoveSavedNotificationSound(req *RemoveSavedNotificationSoundRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "removeSavedNotificationSound", - }, - Data: map[string]interface{}{ - "notification_sound_id": req.NotificationSoundId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "removeSavedNotificationSound", + }, + Data: map[string]interface{}{ + "notification_sound_id": req.NotificationSoundId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type GetChatNotificationSettingsExceptionsRequest struct { - // If specified, only chats from the scope will be returned; pass null to return chats from all scopes - Scope NotificationSettingsScope `json:"scope"` - // Pass true to include in the response chats with only non-default sound - CompareSound bool `json:"compare_sound"` +type GetChatNotificationSettingsExceptionsRequest struct { + // If specified, only chats from the scope will be returned; pass null to return chats from all scopes + Scope NotificationSettingsScope `json:"scope"` + // Pass true to include in the response chats with only non-default sound + CompareSound bool `json:"compare_sound"` } -// Returns list of chats with non-default notification settings +// Returns the list of chats with non-default notification settings for new messages func (client *Client) GetChatNotificationSettingsExceptions(req *GetChatNotificationSettingsExceptionsRequest) (*Chats, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getChatNotificationSettingsExceptions", - }, - Data: map[string]interface{}{ - "scope": req.Scope, - "compare_sound": req.CompareSound, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getChatNotificationSettingsExceptions", + }, + Data: map[string]interface{}{ + "scope": req.Scope, + "compare_sound": req.CompareSound, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalChats(result.Data) + return UnmarshalChats(result.Data) } -type GetScopeNotificationSettingsRequest struct { - // Types of chats for which to return the notification settings information - Scope NotificationSettingsScope `json:"scope"` +type GetScopeNotificationSettingsRequest struct { + // Types of chats for which to return the notification settings information + Scope NotificationSettingsScope `json:"scope"` } // Returns the notification settings for chats of a given type func (client *Client) GetScopeNotificationSettings(req *GetScopeNotificationSettingsRequest) (*ScopeNotificationSettings, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getScopeNotificationSettings", - }, - Data: map[string]interface{}{ - "scope": req.Scope, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getScopeNotificationSettings", + }, + Data: map[string]interface{}{ + "scope": req.Scope, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalScopeNotificationSettings(result.Data) + return UnmarshalScopeNotificationSettings(result.Data) } -type SetScopeNotificationSettingsRequest struct { - // Types of chats for which to change the notification settings - Scope NotificationSettingsScope `json:"scope"` - // The new notification settings for the given scope - NotificationSettings *ScopeNotificationSettings `json:"notification_settings"` +type SetScopeNotificationSettingsRequest struct { + // Types of chats for which to change the notification settings + Scope NotificationSettingsScope `json:"scope"` + // The new notification settings for the given scope + NotificationSettings *ScopeNotificationSettings `json:"notification_settings"` } // Changes notification settings for chats of a given type func (client *Client) SetScopeNotificationSettings(req *SetScopeNotificationSettingsRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setScopeNotificationSettings", - }, - Data: map[string]interface{}{ - "scope": req.Scope, - "notification_settings": req.NotificationSettings, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setScopeNotificationSettings", + }, + Data: map[string]interface{}{ + "scope": req.Scope, + "notification_settings": req.NotificationSettings, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -// Resets all notification settings to their default values. By default, all chats are unmuted and message previews are shown +type SetReactionNotificationSettingsRequest struct { + // The new notification settings for reactions + NotificationSettings *ReactionNotificationSettings `json:"notification_settings"` +} + +// Changes notification settings for reactions +func (client *Client) SetReactionNotificationSettings(req *SetReactionNotificationSettingsRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setReactionNotificationSettings", + }, + Data: map[string]interface{}{ + "notification_settings": req.NotificationSettings, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +// Resets all chat and scope notification settings to their default values. By default, all chats are unmuted and message previews are shown func (client *Client) ResetAllNotificationSettings() (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "resetAllNotificationSettings", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "resetAllNotificationSettings", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type ToggleChatIsPinnedRequest struct { - // Chat list in which to change the pinned state of the chat - ChatList ChatList `json:"chat_list"` - // Chat identifier - ChatId int64 `json:"chat_id"` - // Pass true to pin the chat; pass false to unpin it - IsPinned bool `json:"is_pinned"` +type ToggleChatIsPinnedRequest struct { + // Chat list in which to change the pinned state of the chat + ChatList ChatList `json:"chat_list"` + // Chat identifier + ChatId int64 `json:"chat_id"` + // Pass true to pin the chat; pass false to unpin it + IsPinned bool `json:"is_pinned"` } // Changes the pinned state of a chat. There can be up to getOption("pinned_chat_count_max")/getOption("pinned_archived_chat_count_max") pinned non-secret chats and the same number of secret chats in the main/archive chat list. The limit can be increased with Telegram Premium func (client *Client) ToggleChatIsPinned(req *ToggleChatIsPinnedRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "toggleChatIsPinned", - }, - Data: map[string]interface{}{ - "chat_list": req.ChatList, - "chat_id": req.ChatId, - "is_pinned": req.IsPinned, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "toggleChatIsPinned", + }, + Data: map[string]interface{}{ + "chat_list": req.ChatList, + "chat_id": req.ChatId, + "is_pinned": req.IsPinned, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SetPinnedChatsRequest struct { - // Chat list in which to change the order of pinned chats - ChatList ChatList `json:"chat_list"` - // The new list of pinned chats - ChatIds []int64 `json:"chat_ids"` +type SetPinnedChatsRequest struct { + // Chat list in which to change the order of pinned chats + ChatList ChatList `json:"chat_list"` + // The new list of pinned chats + ChatIds []int64 `json:"chat_ids"` } // Changes the order of pinned chats func (client *Client) SetPinnedChats(req *SetPinnedChatsRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setPinnedChats", - }, - Data: map[string]interface{}{ - "chat_list": req.ChatList, - "chat_ids": req.ChatIds, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setPinnedChats", + }, + Data: map[string]interface{}{ + "chat_list": req.ChatList, + "chat_ids": req.ChatIds, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type GetAttachmentMenuBotRequest struct { - // Bot's user identifier - BotUserId int64 `json:"bot_user_id"` +type ReadChatListRequest struct { + // Chat list in which to mark all chats as read + ChatList ChatList `json:"chat_list"` } -// Returns information about a bot that can be added to attachment menu +// Traverses all chats in a chat list and marks all messages in the chats as read +func (client *Client) ReadChatList(req *ReadChatListRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "readChatList", + }, + Data: map[string]interface{}{ + "chat_list": req.ChatList, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type GetCurrentWeatherRequest struct { + // The location + Location *Location `json:"location"` +} + +// Returns the current weather in the given location +func (client *Client) GetCurrentWeather(req *GetCurrentWeatherRequest) (*CurrentWeather, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getCurrentWeather", + }, + Data: map[string]interface{}{ + "location": req.Location, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalCurrentWeather(result.Data) +} + +type GetStoryRequest struct { + // Identifier of the chat that posted the story + StoryPosterChatId int64 `json:"story_poster_chat_id"` + // Story identifier + StoryId int32 `json:"story_id"` + // Pass true to get only locally available information without sending network requests + OnlyLocal bool `json:"only_local"` +} + +// Returns a story +func (client *Client) GetStory(req *GetStoryRequest) (*Story, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getStory", + }, + Data: map[string]interface{}{ + "story_poster_chat_id": req.StoryPosterChatId, + "story_id": req.StoryId, + "only_local": req.OnlyLocal, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalStory(result.Data) +} + +// Returns supergroup and channel chats in which the current user has the right to post stories. The chats must be rechecked with canPostStory before actually trying to post a story there +func (client *Client) GetChatsToPostStories() (*Chats, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getChatsToPostStories", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalChats(result.Data) +} + +type CanPostStoryRequest struct { + // Chat identifier. Pass Saved Messages chat identifier when posting a story on behalf of the current user + ChatId int64 `json:"chat_id"` +} + +// Checks whether the current user can post a story on behalf of a chat; requires can_post_stories administrator right for supergroup and channel chats +func (client *Client) CanPostStory(req *CanPostStoryRequest) (CanPostStoryResult, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "canPostStory", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + switch result.Type { + case TypeCanPostStoryResultOk: + return UnmarshalCanPostStoryResultOk(result.Data) + + case TypeCanPostStoryResultPremiumNeeded: + return UnmarshalCanPostStoryResultPremiumNeeded(result.Data) + + case TypeCanPostStoryResultBoostNeeded: + return UnmarshalCanPostStoryResultBoostNeeded(result.Data) + + case TypeCanPostStoryResultActiveStoryLimitExceeded: + return UnmarshalCanPostStoryResultActiveStoryLimitExceeded(result.Data) + + case TypeCanPostStoryResultWeeklyLimitExceeded: + return UnmarshalCanPostStoryResultWeeklyLimitExceeded(result.Data) + + case TypeCanPostStoryResultMonthlyLimitExceeded: + return UnmarshalCanPostStoryResultMonthlyLimitExceeded(result.Data) + + case TypeCanPostStoryResultLiveStoryIsActive: + return UnmarshalCanPostStoryResultLiveStoryIsActive(result.Data) + + default: + return nil, errors.New("invalid type") + } +} + +type PostStoryRequest struct { + // Identifier of the chat that will post the story. Pass Saved Messages chat identifier when posting a story on behalf of the current user + ChatId int64 `json:"chat_id"` + // Content of the story + Content InputStoryContent `json:"content"` + // Clickable rectangle areas to be shown on the story media; pass null if none + Areas *InputStoryAreas `json:"areas"` + // Story caption; pass null to use an empty caption; 0-getOption("story_caption_length_max") characters; can have entities only if getOption("can_use_text_entities_in_story_caption") + Caption *FormattedText `json:"caption"` + // The privacy settings for the story; ignored for stories posted on behalf of supergroup and channel chats + PrivacySettings StoryPrivacySettings `json:"privacy_settings"` + // Identifiers of story albums to which the story will be added upon posting. An album can have up to getOption("story_album_size_max") stories + AlbumIds []int32 `json:"album_ids"` + // Period after which the story is moved to archive, in seconds; must be one of 6 * 3600, 12 * 3600, 86400, or 2 * 86400 for Telegram Premium users, and 86400 otherwise + ActivePeriod int32 `json:"active_period"` + // Full identifier of the original story, which content was used to create the story; pass null if the story isn't repost of another story + FromStoryFullId *StoryFullId `json:"from_story_full_id"` + // Pass true to keep the story accessible after expiration + IsPostedToChatPage bool `json:"is_posted_to_chat_page"` + // Pass true if the content of the story must be protected from forwarding and screenshotting + ProtectContent bool `json:"protect_content"` +} + +// Posts a new story on behalf of a chat; requires can_post_stories administrator right for supergroup and channel chats. Returns a temporary story +func (client *Client) PostStory(req *PostStoryRequest) (*Story, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "postStory", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "content": req.Content, + "areas": req.Areas, + "caption": req.Caption, + "privacy_settings": req.PrivacySettings, + "album_ids": req.AlbumIds, + "active_period": req.ActivePeriod, + "from_story_full_id": req.FromStoryFullId, + "is_posted_to_chat_page": req.IsPostedToChatPage, + "protect_content": req.ProtectContent, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalStory(result.Data) +} + +type StartLiveStoryRequest struct { + // Identifier of the chat that will start the live story. Pass Saved Messages chat identifier when starting a live story on behalf of the current user, or a channel chat identifier + ChatId int64 `json:"chat_id"` + // The privacy settings for the story; ignored for stories posted on behalf of channel chats + PrivacySettings StoryPrivacySettings `json:"privacy_settings"` + // Pass true if the content of the story must be protected from screenshotting + ProtectContent bool `json:"protect_content"` + // Pass true to create an RTMP stream instead of an ordinary group call + IsRtmpStream bool `json:"is_rtmp_stream"` + // Pass true to allow viewers of the story to send messages + EnableMessages bool `json:"enable_messages"` + // The minimum number of Telegram Stars that must be paid by viewers for each sent message to the call; 0-getOption("paid_group_call_message_star_count_max") + PaidMessageStarCount int64 `json:"paid_message_star_count"` +} + +// Starts a new live story on behalf of a chat; requires can_post_stories administrator right for channel chats +func (client *Client) StartLiveStory(req *StartLiveStoryRequest) (StartLiveStoryResult, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "startLiveStory", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "privacy_settings": req.PrivacySettings, + "protect_content": req.ProtectContent, + "is_rtmp_stream": req.IsRtmpStream, + "enable_messages": req.EnableMessages, + "paid_message_star_count": req.PaidMessageStarCount, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + switch result.Type { + case TypeStartLiveStoryResultOk: + return UnmarshalStartLiveStoryResultOk(result.Data) + + case TypeStartLiveStoryResultFail: + return UnmarshalStartLiveStoryResultFail(result.Data) + + default: + return nil, errors.New("invalid type") + } +} + +type EditStoryRequest struct { + // Identifier of the chat that posted the story + StoryPosterChatId int64 `json:"story_poster_chat_id"` + // Identifier of the story to edit + StoryId int32 `json:"story_id"` + // New content of the story; pass null to keep the current content + Content InputStoryContent `json:"content"` + // New clickable rectangle areas to be shown on the story media; pass null to keep the current areas. Areas can't be edited if story content isn't changed + Areas *InputStoryAreas `json:"areas"` + // New story caption; pass null to keep the current caption + Caption *FormattedText `json:"caption"` +} + +// Changes content and caption of a story. Can be called only if story.can_be_edited == true +func (client *Client) EditStory(req *EditStoryRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "editStory", + }, + Data: map[string]interface{}{ + "story_poster_chat_id": req.StoryPosterChatId, + "story_id": req.StoryId, + "content": req.Content, + "areas": req.Areas, + "caption": req.Caption, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type EditStoryCoverRequest struct { + // Identifier of the chat that posted the story + StoryPosterChatId int64 `json:"story_poster_chat_id"` + // Identifier of the story to edit + StoryId int32 `json:"story_id"` + // New timestamp of the frame, which will be used as video thumbnail + CoverFrameTimestamp float64 `json:"cover_frame_timestamp"` +} + +// Changes cover of a video story. Can be called only if story.can_be_edited == true and the story isn't being edited now +func (client *Client) EditStoryCover(req *EditStoryCoverRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "editStoryCover", + }, + Data: map[string]interface{}{ + "story_poster_chat_id": req.StoryPosterChatId, + "story_id": req.StoryId, + "cover_frame_timestamp": req.CoverFrameTimestamp, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SetStoryPrivacySettingsRequest struct { + // Identifier of the story + StoryId int32 `json:"story_id"` + // The new privacy settings for the story + PrivacySettings StoryPrivacySettings `json:"privacy_settings"` +} + +// Changes privacy settings of a story. The method can be called only for stories posted on behalf of the current user and if story.can_set_privacy_settings == true +func (client *Client) SetStoryPrivacySettings(req *SetStoryPrivacySettingsRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setStoryPrivacySettings", + }, + Data: map[string]interface{}{ + "story_id": req.StoryId, + "privacy_settings": req.PrivacySettings, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type ToggleStoryIsPostedToChatPageRequest struct { + // Identifier of the chat that posted the story + StoryPosterChatId int64 `json:"story_poster_chat_id"` + // Identifier of the story + StoryId int32 `json:"story_id"` + // Pass true to make the story accessible after expiration; pass false to make it private + IsPostedToChatPage bool `json:"is_posted_to_chat_page"` +} + +// Toggles whether a story is accessible after expiration. Can be called only if story.can_toggle_is_posted_to_chat_page == true +func (client *Client) ToggleStoryIsPostedToChatPage(req *ToggleStoryIsPostedToChatPageRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "toggleStoryIsPostedToChatPage", + }, + Data: map[string]interface{}{ + "story_poster_chat_id": req.StoryPosterChatId, + "story_id": req.StoryId, + "is_posted_to_chat_page": req.IsPostedToChatPage, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type DeleteStoryRequest struct { + // Identifier of the chat that posted the story + StoryPosterChatId int64 `json:"story_poster_chat_id"` + // Identifier of the story to delete + StoryId int32 `json:"story_id"` +} + +// Deletes a previously posted story. Can be called only if story.can_be_deleted == true +func (client *Client) DeleteStory(req *DeleteStoryRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "deleteStory", + }, + Data: map[string]interface{}{ + "story_poster_chat_id": req.StoryPosterChatId, + "story_id": req.StoryId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +// Returns the list of chats with non-default notification settings for stories +func (client *Client) GetStoryNotificationSettingsExceptions() (*Chats, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getStoryNotificationSettingsExceptions", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalChats(result.Data) +} + +type LoadActiveStoriesRequest struct { + // The story list in which to load active stories + StoryList StoryList `json:"story_list"` +} + +// Loads more active stories from a story list. The loaded stories will be sent through updates. Active stories are sorted by the pair (active_stories.order, active_stories.story_poster_chat_id) in descending order. Returns a 404 error if all active stories have been loaded +func (client *Client) LoadActiveStories(req *LoadActiveStoriesRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "loadActiveStories", + }, + Data: map[string]interface{}{ + "story_list": req.StoryList, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SetChatActiveStoriesListRequest struct { + // Identifier of the chat that posted stories + ChatId int64 `json:"chat_id"` + // New list for active stories posted by the chat + StoryList StoryList `json:"story_list"` +} + +// Changes story list in which stories from the chat are shown +func (client *Client) SetChatActiveStoriesList(req *SetChatActiveStoriesListRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setChatActiveStoriesList", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "story_list": req.StoryList, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type GetChatActiveStoriesRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` +} + +// Returns the list of active stories posted by the given chat +func (client *Client) GetChatActiveStories(req *GetChatActiveStoriesRequest) (*ChatActiveStories, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getChatActiveStories", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalChatActiveStories(result.Data) +} + +type GetChatPostedToChatPageStoriesRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Identifier of the story starting from which stories must be returned; use 0 to get results from pinned and the newest story + FromStoryId int32 `json:"from_story_id"` + // The maximum number of stories to be returned. For optimal performance, the number of returned stories is chosen by TDLib and can be smaller than the specified limit + Limit int32 `json:"limit"` +} + +// Returns the list of stories that posted by the given chat to its chat page. If from_story_id == 0, then pinned stories are returned first. Then, stories are returned in reverse chronological order (i.e., in order of decreasing story_id). For optimal performance, the number of returned stories is chosen by TDLib +func (client *Client) GetChatPostedToChatPageStories(req *GetChatPostedToChatPageStoriesRequest) (*Stories, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getChatPostedToChatPageStories", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "from_story_id": req.FromStoryId, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalStories(result.Data) +} + +type GetChatArchivedStoriesRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Identifier of the story starting from which stories must be returned; use 0 to get results from the last story + FromStoryId int32 `json:"from_story_id"` + // The maximum number of stories to be returned. For optimal performance, the number of returned stories is chosen by TDLib and can be smaller than the specified limit + Limit int32 `json:"limit"` +} + +// Returns the list of all stories posted by the given chat; requires can_edit_stories administrator right in the chat. The stories are returned in reverse chronological order (i.e., in order of decreasing story_id). For optimal performance, the number of returned stories is chosen by TDLib +func (client *Client) GetChatArchivedStories(req *GetChatArchivedStoriesRequest) (*Stories, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getChatArchivedStories", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "from_story_id": req.FromStoryId, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalStories(result.Data) +} + +type SetChatPinnedStoriesRequest struct { + // Identifier of the chat that posted the stories + ChatId int64 `json:"chat_id"` + // New list of pinned stories. All stories must be posted to the chat page first. There can be up to getOption("pinned_story_count_max") pinned stories on a chat page + StoryIds []int32 `json:"story_ids"` +} + +// Changes the list of pinned stories on a chat page; requires can_edit_stories administrator right in the chat +func (client *Client) SetChatPinnedStories(req *SetChatPinnedStoriesRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setChatPinnedStories", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "story_ids": req.StoryIds, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type OpenStoryRequest struct { + // The identifier of the chat that posted the opened story + StoryPosterChatId int64 `json:"story_poster_chat_id"` + // The identifier of the story + StoryId int32 `json:"story_id"` +} + +// Informs TDLib that a story is opened and is being viewed by the user +func (client *Client) OpenStory(req *OpenStoryRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "openStory", + }, + Data: map[string]interface{}{ + "story_poster_chat_id": req.StoryPosterChatId, + "story_id": req.StoryId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type CloseStoryRequest struct { + // The identifier of the poster of the story to close + StoryPosterChatId int64 `json:"story_poster_chat_id"` + // The identifier of the story + StoryId int32 `json:"story_id"` +} + +// Informs TDLib that a story is closed by the user +func (client *Client) CloseStory(req *CloseStoryRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "closeStory", + }, + Data: map[string]interface{}{ + "story_poster_chat_id": req.StoryPosterChatId, + "story_id": req.StoryId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type GetStoryAvailableReactionsRequest struct { + // Number of reaction per row, 5-25 + RowSize int32 `json:"row_size"` +} + +// Returns reactions, which can be chosen for a story +func (client *Client) GetStoryAvailableReactions(req *GetStoryAvailableReactionsRequest) (*AvailableReactions, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getStoryAvailableReactions", + }, + Data: map[string]interface{}{ + "row_size": req.RowSize, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalAvailableReactions(result.Data) +} + +type SetStoryReactionRequest struct { + // The identifier of the poster of the story + StoryPosterChatId int64 `json:"story_poster_chat_id"` + // The identifier of the story + StoryId int32 `json:"story_id"` + // Type of the reaction to set; pass null to remove the reaction. Custom emoji reactions can be used only by Telegram Premium users. Paid reactions can't be set + ReactionType ReactionType `json:"reaction_type"` + // Pass true if the reaction needs to be added to recent reactions + UpdateRecentReactions bool `json:"update_recent_reactions"` +} + +// Changes chosen reaction on a story that has already been sent; not supported for live stories +func (client *Client) SetStoryReaction(req *SetStoryReactionRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setStoryReaction", + }, + Data: map[string]interface{}{ + "story_poster_chat_id": req.StoryPosterChatId, + "story_id": req.StoryId, + "reaction_type": req.ReactionType, + "update_recent_reactions": req.UpdateRecentReactions, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type GetStoryInteractionsRequest struct { + // Story identifier + StoryId int32 `json:"story_id"` + // Query to search for in names, usernames and titles; may be empty to get all relevant interactions + Query string `json:"query"` + // Pass true to get only interactions by contacts; pass false to get all relevant interactions + OnlyContacts bool `json:"only_contacts"` + // Pass true to get forwards and reposts first, then reactions, then other views; pass false to get interactions sorted just by interaction date + PreferForwards bool `json:"prefer_forwards"` + // Pass true to get interactions with reaction first; pass false to get interactions sorted just by interaction date. Ignored if prefer_forwards == true + PreferWithReaction bool `json:"prefer_with_reaction"` + // Offset of the first entry to return as received from the previous request; use empty string to get the first chunk of results + Offset string `json:"offset"` + // The maximum number of story interactions to return + Limit int32 `json:"limit"` +} + +// Returns interactions with a story. The method can be called only for stories posted on behalf of the current user +func (client *Client) GetStoryInteractions(req *GetStoryInteractionsRequest) (*StoryInteractions, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getStoryInteractions", + }, + Data: map[string]interface{}{ + "story_id": req.StoryId, + "query": req.Query, + "only_contacts": req.OnlyContacts, + "prefer_forwards": req.PreferForwards, + "prefer_with_reaction": req.PreferWithReaction, + "offset": req.Offset, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalStoryInteractions(result.Data) +} + +type GetChatStoryInteractionsRequest struct { + // The identifier of the poster of the story + StoryPosterChatId int64 `json:"story_poster_chat_id"` + // Story identifier + StoryId int32 `json:"story_id"` + // Pass the default heart reaction or a suggested reaction type to receive only interactions with the specified reaction type; pass null to receive all interactions; reactionTypePaid isn't supported + ReactionType ReactionType `json:"reaction_type"` + // Pass true to get forwards and reposts first, then reactions, then other views; pass false to get interactions sorted just by interaction date + PreferForwards bool `json:"prefer_forwards"` + // Offset of the first entry to return as received from the previous request; use empty string to get the first chunk of results + Offset string `json:"offset"` + // The maximum number of story interactions to return + Limit int32 `json:"limit"` +} + +// Returns interactions with a story posted in a chat. Can be used only if story is posted on behalf of a chat and the user is an administrator in the chat +func (client *Client) GetChatStoryInteractions(req *GetChatStoryInteractionsRequest) (*StoryInteractions, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getChatStoryInteractions", + }, + Data: map[string]interface{}{ + "story_poster_chat_id": req.StoryPosterChatId, + "story_id": req.StoryId, + "reaction_type": req.ReactionType, + "prefer_forwards": req.PreferForwards, + "offset": req.Offset, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalStoryInteractions(result.Data) +} + +type ReportStoryRequest struct { + // The identifier of the poster of the story to report + StoryPosterChatId int64 `json:"story_poster_chat_id"` + // The identifier of the story to report + StoryId int32 `json:"story_id"` + // Option identifier chosen by the user; leave empty for the initial request + OptionId []byte `json:"option_id"` + // Additional report details; 0-1024 characters; leave empty for the initial request + Text string `json:"text"` +} + +// Reports a story to the Telegram moderators +func (client *Client) ReportStory(req *ReportStoryRequest) (ReportStoryResult, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "reportStory", + }, + Data: map[string]interface{}{ + "story_poster_chat_id": req.StoryPosterChatId, + "story_id": req.StoryId, + "option_id": req.OptionId, + "text": req.Text, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + switch result.Type { + case TypeReportStoryResultOk: + return UnmarshalReportStoryResultOk(result.Data) + + case TypeReportStoryResultOptionRequired: + return UnmarshalReportStoryResultOptionRequired(result.Data) + + case TypeReportStoryResultTextRequired: + return UnmarshalReportStoryResultTextRequired(result.Data) + + default: + return nil, errors.New("invalid type") + } +} + +// Activates stealth mode for stories, which hides all views of stories from the current user in the last "story_stealth_mode_past_period" seconds and for the next "story_stealth_mode_future_period" seconds; for Telegram Premium users only +func (client *Client) ActivateStoryStealthMode() (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "activateStoryStealthMode", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type GetStoryPublicForwardsRequest struct { + // The identifier of the poster of the story + StoryPosterChatId int64 `json:"story_poster_chat_id"` + // The identifier of the story + StoryId int32 `json:"story_id"` + // Offset of the first entry to return as received from the previous request; use empty string to get the first chunk of results + Offset string `json:"offset"` + // The maximum number of messages and stories to be returned; must be positive and can't be greater than 100. For optimal performance, the number of returned objects is chosen by TDLib and can be smaller than the specified limit + Limit int32 `json:"limit"` +} + +// Returns forwards of a story as a message to public chats and reposts by public channels. Can be used only if the story is posted on behalf of the current user or story.can_get_statistics == true. For optimal performance, the number of returned messages and stories is chosen by TDLib +func (client *Client) GetStoryPublicForwards(req *GetStoryPublicForwardsRequest) (*PublicForwards, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getStoryPublicForwards", + }, + Data: map[string]interface{}{ + "story_poster_chat_id": req.StoryPosterChatId, + "story_id": req.StoryId, + "offset": req.Offset, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalPublicForwards(result.Data) +} + +type GetChatStoryAlbumsRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` +} + +// Returns the list of story albums owned by the given chat +func (client *Client) GetChatStoryAlbums(req *GetChatStoryAlbumsRequest) (*StoryAlbums, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getChatStoryAlbums", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalStoryAlbums(result.Data) +} + +type GetStoryAlbumStoriesRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Story album identifier + StoryAlbumId int32 `json:"story_album_id"` + // Offset of the first entry to return; use 0 to get results from the first album story + Offset int32 `json:"offset"` + // The maximum number of stories to be returned. For optimal performance, the number of returned stories is chosen by TDLib and can be smaller than the specified limit + Limit int32 `json:"limit"` +} + +// Returns the list of stories added to the given story album. For optimal performance, the number of returned stories is chosen by TDLib +func (client *Client) GetStoryAlbumStories(req *GetStoryAlbumStoriesRequest) (*Stories, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getStoryAlbumStories", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "story_album_id": req.StoryAlbumId, + "offset": req.Offset, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalStories(result.Data) +} + +type CreateStoryAlbumRequest struct { + // Identifier of the chat that posted the stories + StoryPosterChatId int64 `json:"story_poster_chat_id"` + // Name of the album; 1-12 characters + Name string `json:"name"` + // Identifiers of stories to add to the album; 0-getOption("story_album_size_max") identifiers + StoryIds []int32 `json:"story_ids"` +} + +// Creates an album of stories; requires can_edit_stories administrator right for supergroup and channel chats +func (client *Client) CreateStoryAlbum(req *CreateStoryAlbumRequest) (*StoryAlbum, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "createStoryAlbum", + }, + Data: map[string]interface{}{ + "story_poster_chat_id": req.StoryPosterChatId, + "name": req.Name, + "story_ids": req.StoryIds, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalStoryAlbum(result.Data) +} + +type ReorderStoryAlbumsRequest struct { + // Identifier of the chat that owns the stories + ChatId int64 `json:"chat_id"` + // New order of story albums + StoryAlbumIds []int32 `json:"story_album_ids"` +} + +// Changes order of story albums. If the albums are owned by a supergroup or a channel chat, then requires can_edit_stories administrator right in the chat +func (client *Client) ReorderStoryAlbums(req *ReorderStoryAlbumsRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "reorderStoryAlbums", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "story_album_ids": req.StoryAlbumIds, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type DeleteStoryAlbumRequest struct { + // Identifier of the chat that owns the stories + ChatId int64 `json:"chat_id"` + // Identifier of the story album + StoryAlbumId int32 `json:"story_album_id"` +} + +// Deletes a story album. If the album is owned by a supergroup or a channel chat, then requires can_edit_stories administrator right in the chat +func (client *Client) DeleteStoryAlbum(req *DeleteStoryAlbumRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "deleteStoryAlbum", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "story_album_id": req.StoryAlbumId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SetStoryAlbumNameRequest struct { + // Identifier of the chat that owns the stories + ChatId int64 `json:"chat_id"` + // Identifier of the story album + StoryAlbumId int32 `json:"story_album_id"` + // New name of the album; 1-12 characters + Name string `json:"name"` +} + +// Changes name of an album of stories. If the album is owned by a supergroup or a channel chat, then requires can_edit_stories administrator right in the chat. Returns the changed album +func (client *Client) SetStoryAlbumName(req *SetStoryAlbumNameRequest) (*StoryAlbum, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setStoryAlbumName", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "story_album_id": req.StoryAlbumId, + "name": req.Name, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalStoryAlbum(result.Data) +} + +type AddStoryAlbumStoriesRequest struct { + // Identifier of the chat that owns the stories + ChatId int64 `json:"chat_id"` + // Identifier of the story album + StoryAlbumId int32 `json:"story_album_id"` + // Identifier of the stories to add to the album; 1-getOption("story_album_size_max") identifiers. If after addition the album has more than getOption("story_album_size_max") stories, then the last one are removed from the album + StoryIds []int32 `json:"story_ids"` +} + +// Adds stories to the beginning of a previously created story album. If the album is owned by a supergroup or a channel chat, then requires can_edit_stories administrator right in the chat. Returns the changed album +func (client *Client) AddStoryAlbumStories(req *AddStoryAlbumStoriesRequest) (*StoryAlbum, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "addStoryAlbumStories", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "story_album_id": req.StoryAlbumId, + "story_ids": req.StoryIds, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalStoryAlbum(result.Data) +} + +type RemoveStoryAlbumStoriesRequest struct { + // Identifier of the chat that owns the stories + ChatId int64 `json:"chat_id"` + // Identifier of the story album + StoryAlbumId int32 `json:"story_album_id"` + // Identifier of the stories to remove from the album + StoryIds []int32 `json:"story_ids"` +} + +// Removes stories from an album. If the album is owned by a supergroup or a channel chat, then requires can_edit_stories administrator right in the chat. Returns the changed album +func (client *Client) RemoveStoryAlbumStories(req *RemoveStoryAlbumStoriesRequest) (*StoryAlbum, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "removeStoryAlbumStories", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "story_album_id": req.StoryAlbumId, + "story_ids": req.StoryIds, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalStoryAlbum(result.Data) +} + +type ReorderStoryAlbumStoriesRequest struct { + // Identifier of the chat that owns the stories + ChatId int64 `json:"chat_id"` + // Identifier of the story album + StoryAlbumId int32 `json:"story_album_id"` + // Identifier of the stories to move to the beginning of the album. All other stories are placed in the current order after the specified stories + StoryIds []int32 `json:"story_ids"` +} + +// Changes order of stories in an album. If the album is owned by a supergroup or a channel chat, then requires can_edit_stories administrator right in the chat. Returns the changed album +func (client *Client) ReorderStoryAlbumStories(req *ReorderStoryAlbumStoriesRequest) (*StoryAlbum, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "reorderStoryAlbumStories", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "story_album_id": req.StoryAlbumId, + "story_ids": req.StoryIds, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalStoryAlbum(result.Data) +} + +type GetChatBoostLevelFeaturesRequest struct { + // Pass true to get the list of features for channels; pass false to get the list of features for supergroups + IsChannel bool `json:"is_channel"` + // Chat boost level + Level int32 `json:"level"` +} + +// Returns the list of features available on the specific chat boost level. This is an offline method +func (client *Client) GetChatBoostLevelFeatures(req *GetChatBoostLevelFeaturesRequest) (*ChatBoostLevelFeatures, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getChatBoostLevelFeatures", + }, + Data: map[string]interface{}{ + "is_channel": req.IsChannel, + "level": req.Level, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalChatBoostLevelFeatures(result.Data) +} + +type GetChatBoostFeaturesRequest struct { + // Pass true to get the list of features for channels; pass false to get the list of features for supergroups + IsChannel bool `json:"is_channel"` +} + +// Returns the list of features available for different chat boost levels. This is an offline method +func (client *Client) GetChatBoostFeatures(req *GetChatBoostFeaturesRequest) (*ChatBoostFeatures, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getChatBoostFeatures", + }, + Data: map[string]interface{}{ + "is_channel": req.IsChannel, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalChatBoostFeatures(result.Data) +} + +// Returns the list of available chat boost slots for the current user +func (client *Client) GetAvailableChatBoostSlots() (*ChatBoostSlots, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getAvailableChatBoostSlots", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalChatBoostSlots(result.Data) +} + +type GetChatBoostStatusRequest struct { + // Identifier of the chat + ChatId int64 `json:"chat_id"` +} + +// Returns the current boost status for a supergroup or a channel chat +func (client *Client) GetChatBoostStatus(req *GetChatBoostStatusRequest) (*ChatBoostStatus, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getChatBoostStatus", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalChatBoostStatus(result.Data) +} + +type BoostChatRequest struct { + // Identifier of the chat + ChatId int64 `json:"chat_id"` + // Identifiers of boost slots of the current user from which to apply boosts to the chat + SlotIds []int32 `json:"slot_ids"` +} + +// Boosts a chat and returns the list of available chat boost slots for the current user after the boost +func (client *Client) BoostChat(req *BoostChatRequest) (*ChatBoostSlots, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "boostChat", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "slot_ids": req.SlotIds, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalChatBoostSlots(result.Data) +} + +type GetChatBoostLinkRequest struct { + // Identifier of the chat + ChatId int64 `json:"chat_id"` +} + +// Returns an HTTPS link to boost the specified supergroup or channel chat +func (client *Client) GetChatBoostLink(req *GetChatBoostLinkRequest) (*ChatBoostLink, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getChatBoostLink", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalChatBoostLink(result.Data) +} + +type GetChatBoostLinkInfoRequest struct { + // The link to boost a chat + Url string `json:"url"` +} + +// Returns information about a link to boost a chat. Can be called for any internal link of the type internalLinkTypeChatBoost +func (client *Client) GetChatBoostLinkInfo(req *GetChatBoostLinkInfoRequest) (*ChatBoostLinkInfo, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getChatBoostLinkInfo", + }, + Data: map[string]interface{}{ + "url": req.Url, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalChatBoostLinkInfo(result.Data) +} + +type GetChatBoostsRequest struct { + // Identifier of the chat + ChatId int64 `json:"chat_id"` + // Pass true to receive only boosts received from gift codes and giveaways created by the chat + OnlyGiftCodes bool `json:"only_gift_codes"` + // Offset of the first entry to return as received from the previous request; use empty string to get the first chunk of results + Offset string `json:"offset"` + // The maximum number of boosts to be returned; up to 100. For optimal performance, the number of returned boosts can be smaller than the specified limit + Limit int32 `json:"limit"` +} + +// Returns the list of boosts applied to a chat; requires administrator rights in the chat +func (client *Client) GetChatBoosts(req *GetChatBoostsRequest) (*FoundChatBoosts, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getChatBoosts", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "only_gift_codes": req.OnlyGiftCodes, + "offset": req.Offset, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalFoundChatBoosts(result.Data) +} + +type GetUserChatBoostsRequest struct { + // Identifier of the chat + ChatId int64 `json:"chat_id"` + // Identifier of the user + UserId int64 `json:"user_id"` +} + +// Returns the list of boosts applied to a chat by a given user; requires administrator rights in the chat; for bots only +func (client *Client) GetUserChatBoosts(req *GetUserChatBoostsRequest) (*FoundChatBoosts, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getUserChatBoosts", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "user_id": req.UserId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalFoundChatBoosts(result.Data) +} + +type GetAttachmentMenuBotRequest struct { + // Bot's user identifier + BotUserId int64 `json:"bot_user_id"` +} + +// Returns information about a bot that can be added to attachment or side menu func (client *Client) GetAttachmentMenuBot(req *GetAttachmentMenuBotRequest) (*AttachmentMenuBot, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getAttachmentMenuBot", - }, - Data: map[string]interface{}{ - "bot_user_id": req.BotUserId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getAttachmentMenuBot", + }, + Data: map[string]interface{}{ + "bot_user_id": req.BotUserId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalAttachmentMenuBot(result.Data) + return UnmarshalAttachmentMenuBot(result.Data) } -type ToggleBotIsAddedToAttachmentMenuRequest struct { - // Bot's user identifier - BotUserId int64 `json:"bot_user_id"` - // Pass true to add the bot to attachment menu; pass false to remove the bot from attachment menu - IsAdded bool `json:"is_added"` - // Pass true if the current user allowed the bot to send them messages. Ignored if is_added is false - AllowWriteAccess bool `json:"allow_write_access"` +type ToggleBotIsAddedToAttachmentMenuRequest struct { + // Bot's user identifier + BotUserId int64 `json:"bot_user_id"` + // Pass true to add the bot to attachment menu; pass false to remove the bot from attachment menu + IsAdded bool `json:"is_added"` + // Pass true if the current user allowed the bot to send them messages. Ignored if is_added is false + AllowWriteAccess bool `json:"allow_write_access"` } -// Adds or removes a bot to attachment menu. Bot can be added to attachment menu, only if userTypeBot.can_be_added_to_attachment_menu == true +// Adds or removes a bot to attachment and side menu. Bot can be added to the menu, only if userTypeBot.can_be_added_to_attachment_menu == true func (client *Client) ToggleBotIsAddedToAttachmentMenu(req *ToggleBotIsAddedToAttachmentMenuRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "toggleBotIsAddedToAttachmentMenu", - }, - Data: map[string]interface{}{ - "bot_user_id": req.BotUserId, - "is_added": req.IsAdded, - "allow_write_access": req.AllowWriteAccess, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "toggleBotIsAddedToAttachmentMenu", + }, + Data: map[string]interface{}{ + "bot_user_id": req.BotUserId, + "is_added": req.IsAdded, + "allow_write_access": req.AllowWriteAccess, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -// Returns up to 8 emoji statuses, which must be shown right after the default Premium Badge in the emoji status list -func (client *Client) GetThemedEmojiStatuses() (*EmojiStatuses, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getThemedEmojiStatuses", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } +// Returns up to 8 emoji statuses, which must be shown right after the default Premium Badge in the emoji status list for self status +func (client *Client) GetThemedEmojiStatuses() (*EmojiStatusCustomEmojis, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getThemedEmojiStatuses", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalEmojiStatuses(result.Data) + return UnmarshalEmojiStatusCustomEmojis(result.Data) } -// Returns recent emoji statuses +// Returns recent emoji statuses for self status func (client *Client) GetRecentEmojiStatuses() (*EmojiStatuses, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getRecentEmojiStatuses", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getRecentEmojiStatuses", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalEmojiStatuses(result.Data) + return UnmarshalEmojiStatuses(result.Data) } -// Returns default emoji statuses -func (client *Client) GetDefaultEmojiStatuses() (*EmojiStatuses, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getDefaultEmojiStatuses", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } +// Returns available upgraded gift emoji statuses for self status +func (client *Client) GetUpgradedGiftEmojiStatuses() (*EmojiStatuses, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getUpgradedGiftEmojiStatuses", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalEmojiStatuses(result.Data) + return UnmarshalEmojiStatuses(result.Data) } -// Clears the list of recently used emoji statuses +// Returns default emoji statuses for self status +func (client *Client) GetDefaultEmojiStatuses() (*EmojiStatusCustomEmojis, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getDefaultEmojiStatuses", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalEmojiStatusCustomEmojis(result.Data) +} + +// Clears the list of recently used emoji statuses for self status func (client *Client) ClearRecentEmojiStatuses() (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "clearRecentEmojiStatuses", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "clearRecentEmojiStatuses", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type DownloadFileRequest struct { - // Identifier of the file to download - FileId int32 `json:"file_id"` - // Priority of the download (1-32). The higher the priority, the earlier the file will be downloaded. If the priorities of two files are equal, then the last one for which downloadFile/addFileToDownloads was called will be downloaded first - Priority int32 `json:"priority"` - // The starting position from which the file needs to be downloaded - Offset int64 `json:"offset"` - // Number of bytes which need to be downloaded starting from the "offset" position before the download will automatically be canceled; use 0 to download without a limit - Limit int64 `json:"limit"` - // Pass true to return response only after the file download has succeeded, has failed, has been canceled, or a new downloadFile request with different offset/limit parameters was sent; pass false to return file state immediately, just after the download has been started - Synchronous bool `json:"synchronous"` +// Returns up to 8 emoji statuses, which must be shown in the emoji status list for chats +func (client *Client) GetThemedChatEmojiStatuses() (*EmojiStatusCustomEmojis, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getThemedChatEmojiStatuses", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalEmojiStatusCustomEmojis(result.Data) +} + +// Returns default emoji statuses for chats +func (client *Client) GetDefaultChatEmojiStatuses() (*EmojiStatusCustomEmojis, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getDefaultChatEmojiStatuses", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalEmojiStatusCustomEmojis(result.Data) +} + +// Returns the list of emoji statuses, which can't be used as chat emoji status, even if they are from a sticker set with is_allowed_as_chat_emoji_status == true +func (client *Client) GetDisallowedChatEmojiStatuses() (*EmojiStatusCustomEmojis, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getDisallowedChatEmojiStatuses", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalEmojiStatusCustomEmojis(result.Data) +} + +type DownloadFileRequest struct { + // Identifier of the file to download + FileId int32 `json:"file_id"` + // Priority of the download (1-32). The higher the priority, the earlier the file will be downloaded. If the priorities of two files are equal, then the last one for which downloadFile/addFileToDownloads was called will be downloaded first + Priority int32 `json:"priority"` + // The starting position from which the file needs to be downloaded + Offset int64 `json:"offset"` + // Number of bytes which need to be downloaded starting from the "offset" position before the download will automatically be canceled; use 0 to download without a limit + Limit int64 `json:"limit"` + // Pass true to return response only after the file download has succeeded, has failed, has been canceled, or a new downloadFile request with different offset/limit parameters was sent; pass false to return file state immediately, just after the download has been started + Synchronous bool `json:"synchronous"` } // Downloads a file from the cloud. Download progress and completion of the download will be notified through updateFile updates func (client *Client) DownloadFile(req *DownloadFileRequest) (*File, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "downloadFile", - }, - Data: map[string]interface{}{ - "file_id": req.FileId, - "priority": req.Priority, - "offset": req.Offset, - "limit": req.Limit, - "synchronous": req.Synchronous, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "downloadFile", + }, + Data: map[string]interface{}{ + "file_id": req.FileId, + "priority": req.Priority, + "offset": req.Offset, + "limit": req.Limit, + "synchronous": req.Synchronous, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalFile(result.Data) + return UnmarshalFile(result.Data) } -type GetFileDownloadedPrefixSizeRequest struct { - // Identifier of the file - FileId int32 `json:"file_id"` - // Offset from which downloaded prefix size needs to be calculated - Offset int64 `json:"offset"` +type GetFileDownloadedPrefixSizeRequest struct { + // Identifier of the file + FileId int32 `json:"file_id"` + // Offset from which downloaded prefix size needs to be calculated + Offset int64 `json:"offset"` } // Returns file downloaded prefix size from a given offset, in bytes func (client *Client) GetFileDownloadedPrefixSize(req *GetFileDownloadedPrefixSizeRequest) (*FileDownloadedPrefixSize, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getFileDownloadedPrefixSize", - }, - Data: map[string]interface{}{ - "file_id": req.FileId, - "offset": req.Offset, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getFileDownloadedPrefixSize", + }, + Data: map[string]interface{}{ + "file_id": req.FileId, + "offset": req.Offset, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalFileDownloadedPrefixSize(result.Data) + return UnmarshalFileDownloadedPrefixSize(result.Data) } -type CancelDownloadFileRequest struct { - // Identifier of a file to stop downloading - FileId int32 `json:"file_id"` - // Pass true to stop downloading only if it hasn't been started, i.e. request hasn't been sent to server - OnlyIfPending bool `json:"only_if_pending"` +type CancelDownloadFileRequest struct { + // Identifier of a file to stop downloading + FileId int32 `json:"file_id"` + // Pass true to stop downloading only if it hasn't been started, i.e. request hasn't been sent to server + OnlyIfPending bool `json:"only_if_pending"` } // Stops the downloading of a file. If a file has already been downloaded, does nothing func (client *Client) CancelDownloadFile(req *CancelDownloadFileRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "cancelDownloadFile", - }, - Data: map[string]interface{}{ - "file_id": req.FileId, - "only_if_pending": req.OnlyIfPending, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "cancelDownloadFile", + }, + Data: map[string]interface{}{ + "file_id": req.FileId, + "only_if_pending": req.OnlyIfPending, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type GetSuggestedFileNameRequest struct { - // Identifier of the file - FileId int32 `json:"file_id"` - // Directory in which the file is supposed to be saved - Directory string `json:"directory"` +type GetSuggestedFileNameRequest struct { + // Identifier of the file + FileId int32 `json:"file_id"` + // Directory in which the file is expected to be saved + Directory string `json:"directory"` } // Returns suggested name for saving a file in a given directory func (client *Client) GetSuggestedFileName(req *GetSuggestedFileNameRequest) (*Text, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getSuggestedFileName", - }, - Data: map[string]interface{}{ - "file_id": req.FileId, - "directory": req.Directory, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getSuggestedFileName", + }, + Data: map[string]interface{}{ + "file_id": req.FileId, + "directory": req.Directory, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalText(result.Data) + return UnmarshalText(result.Data) } -type PreliminaryUploadFileRequest struct { - // File to upload - File InputFile `json:"file"` - // File type; pass null if unknown - FileType FileType `json:"file_type"` - // Priority of the upload (1-32). The higher the priority, the earlier the file will be uploaded. If the priorities of two files are equal, then the first one for which preliminaryUploadFile was called will be uploaded first - Priority int32 `json:"priority"` +type PreliminaryUploadFileRequest struct { + // File to upload + File InputFile `json:"file"` + // File type; pass null if unknown + FileType FileType `json:"file_type"` + // Priority of the upload (1-32). The higher the priority, the earlier the file will be uploaded. If the priorities of two files are equal, then the first one for which preliminaryUploadFile was called will be uploaded first + Priority int32 `json:"priority"` } -// Preliminary uploads a file to the cloud before sending it in a message, which can be useful for uploading of being recorded voice and video notes. Updates updateFile will be used to notify about upload progress and successful completion of the upload. The file will not have a persistent remote identifier until it will be sent in a message +// Preliminarily uploads a file to the cloud before sending it in a message, which can be useful for uploading of being recorded voice and video notes. In all other cases there is no need to preliminary upload a file. Updates updateFile will be used to notify about upload progress. The upload will not be completed until the file is sent in a message func (client *Client) PreliminaryUploadFile(req *PreliminaryUploadFileRequest) (*File, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "preliminaryUploadFile", - }, - Data: map[string]interface{}{ - "file": req.File, - "file_type": req.FileType, - "priority": req.Priority, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "preliminaryUploadFile", + }, + Data: map[string]interface{}{ + "file": req.File, + "file_type": req.FileType, + "priority": req.Priority, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalFile(result.Data) + return UnmarshalFile(result.Data) } -type CancelPreliminaryUploadFileRequest struct { - // Identifier of the file to stop uploading - FileId int32 `json:"file_id"` +type CancelPreliminaryUploadFileRequest struct { + // Identifier of the file to stop uploading + FileId int32 `json:"file_id"` } -// Stops the preliminary uploading of a file. Supported only for files uploaded by using preliminaryUploadFile. For other files the behavior is undefined +// Stops the preliminary uploading of a file. Supported only for files uploaded by using preliminaryUploadFile func (client *Client) CancelPreliminaryUploadFile(req *CancelPreliminaryUploadFileRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "cancelPreliminaryUploadFile", - }, - Data: map[string]interface{}{ - "file_id": req.FileId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "cancelPreliminaryUploadFile", + }, + Data: map[string]interface{}{ + "file_id": req.FileId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type WriteGeneratedFilePartRequest struct { - // The identifier of the generation process - GenerationId JsonInt64 `json:"generation_id"` - // The offset from which to write the data to the file - Offset int64 `json:"offset"` - // The data to write - Data []byte `json:"data"` +type WriteGeneratedFilePartRequest struct { + // The identifier of the generation process + GenerationId JsonInt64 `json:"generation_id"` + // The offset from which to write the data to the file + Offset int64 `json:"offset"` + // The data to write + Data []byte `json:"data"` } // Writes a part of a generated file. This method is intended to be used only if the application has no direct access to TDLib's file system, because it is usually slower than a direct write to the destination file func (client *Client) WriteGeneratedFilePart(req *WriteGeneratedFilePartRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "writeGeneratedFilePart", - }, - Data: map[string]interface{}{ - "generation_id": req.GenerationId, - "offset": req.Offset, - "data": req.Data, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "writeGeneratedFilePart", + }, + Data: map[string]interface{}{ + "generation_id": req.GenerationId, + "offset": req.Offset, + "data": req.Data, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SetFileGenerationProgressRequest struct { - // The identifier of the generation process - GenerationId JsonInt64 `json:"generation_id"` - // Expected size of the generated file, in bytes; 0 if unknown - ExpectedSize int64 `json:"expected_size"` - // The number of bytes already generated - LocalPrefixSize int64 `json:"local_prefix_size"` +type SetFileGenerationProgressRequest struct { + // The identifier of the generation process + GenerationId JsonInt64 `json:"generation_id"` + // Expected size of the generated file, in bytes; 0 if unknown + ExpectedSize int64 `json:"expected_size"` + // The number of bytes already generated + LocalPrefixSize int64 `json:"local_prefix_size"` } // Informs TDLib on a file generation progress func (client *Client) SetFileGenerationProgress(req *SetFileGenerationProgressRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setFileGenerationProgress", - }, - Data: map[string]interface{}{ - "generation_id": req.GenerationId, - "expected_size": req.ExpectedSize, - "local_prefix_size": req.LocalPrefixSize, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setFileGenerationProgress", + }, + Data: map[string]interface{}{ + "generation_id": req.GenerationId, + "expected_size": req.ExpectedSize, + "local_prefix_size": req.LocalPrefixSize, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type FinishFileGenerationRequest struct { - // The identifier of the generation process - GenerationId JsonInt64 `json:"generation_id"` - // If passed, the file generation has failed and must be terminated; pass null if the file generation succeeded - Error *Error `json:"error"` +type FinishFileGenerationRequest struct { + // The identifier of the generation process + GenerationId JsonInt64 `json:"generation_id"` + // If passed, the file generation has failed and must be terminated; pass null if the file generation succeeded + Error *Error `json:"error"` } // Finishes the file generation func (client *Client) FinishFileGeneration(req *FinishFileGenerationRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "finishFileGeneration", - }, - Data: map[string]interface{}{ - "generation_id": req.GenerationId, - "error": req.Error, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "finishFileGeneration", + }, + Data: map[string]interface{}{ + "generation_id": req.GenerationId, + "error": req.Error, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type ReadFilePartRequest struct { - // Identifier of the file. The file must be located in the TDLib file cache - FileId int32 `json:"file_id"` - // The offset from which to read the file - Offset int64 `json:"offset"` - // Number of bytes to read. An error will be returned if there are not enough bytes available in the file from the specified position. Pass 0 to read all available data from the specified position - Count int64 `json:"count"` +type ReadFilePartRequest struct { + // Identifier of the file. The file must be located in the TDLib file cache + FileId int32 `json:"file_id"` + // The offset from which to read the file + Offset int64 `json:"offset"` + // Number of bytes to read. An error will be returned if there are not enough bytes available in the file from the specified position. Pass 0 to read all available data from the specified position + Count int64 `json:"count"` } // Reads a part of a file from the TDLib file cache and returns read bytes. This method is intended to be used only if the application has no direct access to TDLib's file system, because it is usually slower than a direct read from the file -func (client *Client) ReadFilePart(req *ReadFilePartRequest) (*FilePart, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "readFilePart", - }, - Data: map[string]interface{}{ - "file_id": req.FileId, - "offset": req.Offset, - "count": req.Count, - }, - }) - if err != nil { - return nil, err - } +func (client *Client) ReadFilePart(req *ReadFilePartRequest) (*Data, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "readFilePart", + }, + Data: map[string]interface{}{ + "file_id": req.FileId, + "offset": req.Offset, + "count": req.Count, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalFilePart(result.Data) + return UnmarshalData(result.Data) } -type DeleteFileRequest struct { - // Identifier of the file to delete - FileId int32 `json:"file_id"` +type DeleteFileRequest struct { + // Identifier of the file to delete + FileId int32 `json:"file_id"` } // Deletes a file from the TDLib file cache func (client *Client) DeleteFile(req *DeleteFileRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "deleteFile", - }, - Data: map[string]interface{}{ - "file_id": req.FileId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "deleteFile", + }, + Data: map[string]interface{}{ + "file_id": req.FileId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type AddFileToDownloadsRequest struct { - // Identifier of the file to download - FileId int32 `json:"file_id"` - // Chat identifier of the message with the file - ChatId int64 `json:"chat_id"` - // Message identifier - MessageId int64 `json:"message_id"` - // Priority of the download (1-32). The higher the priority, the earlier the file will be downloaded. If the priorities of two files are equal, then the last one for which downloadFile/addFileToDownloads was called will be downloaded first - Priority int32 `json:"priority"` +type AddFileToDownloadsRequest struct { + // Identifier of the file to download + FileId int32 `json:"file_id"` + // Chat identifier of the message with the file + ChatId int64 `json:"chat_id"` + // Message identifier + MessageId int64 `json:"message_id"` + // Priority of the download (1-32). The higher the priority, the earlier the file will be downloaded. If the priorities of two files are equal, then the last one for which downloadFile/addFileToDownloads was called will be downloaded first + Priority int32 `json:"priority"` } -// Adds a file from a message to the list of file downloads. Download progress and completion of the download will be notified through updateFile updates. If message database is used, the list of file downloads is persistent across application restarts. The downloading is independent from download using downloadFile, i.e. it continues if downloadFile is canceled or is used to download a part of the file +// Adds a file from a message to the list of file downloads. Download progress and completion of the download will be notified through updateFile updates. If message database is used, the list of file downloads is persistent across application restarts. The downloading is independent of download using downloadFile, i.e. it continues if downloadFile is canceled or is used to download a part of the file func (client *Client) AddFileToDownloads(req *AddFileToDownloadsRequest) (*File, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "addFileToDownloads", - }, - Data: map[string]interface{}{ - "file_id": req.FileId, - "chat_id": req.ChatId, - "message_id": req.MessageId, - "priority": req.Priority, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "addFileToDownloads", + }, + Data: map[string]interface{}{ + "file_id": req.FileId, + "chat_id": req.ChatId, + "message_id": req.MessageId, + "priority": req.Priority, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalFile(result.Data) + return UnmarshalFile(result.Data) } -type ToggleDownloadIsPausedRequest struct { - // Identifier of the downloaded file - FileId int32 `json:"file_id"` - // Pass true if the download is paused - IsPaused bool `json:"is_paused"` +type ToggleDownloadIsPausedRequest struct { + // Identifier of the downloaded file + FileId int32 `json:"file_id"` + // Pass true if the download is paused + IsPaused bool `json:"is_paused"` } // Changes pause state of a file in the file download list func (client *Client) ToggleDownloadIsPaused(req *ToggleDownloadIsPausedRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "toggleDownloadIsPaused", - }, - Data: map[string]interface{}{ - "file_id": req.FileId, - "is_paused": req.IsPaused, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "toggleDownloadIsPaused", + }, + Data: map[string]interface{}{ + "file_id": req.FileId, + "is_paused": req.IsPaused, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type ToggleAllDownloadsArePausedRequest struct { - // Pass true to pause all downloads; pass false to unpause them - ArePaused bool `json:"are_paused"` +type ToggleAllDownloadsArePausedRequest struct { + // Pass true to pause all downloads; pass false to unpause them + ArePaused bool `json:"are_paused"` } // Changes pause state of all files in the file download list func (client *Client) ToggleAllDownloadsArePaused(req *ToggleAllDownloadsArePausedRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "toggleAllDownloadsArePaused", - }, - Data: map[string]interface{}{ - "are_paused": req.ArePaused, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "toggleAllDownloadsArePaused", + }, + Data: map[string]interface{}{ + "are_paused": req.ArePaused, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type RemoveFileFromDownloadsRequest struct { - // Identifier of the downloaded file - FileId int32 `json:"file_id"` - // Pass true to delete the file from the TDLib file cache - DeleteFromCache bool `json:"delete_from_cache"` +type RemoveFileFromDownloadsRequest struct { + // Identifier of the downloaded file + FileId int32 `json:"file_id"` + // Pass true to delete the file from the TDLib file cache + DeleteFromCache bool `json:"delete_from_cache"` } // Removes a file from the file download list func (client *Client) RemoveFileFromDownloads(req *RemoveFileFromDownloadsRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "removeFileFromDownloads", - }, - Data: map[string]interface{}{ - "file_id": req.FileId, - "delete_from_cache": req.DeleteFromCache, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "removeFileFromDownloads", + }, + Data: map[string]interface{}{ + "file_id": req.FileId, + "delete_from_cache": req.DeleteFromCache, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type RemoveAllFilesFromDownloadsRequest struct { - // Pass true to remove only active downloads, including paused - OnlyActive bool `json:"only_active"` - // Pass true to remove only completed downloads - OnlyCompleted bool `json:"only_completed"` - // Pass true to delete the file from the TDLib file cache - DeleteFromCache bool `json:"delete_from_cache"` +type RemoveAllFilesFromDownloadsRequest struct { + // Pass true to remove only active downloads, including paused + OnlyActive bool `json:"only_active"` + // Pass true to remove only completed downloads + OnlyCompleted bool `json:"only_completed"` + // Pass true to delete the file from the TDLib file cache + DeleteFromCache bool `json:"delete_from_cache"` } // Removes all files from the file download list func (client *Client) RemoveAllFilesFromDownloads(req *RemoveAllFilesFromDownloadsRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "removeAllFilesFromDownloads", - }, - Data: map[string]interface{}{ - "only_active": req.OnlyActive, - "only_completed": req.OnlyCompleted, - "delete_from_cache": req.DeleteFromCache, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "removeAllFilesFromDownloads", + }, + Data: map[string]interface{}{ + "only_active": req.OnlyActive, + "only_completed": req.OnlyCompleted, + "delete_from_cache": req.DeleteFromCache, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SearchFileDownloadsRequest struct { - // Query to search for; may be empty to return all downloaded files - Query string `json:"query"` - // Pass true to search only for active downloads, including paused - OnlyActive bool `json:"only_active"` - // Pass true to search only for completed downloads - OnlyCompleted bool `json:"only_completed"` - // Offset of the first entry to return as received from the previous request; use empty string to get the first chunk of results - Offset string `json:"offset"` - // The maximum number of files to be returned - Limit int32 `json:"limit"` +type SearchFileDownloadsRequest struct { + // Query to search for; may be empty to return all downloaded files + Query string `json:"query"` + // Pass true to search only for active downloads, including paused + OnlyActive bool `json:"only_active"` + // Pass true to search only for completed downloads + OnlyCompleted bool `json:"only_completed"` + // Offset of the first entry to return as received from the previous request; use empty string to get the first chunk of results + Offset string `json:"offset"` + // The maximum number of files to be returned + Limit int32 `json:"limit"` } // Searches for files in the file download list or recently downloaded files from the list func (client *Client) SearchFileDownloads(req *SearchFileDownloadsRequest) (*FoundFileDownloads, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "searchFileDownloads", - }, - Data: map[string]interface{}{ - "query": req.Query, - "only_active": req.OnlyActive, - "only_completed": req.OnlyCompleted, - "offset": req.Offset, - "limit": req.Limit, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "searchFileDownloads", + }, + Data: map[string]interface{}{ + "query": req.Query, + "only_active": req.OnlyActive, + "only_completed": req.OnlyCompleted, + "offset": req.Offset, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalFoundFileDownloads(result.Data) + return UnmarshalFoundFileDownloads(result.Data) } -type GetMessageFileTypeRequest struct { - // Beginning of the message file; up to 100 first lines - MessageFileHead string `json:"message_file_head"` +type SetApplicationVerificationTokenRequest struct { + // Unique identifier for the verification process as received from updateApplicationVerificationRequired or updateApplicationRecaptchaVerificationRequired + VerificationId int64 `json:"verification_id"` + // Play Integrity API token for the Android application, or secret from push notification for the iOS application for application verification, or reCAPTCHA token for reCAPTCHA verifications; pass an empty string to abort verification and receive the error "VERIFICATION_FAILED" for the request + Token string `json:"token"` +} + +// Informs TDLib that application or reCAPTCHA verification has been completed. Can be called before authorization +func (client *Client) SetApplicationVerificationToken(req *SetApplicationVerificationTokenRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setApplicationVerificationToken", + }, + Data: map[string]interface{}{ + "verification_id": req.VerificationId, + "token": req.Token, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type GetMessageFileTypeRequest struct { + // Beginning of the message file; up to 100 first lines + MessageFileHead string `json:"message_file_head"` } // Returns information about a file with messages exported from another application func (client *Client) GetMessageFileType(req *GetMessageFileTypeRequest) (MessageFileType, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getMessageFileType", - }, - Data: map[string]interface{}{ - "message_file_head": req.MessageFileHead, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getMessageFileType", + }, + Data: map[string]interface{}{ + "message_file_head": req.MessageFileHead, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - switch result.Type { - case TypeMessageFileTypePrivate: - return UnmarshalMessageFileTypePrivate(result.Data) + switch result.Type { + case TypeMessageFileTypePrivate: + return UnmarshalMessageFileTypePrivate(result.Data) - case TypeMessageFileTypeGroup: - return UnmarshalMessageFileTypeGroup(result.Data) + case TypeMessageFileTypeGroup: + return UnmarshalMessageFileTypeGroup(result.Data) - case TypeMessageFileTypeUnknown: - return UnmarshalMessageFileTypeUnknown(result.Data) + case TypeMessageFileTypeUnknown: + return UnmarshalMessageFileTypeUnknown(result.Data) - default: - return nil, errors.New("invalid type") - } + default: + return nil, errors.New("invalid type") + } } -type GetMessageImportConfirmationTextRequest struct { - // Identifier of a chat to which the messages will be imported. It must be an identifier of a private chat with a mutual contact or an identifier of a supergroup chat with can_change_info administrator right - ChatId int64 `json:"chat_id"` +type GetMessageImportConfirmationTextRequest struct { + // Identifier of a chat to which the messages will be imported. It must be an identifier of a private chat with a mutual contact or an identifier of a supergroup chat with can_change_info member right + ChatId int64 `json:"chat_id"` } // Returns a confirmation text to be shown to the user before starting message import func (client *Client) GetMessageImportConfirmationText(req *GetMessageImportConfirmationTextRequest) (*Text, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getMessageImportConfirmationText", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getMessageImportConfirmationText", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalText(result.Data) + return UnmarshalText(result.Data) } -type ImportMessagesRequest struct { - // Identifier of a chat to which the messages will be imported. It must be an identifier of a private chat with a mutual contact or an identifier of a supergroup chat with can_change_info administrator right - ChatId int64 `json:"chat_id"` - // File with messages to import. Only inputFileLocal and inputFileGenerated are supported. The file must not be previously uploaded - MessageFile InputFile `json:"message_file"` - // Files used in the imported messages. Only inputFileLocal and inputFileGenerated are supported. The files must not be previously uploaded - AttachedFiles []InputFile `json:"attached_files"` +type ImportMessagesRequest struct { + // Identifier of a chat to which the messages will be imported. It must be an identifier of a private chat with a mutual contact or an identifier of a supergroup chat with can_change_info member right + ChatId int64 `json:"chat_id"` + // File with messages to import. Only inputFileLocal and inputFileGenerated are supported. The file must not be previously uploaded + MessageFile InputFile `json:"message_file"` + // Files used in the imported messages. Only inputFileLocal and inputFileGenerated are supported. The files must not be previously uploaded + AttachedFiles []InputFile `json:"attached_files"` } // Imports messages exported from another app func (client *Client) ImportMessages(req *ImportMessagesRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "importMessages", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_file": req.MessageFile, - "attached_files": req.AttachedFiles, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "importMessages", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_file": req.MessageFile, + "attached_files": req.AttachedFiles, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type ReplacePrimaryChatInviteLinkRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` +type ReplacePrimaryChatInviteLinkRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` } // Replaces current primary invite link for a chat with a new primary invite link. Available for basic groups, supergroups, and channels. Requires administrator privileges and can_invite_users right func (client *Client) ReplacePrimaryChatInviteLink(req *ReplacePrimaryChatInviteLinkRequest) (*ChatInviteLink, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "replacePrimaryChatInviteLink", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "replacePrimaryChatInviteLink", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalChatInviteLink(result.Data) + return UnmarshalChatInviteLink(result.Data) } -type CreateChatInviteLinkRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // Invite link name; 0-32 characters - Name string `json:"name"` - // Point in time (Unix timestamp) when the link will expire; pass 0 if never - ExpirationDate int32 `json:"expiration_date"` - // The maximum number of chat members that can join the chat via the link simultaneously; 0-99999; pass 0 if not limited - MemberLimit int32 `json:"member_limit"` - // Pass true if users joining the chat via the link need to be approved by chat administrators. In this case, member_limit must be 0 - CreatesJoinRequest bool `json:"creates_join_request"` +type CreateChatInviteLinkRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Invite link name; 0-32 characters + Name string `json:"name"` + // Point in time (Unix timestamp) when the link will expire; pass 0 if never + ExpirationDate int32 `json:"expiration_date"` + // The maximum number of chat members that can join the chat via the link simultaneously; 0-99999; pass 0 if not limited + MemberLimit int32 `json:"member_limit"` + // Pass true if users joining the chat via the link need to be approved by chat administrators. In this case, member_limit must be 0 + CreatesJoinRequest bool `json:"creates_join_request"` } // Creates a new invite link for a chat. Available for basic groups, supergroups, and channels. Requires administrator privileges and can_invite_users right in the chat func (client *Client) CreateChatInviteLink(req *CreateChatInviteLinkRequest) (*ChatInviteLink, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "createChatInviteLink", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "name": req.Name, - "expiration_date": req.ExpirationDate, - "member_limit": req.MemberLimit, - "creates_join_request": req.CreatesJoinRequest, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "createChatInviteLink", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "name": req.Name, + "expiration_date": req.ExpirationDate, + "member_limit": req.MemberLimit, + "creates_join_request": req.CreatesJoinRequest, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalChatInviteLink(result.Data) + return UnmarshalChatInviteLink(result.Data) } -type EditChatInviteLinkRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // Invite link to be edited - InviteLink string `json:"invite_link"` - // Invite link name; 0-32 characters - Name string `json:"name"` - // Point in time (Unix timestamp) when the link will expire; pass 0 if never - ExpirationDate int32 `json:"expiration_date"` - // The maximum number of chat members that can join the chat via the link simultaneously; 0-99999; pass 0 if not limited - MemberLimit int32 `json:"member_limit"` - // Pass true if users joining the chat via the link need to be approved by chat administrators. In this case, member_limit must be 0 - CreatesJoinRequest bool `json:"creates_join_request"` +type CreateChatSubscriptionInviteLinkRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Invite link name; 0-32 characters + Name string `json:"name"` + // Information about subscription plan that will be applied to the users joining the chat via the link. Subscription period must be 2592000 in production environment, and 60 or 300 if Telegram test environment is used + SubscriptionPricing *StarSubscriptionPricing `json:"subscription_pricing"` } -// Edits a non-primary invite link for a chat. Available for basic groups, supergroups, and channels. Requires administrator privileges and can_invite_users right in the chat for own links and owner privileges for other links +// Creates a new subscription invite link for a channel chat. Requires can_invite_users right in the chat +func (client *Client) CreateChatSubscriptionInviteLink(req *CreateChatSubscriptionInviteLinkRequest) (*ChatInviteLink, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "createChatSubscriptionInviteLink", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "name": req.Name, + "subscription_pricing": req.SubscriptionPricing, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalChatInviteLink(result.Data) +} + +type EditChatInviteLinkRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Invite link to be edited + InviteLink string `json:"invite_link"` + // Invite link name; 0-32 characters + Name string `json:"name"` + // Point in time (Unix timestamp) when the link will expire; pass 0 if never + ExpirationDate int32 `json:"expiration_date"` + // The maximum number of chat members that can join the chat via the link simultaneously; 0-99999; pass 0 if not limited + MemberLimit int32 `json:"member_limit"` + // Pass true if users joining the chat via the link need to be approved by chat administrators. In this case, member_limit must be 0 + CreatesJoinRequest bool `json:"creates_join_request"` +} + +// Edits a non-primary invite link for a chat. Available for basic groups, supergroups, and channels. If the link creates a subscription, then expiration_date, member_limit and creates_join_request must not be used. Requires administrator privileges and can_invite_users right in the chat for own links and owner privileges for other links func (client *Client) EditChatInviteLink(req *EditChatInviteLinkRequest) (*ChatInviteLink, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "editChatInviteLink", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "invite_link": req.InviteLink, - "name": req.Name, - "expiration_date": req.ExpirationDate, - "member_limit": req.MemberLimit, - "creates_join_request": req.CreatesJoinRequest, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "editChatInviteLink", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "invite_link": req.InviteLink, + "name": req.Name, + "expiration_date": req.ExpirationDate, + "member_limit": req.MemberLimit, + "creates_join_request": req.CreatesJoinRequest, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalChatInviteLink(result.Data) + return UnmarshalChatInviteLink(result.Data) } -type GetChatInviteLinkRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // Invite link to get - InviteLink string `json:"invite_link"` +type EditChatSubscriptionInviteLinkRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Invite link to be edited + InviteLink string `json:"invite_link"` + // Invite link name; 0-32 characters + Name string `json:"name"` +} + +// Edits a subscription invite link for a channel chat. Requires can_invite_users right in the chat for own links and owner privileges for other links +func (client *Client) EditChatSubscriptionInviteLink(req *EditChatSubscriptionInviteLinkRequest) (*ChatInviteLink, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "editChatSubscriptionInviteLink", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "invite_link": req.InviteLink, + "name": req.Name, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalChatInviteLink(result.Data) +} + +type GetChatInviteLinkRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Invite link to get + InviteLink string `json:"invite_link"` } // Returns information about an invite link. Requires administrator privileges and can_invite_users right in the chat to get own links and owner privileges to get other links func (client *Client) GetChatInviteLink(req *GetChatInviteLinkRequest) (*ChatInviteLink, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getChatInviteLink", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "invite_link": req.InviteLink, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getChatInviteLink", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "invite_link": req.InviteLink, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalChatInviteLink(result.Data) + return UnmarshalChatInviteLink(result.Data) } -type GetChatInviteLinkCountsRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` +type GetChatInviteLinkCountsRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` } -// Returns list of chat administrators with number of their invite links. Requires owner privileges in the chat +// Returns the list of chat administrators with number of their invite links. Requires owner privileges in the chat func (client *Client) GetChatInviteLinkCounts(req *GetChatInviteLinkCountsRequest) (*ChatInviteLinkCounts, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getChatInviteLinkCounts", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getChatInviteLinkCounts", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalChatInviteLinkCounts(result.Data) + return UnmarshalChatInviteLinkCounts(result.Data) } -type GetChatInviteLinksRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // User identifier of a chat administrator. Must be an identifier of the current user for non-owner - CreatorUserId int64 `json:"creator_user_id"` - // Pass true if revoked links needs to be returned instead of active or expired - IsRevoked bool `json:"is_revoked"` - // Creation date of an invite link starting after which to return invite links; use 0 to get results from the beginning - OffsetDate int32 `json:"offset_date"` - // Invite link starting after which to return invite links; use empty string to get results from the beginning - OffsetInviteLink string `json:"offset_invite_link"` - // The maximum number of invite links to return; up to 100 - Limit int32 `json:"limit"` +type GetChatInviteLinksRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // User identifier of a chat administrator. Must be an identifier of the current user for non-owner + CreatorUserId int64 `json:"creator_user_id"` + // Pass true if revoked links needs to be returned instead of active or expired + IsRevoked bool `json:"is_revoked"` + // Creation date of an invite link starting after which to return invite links; use 0 to get results from the beginning + OffsetDate int32 `json:"offset_date"` + // Invite link starting after which to return invite links; use empty string to get results from the beginning + OffsetInviteLink string `json:"offset_invite_link"` + // The maximum number of invite links to return; up to 100 + Limit int32 `json:"limit"` } // Returns invite links for a chat created by specified administrator. Requires administrator privileges and can_invite_users right in the chat to get own links and owner privileges to get other links func (client *Client) GetChatInviteLinks(req *GetChatInviteLinksRequest) (*ChatInviteLinks, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getChatInviteLinks", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "creator_user_id": req.CreatorUserId, - "is_revoked": req.IsRevoked, - "offset_date": req.OffsetDate, - "offset_invite_link": req.OffsetInviteLink, - "limit": req.Limit, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getChatInviteLinks", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "creator_user_id": req.CreatorUserId, + "is_revoked": req.IsRevoked, + "offset_date": req.OffsetDate, + "offset_invite_link": req.OffsetInviteLink, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalChatInviteLinks(result.Data) + return UnmarshalChatInviteLinks(result.Data) } -type GetChatInviteLinkMembersRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // Invite link for which to return chat members - InviteLink string `json:"invite_link"` - // A chat member from which to return next chat members; pass null to get results from the beginning - OffsetMember *ChatInviteLinkMember `json:"offset_member"` - // The maximum number of chat members to return; up to 100 - Limit int32 `json:"limit"` +type GetChatInviteLinkMembersRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Invite link for which to return chat members + InviteLink string `json:"invite_link"` + // Pass true if the link is a subscription link and only members with expired subscription must be returned + OnlyWithExpiredSubscription bool `json:"only_with_expired_subscription"` + // A chat member from which to return next chat members; pass null to get results from the beginning + OffsetMember *ChatInviteLinkMember `json:"offset_member"` + // The maximum number of chat members to return; up to 100 + Limit int32 `json:"limit"` } // Returns chat members joined a chat via an invite link. Requires administrator privileges and can_invite_users right in the chat for own links and owner privileges for other links func (client *Client) GetChatInviteLinkMembers(req *GetChatInviteLinkMembersRequest) (*ChatInviteLinkMembers, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getChatInviteLinkMembers", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "invite_link": req.InviteLink, - "offset_member": req.OffsetMember, - "limit": req.Limit, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getChatInviteLinkMembers", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "invite_link": req.InviteLink, + "only_with_expired_subscription": req.OnlyWithExpiredSubscription, + "offset_member": req.OffsetMember, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalChatInviteLinkMembers(result.Data) + return UnmarshalChatInviteLinkMembers(result.Data) } -type RevokeChatInviteLinkRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // Invite link to be revoked - InviteLink string `json:"invite_link"` +type RevokeChatInviteLinkRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Invite link to be revoked + InviteLink string `json:"invite_link"` } // Revokes invite link for a chat. Available for basic groups, supergroups, and channels. Requires administrator privileges and can_invite_users right in the chat for own links and owner privileges for other links. If a primary link is revoked, then additionally to the revoked link returns new primary link func (client *Client) RevokeChatInviteLink(req *RevokeChatInviteLinkRequest) (*ChatInviteLinks, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "revokeChatInviteLink", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "invite_link": req.InviteLink, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "revokeChatInviteLink", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "invite_link": req.InviteLink, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalChatInviteLinks(result.Data) + return UnmarshalChatInviteLinks(result.Data) } -type DeleteRevokedChatInviteLinkRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // Invite link to revoke - InviteLink string `json:"invite_link"` +type DeleteRevokedChatInviteLinkRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Invite link to revoke + InviteLink string `json:"invite_link"` } // Deletes revoked chat invite links. Requires administrator privileges and can_invite_users right in the chat for own links and owner privileges for other links func (client *Client) DeleteRevokedChatInviteLink(req *DeleteRevokedChatInviteLinkRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "deleteRevokedChatInviteLink", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "invite_link": req.InviteLink, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "deleteRevokedChatInviteLink", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "invite_link": req.InviteLink, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type DeleteAllRevokedChatInviteLinksRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // User identifier of a chat administrator, which links will be deleted. Must be an identifier of the current user for non-owner - CreatorUserId int64 `json:"creator_user_id"` +type DeleteAllRevokedChatInviteLinksRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // User identifier of a chat administrator, which links will be deleted. Must be an identifier of the current user for non-owner + CreatorUserId int64 `json:"creator_user_id"` } // Deletes all revoked chat invite links created by a given chat administrator. Requires administrator privileges and can_invite_users right in the chat for own links and owner privileges for other links func (client *Client) DeleteAllRevokedChatInviteLinks(req *DeleteAllRevokedChatInviteLinksRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "deleteAllRevokedChatInviteLinks", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "creator_user_id": req.CreatorUserId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "deleteAllRevokedChatInviteLinks", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "creator_user_id": req.CreatorUserId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type CheckChatInviteLinkRequest struct { - // Invite link to be checked - InviteLink string `json:"invite_link"` +type CheckChatInviteLinkRequest struct { + // Invite link to be checked + InviteLink string `json:"invite_link"` } // Checks the validity of an invite link for a chat and returns information about the corresponding chat func (client *Client) CheckChatInviteLink(req *CheckChatInviteLinkRequest) (*ChatInviteLinkInfo, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "checkChatInviteLink", - }, - Data: map[string]interface{}{ - "invite_link": req.InviteLink, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "checkChatInviteLink", + }, + Data: map[string]interface{}{ + "invite_link": req.InviteLink, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalChatInviteLinkInfo(result.Data) + return UnmarshalChatInviteLinkInfo(result.Data) } -type JoinChatByInviteLinkRequest struct { - // Invite link to use - InviteLink string `json:"invite_link"` +type JoinChatByInviteLinkRequest struct { + // Invite link to use + InviteLink string `json:"invite_link"` } // Uses an invite link to add the current user to the chat if possible. May return an error with a message "INVITE_REQUEST_SENT" if only a join request was created func (client *Client) JoinChatByInviteLink(req *JoinChatByInviteLinkRequest) (*Chat, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "joinChatByInviteLink", - }, - Data: map[string]interface{}{ - "invite_link": req.InviteLink, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "joinChatByInviteLink", + }, + Data: map[string]interface{}{ + "invite_link": req.InviteLink, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalChat(result.Data) + return UnmarshalChat(result.Data) } -type GetChatJoinRequestsRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // Invite link for which to return join requests. If empty, all join requests will be returned. Requires administrator privileges and can_invite_users right in the chat for own links and owner privileges for other links - InviteLink string `json:"invite_link"` - // A query to search for in the first names, last names and usernames of the users to return - Query string `json:"query"` - // A chat join request from which to return next requests; pass null to get results from the beginning - OffsetRequest *ChatJoinRequest `json:"offset_request"` - // The maximum number of requests to join the chat to return - Limit int32 `json:"limit"` +type GetChatJoinRequestsRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Invite link for which to return join requests. If empty, all join requests will be returned. Requires administrator privileges and can_invite_users right in the chat for own links and owner privileges for other links + InviteLink string `json:"invite_link"` + // A query to search for in the first names, last names and usernames of the users to return + Query string `json:"query"` + // A chat join request from which to return next requests; pass null to get results from the beginning + OffsetRequest *ChatJoinRequest `json:"offset_request"` + // The maximum number of requests to join the chat to return + Limit int32 `json:"limit"` } // Returns pending join requests in a chat func (client *Client) GetChatJoinRequests(req *GetChatJoinRequestsRequest) (*ChatJoinRequests, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getChatJoinRequests", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "invite_link": req.InviteLink, - "query": req.Query, - "offset_request": req.OffsetRequest, - "limit": req.Limit, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getChatJoinRequests", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "invite_link": req.InviteLink, + "query": req.Query, + "offset_request": req.OffsetRequest, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalChatJoinRequests(result.Data) + return UnmarshalChatJoinRequests(result.Data) } -type ProcessChatJoinRequestRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // Identifier of the user that sent the request - UserId int64 `json:"user_id"` - // Pass true to approve the request; pass false to decline it - Approve bool `json:"approve"` +type ProcessChatJoinRequestRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Identifier of the user who sent the request + UserId int64 `json:"user_id"` + // Pass true to approve the request; pass false to decline it + Approve bool `json:"approve"` } // Handles a pending join request in a chat func (client *Client) ProcessChatJoinRequest(req *ProcessChatJoinRequestRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "processChatJoinRequest", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "user_id": req.UserId, - "approve": req.Approve, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "processChatJoinRequest", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "user_id": req.UserId, + "approve": req.Approve, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type ProcessChatJoinRequestsRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // Invite link for which to process join requests. If empty, all join requests will be processed. Requires administrator privileges and can_invite_users right in the chat for own links and owner privileges for other links - InviteLink string `json:"invite_link"` - // Pass true to approve all requests; pass false to decline them - Approve bool `json:"approve"` +type ProcessChatJoinRequestsRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Invite link for which to process join requests. If empty, all join requests will be processed. Requires administrator privileges and can_invite_users right in the chat for own links and owner privileges for other links + InviteLink string `json:"invite_link"` + // Pass true to approve all requests; pass false to decline them + Approve bool `json:"approve"` } // Handles all pending join requests for a given link in a chat func (client *Client) ProcessChatJoinRequests(req *ProcessChatJoinRequestsRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "processChatJoinRequests", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "invite_link": req.InviteLink, - "approve": req.Approve, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "processChatJoinRequests", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "invite_link": req.InviteLink, + "approve": req.Approve, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type CreateCallRequest struct { - // Identifier of the user to be called - UserId int64 `json:"user_id"` - // The call protocols supported by the application - Protocol *CallProtocol `json:"protocol"` - // Pass true to create a video call - IsVideo bool `json:"is_video"` +type ApproveSuggestedPostRequest struct { + // Chat identifier of the channel direct messages chat + ChatId int64 `json:"chat_id"` + // Identifier of the message with the suggested post. Use messageProperties.can_be_approved to check whether the suggested post can be approved + MessageId int64 `json:"message_id"` + // Point in time (Unix timestamp) when the post is expected to be published; pass 0 if the date has already been chosen. If specified, then the date must be in the future, but at most getOption("suggested_post_send_delay_max") seconds in the future + SendDate int32 `json:"send_date"` +} + +// Approves a suggested post in a channel direct messages chat +func (client *Client) ApproveSuggestedPost(req *ApproveSuggestedPostRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "approveSuggestedPost", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + "send_date": req.SendDate, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type DeclineSuggestedPostRequest struct { + // Chat identifier of the channel direct messages chat + ChatId int64 `json:"chat_id"` + // Identifier of the message with the suggested post. Use messageProperties.can_be_declined to check whether the suggested post can be declined + MessageId int64 `json:"message_id"` + // Comment for the creator of the suggested post; 0-128 characters + Comment string `json:"comment"` +} + +// Declines a suggested post in a channel direct messages chat +func (client *Client) DeclineSuggestedPost(req *DeclineSuggestedPostRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "declineSuggestedPost", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + "comment": req.Comment, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type AddOfferRequest struct { + // Identifier of the channel direct messages chat + ChatId int64 `json:"chat_id"` + // Identifier of the message in the chat which will be sent as suggested post. Use messageProperties.can_add_offer to check whether an offer can be added or messageProperties.can_edit_suggested_post_info to check whether price or time of sending of the post can be changed + MessageId int64 `json:"message_id"` + // Options to be used to send the message. New information about the suggested post must always be specified + Options *MessageSendOptions `json:"options"` +} + +// Sends a suggested post based on a previously sent message in a channel direct messages chat. Can be also used to suggest price or time change for an existing suggested post. Returns the sent message +func (client *Client) AddOffer(req *AddOfferRequest) (*Message, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "addOffer", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + "options": req.Options, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalMessage(result.Data) +} + +type CreateCallRequest struct { + // Identifier of the user to be called + UserId int64 `json:"user_id"` + // The call protocols supported by the application + Protocol *CallProtocol `json:"protocol"` + // Pass true to create a video call + IsVideo bool `json:"is_video"` } // Creates a new call func (client *Client) CreateCall(req *CreateCallRequest) (*CallId, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "createCall", - }, - Data: map[string]interface{}{ - "user_id": req.UserId, - "protocol": req.Protocol, - "is_video": req.IsVideo, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "createCall", + }, + Data: map[string]interface{}{ + "user_id": req.UserId, + "protocol": req.Protocol, + "is_video": req.IsVideo, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalCallId(result.Data) + return UnmarshalCallId(result.Data) } -type AcceptCallRequest struct { - // Call identifier - CallId int32 `json:"call_id"` - // The call protocols supported by the application - Protocol *CallProtocol `json:"protocol"` +type AcceptCallRequest struct { + // Call identifier + CallId int32 `json:"call_id"` + // The call protocols supported by the application + Protocol *CallProtocol `json:"protocol"` } // Accepts an incoming call func (client *Client) AcceptCall(req *AcceptCallRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "acceptCall", - }, - Data: map[string]interface{}{ - "call_id": req.CallId, - "protocol": req.Protocol, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "acceptCall", + }, + Data: map[string]interface{}{ + "call_id": req.CallId, + "protocol": req.Protocol, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SendCallSignalingDataRequest struct { - // Call identifier - CallId int32 `json:"call_id"` - // The data - Data []byte `json:"data"` +type SendCallSignalingDataRequest struct { + // Call identifier + CallId int32 `json:"call_id"` + // The data + Data []byte `json:"data"` } // Sends call signaling data func (client *Client) SendCallSignalingData(req *SendCallSignalingDataRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "sendCallSignalingData", - }, - Data: map[string]interface{}{ - "call_id": req.CallId, - "data": req.Data, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "sendCallSignalingData", + }, + Data: map[string]interface{}{ + "call_id": req.CallId, + "data": req.Data, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type DiscardCallRequest struct { - // Call identifier - CallId int32 `json:"call_id"` - // Pass true if the user was disconnected - IsDisconnected bool `json:"is_disconnected"` - // The call duration, in seconds - Duration int32 `json:"duration"` - // Pass true if the call was a video call - IsVideo bool `json:"is_video"` - // Identifier of the connection used during the call - ConnectionId JsonInt64 `json:"connection_id"` +type DiscardCallRequest struct { + // Call identifier + CallId int32 `json:"call_id"` + // Pass true if the user was disconnected + IsDisconnected bool `json:"is_disconnected"` + // If the call was upgraded to a group call, pass invite link to the group call + InviteLink string `json:"invite_link"` + // The call duration, in seconds + Duration int32 `json:"duration"` + // Pass true if the call was a video call + IsVideo bool `json:"is_video"` + // Identifier of the connection used during the call + ConnectionId JsonInt64 `json:"connection_id"` } // Discards a call func (client *Client) DiscardCall(req *DiscardCallRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "discardCall", - }, - Data: map[string]interface{}{ - "call_id": req.CallId, - "is_disconnected": req.IsDisconnected, - "duration": req.Duration, - "is_video": req.IsVideo, - "connection_id": req.ConnectionId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "discardCall", + }, + Data: map[string]interface{}{ + "call_id": req.CallId, + "is_disconnected": req.IsDisconnected, + "invite_link": req.InviteLink, + "duration": req.Duration, + "is_video": req.IsVideo, + "connection_id": req.ConnectionId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SendCallRatingRequest struct { - // Call identifier - CallId int32 `json:"call_id"` - // Call rating; 1-5 - Rating int32 `json:"rating"` - // An optional user comment if the rating is less than 5 - Comment string `json:"comment"` - // List of the exact types of problems with the call, specified by the user - Problems []CallProblem `json:"problems"` +type SendCallRatingRequest struct { + // Call identifier + CallId int32 `json:"call_id"` + // Call rating; 1-5 + Rating int32 `json:"rating"` + // An optional user comment if the rating is less than 5 + Comment string `json:"comment"` + // List of the exact types of problems with the call, specified by the user + Problems []CallProblem `json:"problems"` } // Sends a call rating func (client *Client) SendCallRating(req *SendCallRatingRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "sendCallRating", - }, - Data: map[string]interface{}{ - "call_id": req.CallId, - "rating": req.Rating, - "comment": req.Comment, - "problems": req.Problems, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "sendCallRating", + }, + Data: map[string]interface{}{ + "call_id": req.CallId, + "rating": req.Rating, + "comment": req.Comment, + "problems": req.Problems, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SendCallDebugInformationRequest struct { - // Call identifier - CallId int32 `json:"call_id"` - // Debug information in application-specific format - DebugInformation string `json:"debug_information"` +type SendCallDebugInformationRequest struct { + // Call identifier + CallId int32 `json:"call_id"` + // Debug information in application-specific format + DebugInformation string `json:"debug_information"` } // Sends debug information for a call to Telegram servers func (client *Client) SendCallDebugInformation(req *SendCallDebugInformationRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "sendCallDebugInformation", - }, - Data: map[string]interface{}{ - "call_id": req.CallId, - "debug_information": req.DebugInformation, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "sendCallDebugInformation", + }, + Data: map[string]interface{}{ + "call_id": req.CallId, + "debug_information": req.DebugInformation, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SendCallLogRequest struct { - // Call identifier - CallId int32 `json:"call_id"` - // Call log file. Only inputFileLocal and inputFileGenerated are supported - LogFile InputFile `json:"log_file"` +type SendCallLogRequest struct { + // Call identifier + CallId int32 `json:"call_id"` + // Call log file. Only inputFileLocal and inputFileGenerated are supported + LogFile InputFile `json:"log_file"` } // Sends log file for a call to Telegram servers func (client *Client) SendCallLog(req *SendCallLogRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "sendCallLog", - }, - Data: map[string]interface{}{ - "call_id": req.CallId, - "log_file": req.LogFile, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "sendCallLog", + }, + Data: map[string]interface{}{ + "call_id": req.CallId, + "log_file": req.LogFile, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type GetVideoChatAvailableParticipantsRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` +type GetVideoChatAvailableParticipantsRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` } -// Returns list of participant identifiers, on whose behalf a video chat in the chat can be joined +// Returns the list of participant identifiers, on whose behalf a video chat in the chat can be joined func (client *Client) GetVideoChatAvailableParticipants(req *GetVideoChatAvailableParticipantsRequest) (*MessageSenders, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getVideoChatAvailableParticipants", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getVideoChatAvailableParticipants", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalMessageSenders(result.Data) + return UnmarshalMessageSenders(result.Data) } -type SetVideoChatDefaultParticipantRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // Default group call participant identifier to join the video chats - DefaultParticipantId MessageSender `json:"default_participant_id"` +type SetVideoChatDefaultParticipantRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Default group call participant identifier to join the video chats in the chat + DefaultParticipantId MessageSender `json:"default_participant_id"` } // Changes default participant identifier, on whose behalf a video chat in the chat will be joined func (client *Client) SetVideoChatDefaultParticipant(req *SetVideoChatDefaultParticipantRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setVideoChatDefaultParticipant", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "default_participant_id": req.DefaultParticipantId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setVideoChatDefaultParticipant", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "default_participant_id": req.DefaultParticipantId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type CreateVideoChatRequest struct { - // Identifier of a chat in which the video chat will be created - ChatId int64 `json:"chat_id"` - // Group call title; if empty, chat title will be used - Title string `json:"title"` - // Point in time (Unix timestamp) when the group call is supposed to be started by an administrator; 0 to start the video chat immediately. The date must be at least 10 seconds and at most 8 days in the future - StartDate int32 `json:"start_date"` - // Pass true to create an RTMP stream instead of an ordinary video chat; requires creator privileges - IsRtmpStream bool `json:"is_rtmp_stream"` +type CreateVideoChatRequest struct { + // Identifier of a chat in which the video chat will be created + ChatId int64 `json:"chat_id"` + // Group call title; if empty, chat title will be used + Title string `json:"title"` + // Point in time (Unix timestamp) when the group call is expected to be started by an administrator; 0 to start the video chat immediately. The date must be at least 10 seconds and at most 8 days in the future + StartDate int32 `json:"start_date"` + // Pass true to create an RTMP stream instead of an ordinary video chat + IsRtmpStream bool `json:"is_rtmp_stream"` } -// Creates a video chat (a group call bound to a chat). Available only for basic groups, supergroups and channels; requires can_manage_video_chats rights +// Creates a video chat (a group call bound to a chat). Available only for basic groups, supergroups and channels; requires can_manage_video_chats administrator right func (client *Client) CreateVideoChat(req *CreateVideoChatRequest) (*GroupCallId, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "createVideoChat", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "title": req.Title, - "start_date": req.StartDate, - "is_rtmp_stream": req.IsRtmpStream, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "createVideoChat", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "title": req.Title, + "start_date": req.StartDate, + "is_rtmp_stream": req.IsRtmpStream, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalGroupCallId(result.Data) + return UnmarshalGroupCallId(result.Data) } -type GetVideoChatRtmpUrlRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` +type CreateGroupCallRequest struct { + // Parameters to join the call; pass null to only create call link without joining the call + JoinParameters *GroupCallJoinParameters `json:"join_parameters"` } -// Returns RTMP URL for streaming to the chat; requires creator privileges +// Creates a new group call that isn't bound to a chat +func (client *Client) CreateGroupCall(req *CreateGroupCallRequest) (*GroupCallInfo, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "createGroupCall", + }, + Data: map[string]interface{}{ + "join_parameters": req.JoinParameters, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalGroupCallInfo(result.Data) +} + +type GetVideoChatRtmpUrlRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` +} + +// Returns RTMP URL for streaming to the video chat of a chat; requires can_manage_video_chats administrator right func (client *Client) GetVideoChatRtmpUrl(req *GetVideoChatRtmpUrlRequest) (*RtmpUrl, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getVideoChatRtmpUrl", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getVideoChatRtmpUrl", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalRtmpUrl(result.Data) + return UnmarshalRtmpUrl(result.Data) } -type ReplaceVideoChatRtmpUrlRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` +type ReplaceVideoChatRtmpUrlRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` } -// Replaces the current RTMP URL for streaming to the chat; requires creator privileges +// Replaces the current RTMP URL for streaming to the video chat of a chat; requires owner privileges in the chat func (client *Client) ReplaceVideoChatRtmpUrl(req *ReplaceVideoChatRtmpUrlRequest) (*RtmpUrl, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "replaceVideoChatRtmpUrl", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "replaceVideoChatRtmpUrl", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalRtmpUrl(result.Data) + return UnmarshalRtmpUrl(result.Data) } -type GetGroupCallRequest struct { - // Group call identifier - GroupCallId int32 `json:"group_call_id"` +type GetLiveStoryRtmpUrlRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` +} + +// Returns RTMP URL for streaming to a live story; requires can_post_stories administrator right for channel chats +func (client *Client) GetLiveStoryRtmpUrl(req *GetLiveStoryRtmpUrlRequest) (*RtmpUrl, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getLiveStoryRtmpUrl", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalRtmpUrl(result.Data) +} + +type ReplaceLiveStoryRtmpUrlRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` +} + +// Replaces the current RTMP URL for streaming to a live story; requires owner privileges for channel chats +func (client *Client) ReplaceLiveStoryRtmpUrl(req *ReplaceLiveStoryRtmpUrlRequest) (*RtmpUrl, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "replaceLiveStoryRtmpUrl", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalRtmpUrl(result.Data) +} + +type GetGroupCallRequest struct { + // Group call identifier + GroupCallId int32 `json:"group_call_id"` } // Returns information about a group call func (client *Client) GetGroupCall(req *GetGroupCallRequest) (*GroupCall, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getGroupCall", - }, - Data: map[string]interface{}{ - "group_call_id": req.GroupCallId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getGroupCall", + }, + Data: map[string]interface{}{ + "group_call_id": req.GroupCallId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalGroupCall(result.Data) + return UnmarshalGroupCall(result.Data) } -type StartScheduledGroupCallRequest struct { - // Group call identifier - GroupCallId int32 `json:"group_call_id"` +type StartScheduledVideoChatRequest struct { + // Group call identifier of the video chat + GroupCallId int32 `json:"group_call_id"` } -// Starts a scheduled group call -func (client *Client) StartScheduledGroupCall(req *StartScheduledGroupCallRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "startScheduledGroupCall", - }, - Data: map[string]interface{}{ - "group_call_id": req.GroupCallId, - }, - }) - if err != nil { - return nil, err - } +// Starts a scheduled video chat +func (client *Client) StartScheduledVideoChat(req *StartScheduledVideoChatRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "startScheduledVideoChat", + }, + Data: map[string]interface{}{ + "group_call_id": req.GroupCallId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type ToggleGroupCallEnabledStartNotificationRequest struct { - // Group call identifier - GroupCallId int32 `json:"group_call_id"` - // New value of the enabled_start_notification setting - EnabledStartNotification bool `json:"enabled_start_notification"` +type ToggleVideoChatEnabledStartNotificationRequest struct { + // Group call identifier + GroupCallId int32 `json:"group_call_id"` + // New value of the enabled_start_notification setting + EnabledStartNotification bool `json:"enabled_start_notification"` } -// Toggles whether the current user will receive a notification when the group call will start; scheduled group calls only -func (client *Client) ToggleGroupCallEnabledStartNotification(req *ToggleGroupCallEnabledStartNotificationRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "toggleGroupCallEnabledStartNotification", - }, - Data: map[string]interface{}{ - "group_call_id": req.GroupCallId, - "enabled_start_notification": req.EnabledStartNotification, - }, - }) - if err != nil { - return nil, err - } +// Toggles whether the current user will receive a notification when the video chat starts; for scheduled video chats only +func (client *Client) ToggleVideoChatEnabledStartNotification(req *ToggleVideoChatEnabledStartNotificationRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "toggleVideoChatEnabledStartNotification", + }, + Data: map[string]interface{}{ + "group_call_id": req.GroupCallId, + "enabled_start_notification": req.EnabledStartNotification, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type JoinGroupCallRequest struct { - // Group call identifier - GroupCallId int32 `json:"group_call_id"` - // Identifier of a group call participant, which will be used to join the call; pass null to join as self; video chats only - ParticipantId MessageSender `json:"participant_id"` - // Caller audio channel synchronization source identifier; received from tgcalls - AudioSourceId int32 `json:"audio_source_id"` - // Group call join payload; received from tgcalls - Payload string `json:"payload"` - // Pass true to join the call with muted microphone - IsMuted bool `json:"is_muted"` - // Pass true if the user's video is enabled - IsMyVideoEnabled bool `json:"is_my_video_enabled"` - // If non-empty, invite hash to be used to join the group call without being muted by administrators - InviteHash string `json:"invite_hash"` +type JoinGroupCallRequest struct { + // The group call to join + InputGroupCall InputGroupCall `json:"input_group_call"` + // Parameters to join the call + JoinParameters *GroupCallJoinParameters `json:"join_parameters"` } -// Joins an active group call. Returns join response payload for tgcalls -func (client *Client) JoinGroupCall(req *JoinGroupCallRequest) (*Text, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "joinGroupCall", - }, - Data: map[string]interface{}{ - "group_call_id": req.GroupCallId, - "participant_id": req.ParticipantId, - "audio_source_id": req.AudioSourceId, - "payload": req.Payload, - "is_muted": req.IsMuted, - "is_my_video_enabled": req.IsMyVideoEnabled, - "invite_hash": req.InviteHash, - }, - }) - if err != nil { - return nil, err - } +// Joins a regular group call that is not bound to a chat +func (client *Client) JoinGroupCall(req *JoinGroupCallRequest) (*GroupCallInfo, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "joinGroupCall", + }, + Data: map[string]interface{}{ + "input_group_call": req.InputGroupCall, + "join_parameters": req.JoinParameters, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalText(result.Data) + return UnmarshalGroupCallInfo(result.Data) } -type StartGroupCallScreenSharingRequest struct { - // Group call identifier - GroupCallId int32 `json:"group_call_id"` - // Screen sharing audio channel synchronization source identifier; received from tgcalls - AudioSourceId int32 `json:"audio_source_id"` - // Group call join payload; received from tgcalls - Payload string `json:"payload"` +type JoinVideoChatRequest struct { + // Group call identifier + GroupCallId int32 `json:"group_call_id"` + // Identifier of a group call participant, which will be used to join the call; pass null to join as self + ParticipantId MessageSender `json:"participant_id"` + // Parameters to join the call + JoinParameters *GroupCallJoinParameters `json:"join_parameters"` + // Invite hash as received from internalLinkTypeVideoChat + InviteHash string `json:"invite_hash"` } -// Starts screen sharing in a joined group call. Returns join response payload for tgcalls +// Joins an active video chat. Returns join response payload for tgcalls +func (client *Client) JoinVideoChat(req *JoinVideoChatRequest) (*Text, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "joinVideoChat", + }, + Data: map[string]interface{}{ + "group_call_id": req.GroupCallId, + "participant_id": req.ParticipantId, + "join_parameters": req.JoinParameters, + "invite_hash": req.InviteHash, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalText(result.Data) +} + +type JoinLiveStoryRequest struct { + // Group call identifier + GroupCallId int32 `json:"group_call_id"` + // Parameters to join the call + JoinParameters *GroupCallJoinParameters `json:"join_parameters"` +} + +// Joins a group call of an active live story. Returns join response payload for tgcalls +func (client *Client) JoinLiveStory(req *JoinLiveStoryRequest) (*Text, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "joinLiveStory", + }, + Data: map[string]interface{}{ + "group_call_id": req.GroupCallId, + "join_parameters": req.JoinParameters, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalText(result.Data) +} + +type StartGroupCallScreenSharingRequest struct { + // Group call identifier + GroupCallId int32 `json:"group_call_id"` + // Screen sharing audio channel synchronization source identifier; received from tgcalls + AudioSourceId int32 `json:"audio_source_id"` + // Group call join payload; received from tgcalls + Payload string `json:"payload"` +} + +// Starts screen sharing in a joined group call; not supported in live stories. Returns join response payload for tgcalls func (client *Client) StartGroupCallScreenSharing(req *StartGroupCallScreenSharingRequest) (*Text, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "startGroupCallScreenSharing", - }, - Data: map[string]interface{}{ - "group_call_id": req.GroupCallId, - "audio_source_id": req.AudioSourceId, - "payload": req.Payload, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "startGroupCallScreenSharing", + }, + Data: map[string]interface{}{ + "group_call_id": req.GroupCallId, + "audio_source_id": req.AudioSourceId, + "payload": req.Payload, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalText(result.Data) + return UnmarshalText(result.Data) } -type ToggleGroupCallScreenSharingIsPausedRequest struct { - // Group call identifier - GroupCallId int32 `json:"group_call_id"` - // Pass true to pause screen sharing; pass false to unpause it - IsPaused bool `json:"is_paused"` +type ToggleGroupCallScreenSharingIsPausedRequest struct { + // Group call identifier + GroupCallId int32 `json:"group_call_id"` + // Pass true to pause screen sharing; pass false to unpause it + IsPaused bool `json:"is_paused"` } -// Pauses or unpauses screen sharing in a joined group call +// Pauses or unpauses screen sharing in a joined group call; not supported in live stories func (client *Client) ToggleGroupCallScreenSharingIsPaused(req *ToggleGroupCallScreenSharingIsPausedRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "toggleGroupCallScreenSharingIsPaused", - }, - Data: map[string]interface{}{ - "group_call_id": req.GroupCallId, - "is_paused": req.IsPaused, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "toggleGroupCallScreenSharingIsPaused", + }, + Data: map[string]interface{}{ + "group_call_id": req.GroupCallId, + "is_paused": req.IsPaused, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type EndGroupCallScreenSharingRequest struct { - // Group call identifier - GroupCallId int32 `json:"group_call_id"` +type EndGroupCallScreenSharingRequest struct { + // Group call identifier + GroupCallId int32 `json:"group_call_id"` } -// Ends screen sharing in a joined group call +// Ends screen sharing in a joined group call; not supported in live stories func (client *Client) EndGroupCallScreenSharing(req *EndGroupCallScreenSharingRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "endGroupCallScreenSharing", - }, - Data: map[string]interface{}{ - "group_call_id": req.GroupCallId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "endGroupCallScreenSharing", + }, + Data: map[string]interface{}{ + "group_call_id": req.GroupCallId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SetGroupCallTitleRequest struct { - // Group call identifier - GroupCallId int32 `json:"group_call_id"` - // New group call title; 1-64 characters - Title string `json:"title"` +type SetVideoChatTitleRequest struct { + // Group call identifier + GroupCallId int32 `json:"group_call_id"` + // New group call title; 1-64 characters + Title string `json:"title"` } -// Sets group call title. Requires groupCall.can_be_managed group call flag -func (client *Client) SetGroupCallTitle(req *SetGroupCallTitleRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setGroupCallTitle", - }, - Data: map[string]interface{}{ - "group_call_id": req.GroupCallId, - "title": req.Title, - }, - }) - if err != nil { - return nil, err - } +// Sets title of a video chat; requires groupCall.can_be_managed right +func (client *Client) SetVideoChatTitle(req *SetVideoChatTitleRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setVideoChatTitle", + }, + Data: map[string]interface{}{ + "group_call_id": req.GroupCallId, + "title": req.Title, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type ToggleGroupCallMuteNewParticipantsRequest struct { - // Group call identifier - GroupCallId int32 `json:"group_call_id"` - // New value of the mute_new_participants setting - MuteNewParticipants bool `json:"mute_new_participants"` +type ToggleVideoChatMuteNewParticipantsRequest struct { + // Group call identifier + GroupCallId int32 `json:"group_call_id"` + // New value of the mute_new_participants setting + MuteNewParticipants bool `json:"mute_new_participants"` } -// Toggles whether new participants of a group call can be unmuted only by administrators of the group call. Requires groupCall.can_toggle_mute_new_participants group call flag -func (client *Client) ToggleGroupCallMuteNewParticipants(req *ToggleGroupCallMuteNewParticipantsRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "toggleGroupCallMuteNewParticipants", - }, - Data: map[string]interface{}{ - "group_call_id": req.GroupCallId, - "mute_new_participants": req.MuteNewParticipants, - }, - }) - if err != nil { - return nil, err - } +// Toggles whether new participants of a video chat can be unmuted only by administrators of the video chat. Requires groupCall.can_toggle_mute_new_participants right +func (client *Client) ToggleVideoChatMuteNewParticipants(req *ToggleVideoChatMuteNewParticipantsRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "toggleVideoChatMuteNewParticipants", + }, + Data: map[string]interface{}{ + "group_call_id": req.GroupCallId, + "mute_new_participants": req.MuteNewParticipants, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type InviteGroupCallParticipantsRequest struct { - // Group call identifier - GroupCallId int32 `json:"group_call_id"` - // User identifiers. At most 10 users can be invited simultaneously - UserIds []int64 `json:"user_ids"` +type ToggleGroupCallAreMessagesAllowedRequest struct { + // Group call identifier + GroupCallId int32 `json:"group_call_id"` + // New value of the are_messages_allowed setting + AreMessagesAllowed bool `json:"are_messages_allowed"` } -// Invites users to an active group call. Sends a service message of type messageInviteToGroupCall for video chats -func (client *Client) InviteGroupCallParticipants(req *InviteGroupCallParticipantsRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "inviteGroupCallParticipants", - }, - Data: map[string]interface{}{ - "group_call_id": req.GroupCallId, - "user_ids": req.UserIds, - }, - }) - if err != nil { - return nil, err - } +// Toggles whether participants of a group call can send messages there. Requires groupCall.can_toggle_are_messages_allowed right +func (client *Client) ToggleGroupCallAreMessagesAllowed(req *ToggleGroupCallAreMessagesAllowedRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "toggleGroupCallAreMessagesAllowed", + }, + Data: map[string]interface{}{ + "group_call_id": req.GroupCallId, + "are_messages_allowed": req.AreMessagesAllowed, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type GetGroupCallInviteLinkRequest struct { - // Group call identifier - GroupCallId int32 `json:"group_call_id"` - // Pass true if the invite link needs to contain an invite hash, passing which to joinGroupCall would allow the invited user to unmute themselves. Requires groupCall.can_be_managed group call flag - CanSelfUnmute bool `json:"can_self_unmute"` +type GetLiveStoryStreamerRequest struct { + // Group call identifier + GroupCallId int32 `json:"group_call_id"` +} + +// Returns information about the user or the chat that streams to a live story; for live stories that aren't an RTMP stream only +func (client *Client) GetLiveStoryStreamer(req *GetLiveStoryStreamerRequest) (*GroupCallParticipant, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getLiveStoryStreamer", + }, + Data: map[string]interface{}{ + "group_call_id": req.GroupCallId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalGroupCallParticipant(result.Data) +} + +type GetLiveStoryAvailableMessageSendersRequest struct { + // Group call identifier + GroupCallId int32 `json:"group_call_id"` +} + +// Returns the list of message sender identifiers, on whose behalf messages can be sent to a live story +func (client *Client) GetLiveStoryAvailableMessageSenders(req *GetLiveStoryAvailableMessageSendersRequest) (*ChatMessageSenders, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getLiveStoryAvailableMessageSenders", + }, + Data: map[string]interface{}{ + "group_call_id": req.GroupCallId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalChatMessageSenders(result.Data) +} + +type SetLiveStoryMessageSenderRequest struct { + // Group call identifier + GroupCallId int32 `json:"group_call_id"` + // New message sender for the group call + MessageSenderId MessageSender `json:"message_sender_id"` +} + +// Selects a message sender to send messages in a live story call +func (client *Client) SetLiveStoryMessageSender(req *SetLiveStoryMessageSenderRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setLiveStoryMessageSender", + }, + Data: map[string]interface{}{ + "group_call_id": req.GroupCallId, + "message_sender_id": req.MessageSenderId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SendGroupCallMessageRequest struct { + // Group call identifier + GroupCallId int32 `json:"group_call_id"` + // Text of the message to send; 1-getOption("group_call_message_text_length_max") characters for non-live-stories; see updateGroupCallMessageLevels for live story restrictions, which depends on paid_message_star_count. Can't contain line feeds for live stories + Text *FormattedText `json:"text"` + // The number of Telegram Stars the user agreed to pay to send the message; for live stories only; 0-getOption("paid_group_call_message_star_count_max"). Must be 0 for messages sent to live stories posted by the current user + PaidMessageStarCount int64 `json:"paid_message_star_count"` +} + +// Sends a message to other participants of a group call. Requires groupCall.can_send_messages right +func (client *Client) SendGroupCallMessage(req *SendGroupCallMessageRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "sendGroupCallMessage", + }, + Data: map[string]interface{}{ + "group_call_id": req.GroupCallId, + "text": req.Text, + "paid_message_star_count": req.PaidMessageStarCount, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type AddPendingLiveStoryReactionRequest struct { + // Group call identifier + GroupCallId int32 `json:"group_call_id"` + // Number of Telegram Stars to be used for the reaction. The total number of pending paid reactions must not exceed getOption("paid_group_call_message_star_count_max") + StarCount int64 `json:"star_count"` +} + +// Adds pending paid reaction in a live story group call. Can't be used in live stories posted by the current user. Call commitPendingLiveStoryReactions or removePendingLiveStoryReactions to actually send all pending reactions when the undo timer is over or abort the sending +func (client *Client) AddPendingLiveStoryReaction(req *AddPendingLiveStoryReactionRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "addPendingLiveStoryReaction", + }, + Data: map[string]interface{}{ + "group_call_id": req.GroupCallId, + "star_count": req.StarCount, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type CommitPendingLiveStoryReactionsRequest struct { + // Group call identifier + GroupCallId int32 `json:"group_call_id"` +} + +// Applies all pending paid reactions in a live story group call +func (client *Client) CommitPendingLiveStoryReactions(req *CommitPendingLiveStoryReactionsRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "commitPendingLiveStoryReactions", + }, + Data: map[string]interface{}{ + "group_call_id": req.GroupCallId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type RemovePendingLiveStoryReactionsRequest struct { + // Group call identifier + GroupCallId int32 `json:"group_call_id"` +} + +// Removes all pending paid reactions in a live story group call +func (client *Client) RemovePendingLiveStoryReactions(req *RemovePendingLiveStoryReactionsRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "removePendingLiveStoryReactions", + }, + Data: map[string]interface{}{ + "group_call_id": req.GroupCallId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type DeleteGroupCallMessagesRequest struct { + // Group call identifier + GroupCallId int32 `json:"group_call_id"` + // Identifiers of the messages to be deleted + MessageIds []int32 `json:"message_ids"` + // Pass true to report the messages as spam + ReportSpam bool `json:"report_spam"` +} + +// Deletes messages in a group call; for live story calls only. Requires groupCallMessage.can_be_deleted right +func (client *Client) DeleteGroupCallMessages(req *DeleteGroupCallMessagesRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "deleteGroupCallMessages", + }, + Data: map[string]interface{}{ + "group_call_id": req.GroupCallId, + "message_ids": req.MessageIds, + "report_spam": req.ReportSpam, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type DeleteGroupCallMessagesBySenderRequest struct { + // Group call identifier + GroupCallId int32 `json:"group_call_id"` + // Identifier of the sender of messages to delete + SenderId MessageSender `json:"sender_id"` + // Pass true to report the messages as spam + ReportSpam bool `json:"report_spam"` +} + +// Deletes all messages sent by the specified message sender in a group call; for live story calls only. Requires groupCall.can_delete_messages right +func (client *Client) DeleteGroupCallMessagesBySender(req *DeleteGroupCallMessagesBySenderRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "deleteGroupCallMessagesBySender", + }, + Data: map[string]interface{}{ + "group_call_id": req.GroupCallId, + "sender_id": req.SenderId, + "report_spam": req.ReportSpam, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type GetLiveStoryTopDonorsRequest struct { + // Group call identifier of the live story + GroupCallId int32 `json:"group_call_id"` +} + +// Returns the list of top live story donors +func (client *Client) GetLiveStoryTopDonors(req *GetLiveStoryTopDonorsRequest) (*LiveStoryDonors, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getLiveStoryTopDonors", + }, + Data: map[string]interface{}{ + "group_call_id": req.GroupCallId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalLiveStoryDonors(result.Data) +} + +type InviteGroupCallParticipantRequest struct { + // Group call identifier + GroupCallId int32 `json:"group_call_id"` + // User identifier + UserId int64 `json:"user_id"` + // Pass true if the group call is a video call + IsVideo bool `json:"is_video"` +} + +// Invites a user to an active group call; for group calls not bound to a chat only. Sends a service message of the type messageGroupCall. The group call can have at most getOption("group_call_participant_count_max") participants +func (client *Client) InviteGroupCallParticipant(req *InviteGroupCallParticipantRequest) (InviteGroupCallParticipantResult, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "inviteGroupCallParticipant", + }, + Data: map[string]interface{}{ + "group_call_id": req.GroupCallId, + "user_id": req.UserId, + "is_video": req.IsVideo, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + switch result.Type { + case TypeInviteGroupCallParticipantResultUserPrivacyRestricted: + return UnmarshalInviteGroupCallParticipantResultUserPrivacyRestricted(result.Data) + + case TypeInviteGroupCallParticipantResultUserAlreadyParticipant: + return UnmarshalInviteGroupCallParticipantResultUserAlreadyParticipant(result.Data) + + case TypeInviteGroupCallParticipantResultUserWasBanned: + return UnmarshalInviteGroupCallParticipantResultUserWasBanned(result.Data) + + case TypeInviteGroupCallParticipantResultSuccess: + return UnmarshalInviteGroupCallParticipantResultSuccess(result.Data) + + default: + return nil, errors.New("invalid type") + } +} + +type DeclineGroupCallInvitationRequest struct { + // Identifier of the chat with the message + ChatId int64 `json:"chat_id"` + // Identifier of the message of the type messageGroupCall + MessageId int64 `json:"message_id"` +} + +// Declines an invitation to an active group call via messageGroupCall. Can be called both by the sender and the receiver of the invitation +func (client *Client) DeclineGroupCallInvitation(req *DeclineGroupCallInvitationRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "declineGroupCallInvitation", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type BanGroupCallParticipantsRequest struct { + // Group call identifier + GroupCallId int32 `json:"group_call_id"` + // Identifiers of group call participants to ban; identifiers of unknown users from the update updateGroupCallParticipants can be also passed to the method + UserIds []JsonInt64 `json:"user_ids"` +} + +// Bans users from a group call not bound to a chat; requires groupCall.is_owned. Only the owner of the group call can invite the banned users back +func (client *Client) BanGroupCallParticipants(req *BanGroupCallParticipantsRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "banGroupCallParticipants", + }, + Data: map[string]interface{}{ + "group_call_id": req.GroupCallId, + "user_ids": req.UserIds, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type InviteVideoChatParticipantsRequest struct { + // Group call identifier + GroupCallId int32 `json:"group_call_id"` + // User identifiers. At most 10 users can be invited simultaneously + UserIds []int64 `json:"user_ids"` +} + +// Invites users to an active video chat. Sends a service message of the type messageInviteVideoChatParticipants to the chat bound to the group call +func (client *Client) InviteVideoChatParticipants(req *InviteVideoChatParticipantsRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "inviteVideoChatParticipants", + }, + Data: map[string]interface{}{ + "group_call_id": req.GroupCallId, + "user_ids": req.UserIds, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type GetVideoChatInviteLinkRequest struct { + // Group call identifier + GroupCallId int32 `json:"group_call_id"` + // Pass true if the invite link needs to contain an invite hash, passing which to joinVideoChat would allow the invited user to unmute themselves. Requires groupCall.can_be_managed right + CanSelfUnmute bool `json:"can_self_unmute"` } // Returns invite link to a video chat in a public chat -func (client *Client) GetGroupCallInviteLink(req *GetGroupCallInviteLinkRequest) (*HttpUrl, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getGroupCallInviteLink", - }, - Data: map[string]interface{}{ - "group_call_id": req.GroupCallId, - "can_self_unmute": req.CanSelfUnmute, - }, - }) - if err != nil { - return nil, err - } +func (client *Client) GetVideoChatInviteLink(req *GetVideoChatInviteLinkRequest) (*HttpUrl, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getVideoChatInviteLink", + }, + Data: map[string]interface{}{ + "group_call_id": req.GroupCallId, + "can_self_unmute": req.CanSelfUnmute, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalHttpUrl(result.Data) + return UnmarshalHttpUrl(result.Data) } -type RevokeGroupCallInviteLinkRequest struct { - // Group call identifier - GroupCallId int32 `json:"group_call_id"` +type RevokeGroupCallInviteLinkRequest struct { + // Group call identifier + GroupCallId int32 `json:"group_call_id"` } -// Revokes invite link for a group call. Requires groupCall.can_be_managed group call flag +// Revokes invite link for a group call. Requires groupCall.can_be_managed right for video chats or groupCall.is_owned otherwise func (client *Client) RevokeGroupCallInviteLink(req *RevokeGroupCallInviteLinkRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "revokeGroupCallInviteLink", - }, - Data: map[string]interface{}{ - "group_call_id": req.GroupCallId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "revokeGroupCallInviteLink", + }, + Data: map[string]interface{}{ + "group_call_id": req.GroupCallId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type StartGroupCallRecordingRequest struct { - // Group call identifier - GroupCallId int32 `json:"group_call_id"` - // Group call recording title; 0-64 characters - Title string `json:"title"` - // Pass true to record a video file instead of an audio file - RecordVideo bool `json:"record_video"` - // Pass true to use portrait orientation for video instead of landscape one - UsePortraitOrientation bool `json:"use_portrait_orientation"` +type StartGroupCallRecordingRequest struct { + // Group call identifier + GroupCallId int32 `json:"group_call_id"` + // Group call recording title; 0-64 characters + Title string `json:"title"` + // Pass true to record a video file instead of an audio file + RecordVideo bool `json:"record_video"` + // Pass true to use portrait orientation for video instead of landscape one + UsePortraitOrientation bool `json:"use_portrait_orientation"` } -// Starts recording of an active group call. Requires groupCall.can_be_managed group call flag +// Starts recording of an active group call; for video chats only. Requires groupCall.can_be_managed right func (client *Client) StartGroupCallRecording(req *StartGroupCallRecordingRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "startGroupCallRecording", - }, - Data: map[string]interface{}{ - "group_call_id": req.GroupCallId, - "title": req.Title, - "record_video": req.RecordVideo, - "use_portrait_orientation": req.UsePortraitOrientation, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "startGroupCallRecording", + }, + Data: map[string]interface{}{ + "group_call_id": req.GroupCallId, + "title": req.Title, + "record_video": req.RecordVideo, + "use_portrait_orientation": req.UsePortraitOrientation, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type EndGroupCallRecordingRequest struct { - // Group call identifier - GroupCallId int32 `json:"group_call_id"` +type EndGroupCallRecordingRequest struct { + // Group call identifier + GroupCallId int32 `json:"group_call_id"` } -// Ends recording of an active group call. Requires groupCall.can_be_managed group call flag +// Ends recording of an active group call; for video chats only. Requires groupCall.can_be_managed right func (client *Client) EndGroupCallRecording(req *EndGroupCallRecordingRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "endGroupCallRecording", - }, - Data: map[string]interface{}{ - "group_call_id": req.GroupCallId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "endGroupCallRecording", + }, + Data: map[string]interface{}{ + "group_call_id": req.GroupCallId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type ToggleGroupCallIsMyVideoPausedRequest struct { - // Group call identifier - GroupCallId int32 `json:"group_call_id"` - // Pass true if the current user's video is paused - IsMyVideoPaused bool `json:"is_my_video_paused"` +type ToggleGroupCallIsMyVideoPausedRequest struct { + // Group call identifier + GroupCallId int32 `json:"group_call_id"` + // Pass true if the current user's video is paused + IsMyVideoPaused bool `json:"is_my_video_paused"` } // Toggles whether current user's video is paused func (client *Client) ToggleGroupCallIsMyVideoPaused(req *ToggleGroupCallIsMyVideoPausedRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "toggleGroupCallIsMyVideoPaused", - }, - Data: map[string]interface{}{ - "group_call_id": req.GroupCallId, - "is_my_video_paused": req.IsMyVideoPaused, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "toggleGroupCallIsMyVideoPaused", + }, + Data: map[string]interface{}{ + "group_call_id": req.GroupCallId, + "is_my_video_paused": req.IsMyVideoPaused, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type ToggleGroupCallIsMyVideoEnabledRequest struct { - // Group call identifier - GroupCallId int32 `json:"group_call_id"` - // Pass true if the current user's video is enabled - IsMyVideoEnabled bool `json:"is_my_video_enabled"` +type ToggleGroupCallIsMyVideoEnabledRequest struct { + // Group call identifier + GroupCallId int32 `json:"group_call_id"` + // Pass true if the current user's video is enabled + IsMyVideoEnabled bool `json:"is_my_video_enabled"` } // Toggles whether current user's video is enabled func (client *Client) ToggleGroupCallIsMyVideoEnabled(req *ToggleGroupCallIsMyVideoEnabledRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "toggleGroupCallIsMyVideoEnabled", - }, - Data: map[string]interface{}{ - "group_call_id": req.GroupCallId, - "is_my_video_enabled": req.IsMyVideoEnabled, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "toggleGroupCallIsMyVideoEnabled", + }, + Data: map[string]interface{}{ + "group_call_id": req.GroupCallId, + "is_my_video_enabled": req.IsMyVideoEnabled, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SetGroupCallParticipantIsSpeakingRequest struct { - // Group call identifier - GroupCallId int32 `json:"group_call_id"` - // Group call participant's synchronization audio source identifier, or 0 for the current user - AudioSource int32 `json:"audio_source"` - // Pass true if the user is speaking - IsSpeaking bool `json:"is_speaking"` +type SetGroupCallPaidMessageStarCountRequest struct { + // Group call identifier; must be an identifier of a live story call + GroupCallId int32 `json:"group_call_id"` + // The new minimum number of Telegram Stars; 0-getOption("paid_group_call_message_star_count_max") + PaidMessageStarCount int64 `json:"paid_message_star_count"` } -// Informs TDLib that speaking state of a participant of an active group has changed -func (client *Client) SetGroupCallParticipantIsSpeaking(req *SetGroupCallParticipantIsSpeakingRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setGroupCallParticipantIsSpeaking", - }, - Data: map[string]interface{}{ - "group_call_id": req.GroupCallId, - "audio_source": req.AudioSource, - "is_speaking": req.IsSpeaking, - }, - }) - if err != nil { - return nil, err - } +// Changes the minimum number of Telegram Stars that must be paid by general participant for each sent message to a live story call. Requires groupCall.can_be_managed right +func (client *Client) SetGroupCallPaidMessageStarCount(req *SetGroupCallPaidMessageStarCountRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setGroupCallPaidMessageStarCount", + }, + Data: map[string]interface{}{ + "group_call_id": req.GroupCallId, + "paid_message_star_count": req.PaidMessageStarCount, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type ToggleGroupCallParticipantIsMutedRequest struct { - // Group call identifier - GroupCallId int32 `json:"group_call_id"` - // Participant identifier - ParticipantId MessageSender `json:"participant_id"` - // Pass true to mute the user; pass false to unmute the them - IsMuted bool `json:"is_muted"` +type SetGroupCallParticipantIsSpeakingRequest struct { + // Group call identifier + GroupCallId int32 `json:"group_call_id"` + // Group call participant's synchronization audio source identifier, or 0 for the current user + AudioSource int32 `json:"audio_source"` + // Pass true if the user is speaking + IsSpeaking bool `json:"is_speaking"` } -// Toggles whether a participant of an active group call is muted, unmuted, or allowed to unmute themselves +// Informs TDLib that speaking state of a participant of an active group call has changed. Returns identifier of the participant if it is found +func (client *Client) SetGroupCallParticipantIsSpeaking(req *SetGroupCallParticipantIsSpeakingRequest) (MessageSender, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setGroupCallParticipantIsSpeaking", + }, + Data: map[string]interface{}{ + "group_call_id": req.GroupCallId, + "audio_source": req.AudioSource, + "is_speaking": req.IsSpeaking, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + switch result.Type { + case TypeMessageSenderUser: + return UnmarshalMessageSenderUser(result.Data) + + case TypeMessageSenderChat: + return UnmarshalMessageSenderChat(result.Data) + + default: + return nil, errors.New("invalid type") + } +} + +type ToggleGroupCallParticipantIsMutedRequest struct { + // Group call identifier + GroupCallId int32 `json:"group_call_id"` + // Participant identifier + ParticipantId MessageSender `json:"participant_id"` + // Pass true to mute the user; pass false to unmute them + IsMuted bool `json:"is_muted"` +} + +// Toggles whether a participant of an active group call is muted, unmuted, or allowed to unmute themselves; not supported for live stories func (client *Client) ToggleGroupCallParticipantIsMuted(req *ToggleGroupCallParticipantIsMutedRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "toggleGroupCallParticipantIsMuted", - }, - Data: map[string]interface{}{ - "group_call_id": req.GroupCallId, - "participant_id": req.ParticipantId, - "is_muted": req.IsMuted, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "toggleGroupCallParticipantIsMuted", + }, + Data: map[string]interface{}{ + "group_call_id": req.GroupCallId, + "participant_id": req.ParticipantId, + "is_muted": req.IsMuted, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SetGroupCallParticipantVolumeLevelRequest struct { - // Group call identifier - GroupCallId int32 `json:"group_call_id"` - // Participant identifier - ParticipantId MessageSender `json:"participant_id"` - // New participant's volume level; 1-20000 in hundreds of percents - VolumeLevel int32 `json:"volume_level"` +type SetGroupCallParticipantVolumeLevelRequest struct { + // Group call identifier + GroupCallId int32 `json:"group_call_id"` + // Participant identifier + ParticipantId MessageSender `json:"participant_id"` + // New participant's volume level; 1-20000 in hundreds of percents + VolumeLevel int32 `json:"volume_level"` } -// Changes volume level of a participant of an active group call. If the current user can manage the group call, then the participant's volume level will be changed for all users with the default volume level +// Changes volume level of a participant of an active group call; not supported for live stories. If the current user can manage the group call or is the owner of the group call, then the participant's volume level will be changed for all users with the default volume level func (client *Client) SetGroupCallParticipantVolumeLevel(req *SetGroupCallParticipantVolumeLevelRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setGroupCallParticipantVolumeLevel", - }, - Data: map[string]interface{}{ - "group_call_id": req.GroupCallId, - "participant_id": req.ParticipantId, - "volume_level": req.VolumeLevel, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setGroupCallParticipantVolumeLevel", + }, + Data: map[string]interface{}{ + "group_call_id": req.GroupCallId, + "participant_id": req.ParticipantId, + "volume_level": req.VolumeLevel, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type ToggleGroupCallParticipantIsHandRaisedRequest struct { - // Group call identifier - GroupCallId int32 `json:"group_call_id"` - // Participant identifier - ParticipantId MessageSender `json:"participant_id"` - // Pass true if the user's hand needs to be raised. Only self hand can be raised. Requires groupCall.can_be_managed group call flag to lower other's hand - IsHandRaised bool `json:"is_hand_raised"` +type ToggleGroupCallParticipantIsHandRaisedRequest struct { + // Group call identifier + GroupCallId int32 `json:"group_call_id"` + // Participant identifier + ParticipantId MessageSender `json:"participant_id"` + // Pass true if the user's hand needs to be raised. Only self hand can be raised. Requires groupCall.can_be_managed right to lower other's hand + IsHandRaised bool `json:"is_hand_raised"` } -// Toggles whether a group call participant hand is rased +// Toggles whether a group call participant hand is rased; for video chats only func (client *Client) ToggleGroupCallParticipantIsHandRaised(req *ToggleGroupCallParticipantIsHandRaisedRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "toggleGroupCallParticipantIsHandRaised", - }, - Data: map[string]interface{}{ - "group_call_id": req.GroupCallId, - "participant_id": req.ParticipantId, - "is_hand_raised": req.IsHandRaised, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "toggleGroupCallParticipantIsHandRaised", + }, + Data: map[string]interface{}{ + "group_call_id": req.GroupCallId, + "participant_id": req.ParticipantId, + "is_hand_raised": req.IsHandRaised, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type LoadGroupCallParticipantsRequest struct { - // Group call identifier. The group call must be previously received through getGroupCall and must be joined or being joined - GroupCallId int32 `json:"group_call_id"` - // The maximum number of participants to load; up to 100 - Limit int32 `json:"limit"` +type GetGroupCallParticipantsRequest struct { + // The group call which participants will be returned + InputGroupCall InputGroupCall `json:"input_group_call"` + // The maximum number of participants to return; must be positive + Limit int32 `json:"limit"` } -// Loads more participants of a group call. The loaded participants will be received through updates. Use the field groupCall.loaded_all_participants to check whether all participants have already been loaded +// Returns information about participants of a non-joined group call that is not bound to a chat +func (client *Client) GetGroupCallParticipants(req *GetGroupCallParticipantsRequest) (*GroupCallParticipants, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getGroupCallParticipants", + }, + Data: map[string]interface{}{ + "input_group_call": req.InputGroupCall, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalGroupCallParticipants(result.Data) +} + +type LoadGroupCallParticipantsRequest struct { + // Group call identifier. The group call must be previously received through getGroupCall and must be joined or being joined + GroupCallId int32 `json:"group_call_id"` + // The maximum number of participants to load; up to 100 + Limit int32 `json:"limit"` +} + +// Loads more participants of a group call; not supported in live stories. The loaded participants will be received through updates. Use the field groupCall.loaded_all_participants to check whether all participants have already been loaded func (client *Client) LoadGroupCallParticipants(req *LoadGroupCallParticipantsRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "loadGroupCallParticipants", - }, - Data: map[string]interface{}{ - "group_call_id": req.GroupCallId, - "limit": req.Limit, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "loadGroupCallParticipants", + }, + Data: map[string]interface{}{ + "group_call_id": req.GroupCallId, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type LeaveGroupCallRequest struct { - // Group call identifier - GroupCallId int32 `json:"group_call_id"` +type LeaveGroupCallRequest struct { + // Group call identifier + GroupCallId int32 `json:"group_call_id"` } // Leaves a group call func (client *Client) LeaveGroupCall(req *LeaveGroupCallRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "leaveGroupCall", - }, - Data: map[string]interface{}{ - "group_call_id": req.GroupCallId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "leaveGroupCall", + }, + Data: map[string]interface{}{ + "group_call_id": req.GroupCallId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type EndGroupCallRequest struct { - // Group call identifier - GroupCallId int32 `json:"group_call_id"` +type EndGroupCallRequest struct { + // Group call identifier + GroupCallId int32 `json:"group_call_id"` } -// Ends a group call. Requires groupCall.can_be_managed +// Ends a group call. Requires groupCall.can_be_managed right for video chats and live stories or groupCall.is_owned otherwise func (client *Client) EndGroupCall(req *EndGroupCallRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "endGroupCall", - }, - Data: map[string]interface{}{ - "group_call_id": req.GroupCallId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "endGroupCall", + }, + Data: map[string]interface{}{ + "group_call_id": req.GroupCallId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type GetGroupCallStreamsRequest struct { - // Group call identifier - GroupCallId int32 `json:"group_call_id"` +type GetGroupCallStreamsRequest struct { + // Group call identifier + GroupCallId int32 `json:"group_call_id"` } -// Returns information about available group call streams +// Returns information about available streams in a video chat or a live story func (client *Client) GetGroupCallStreams(req *GetGroupCallStreamsRequest) (*GroupCallStreams, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getGroupCallStreams", - }, - Data: map[string]interface{}{ - "group_call_id": req.GroupCallId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getGroupCallStreams", + }, + Data: map[string]interface{}{ + "group_call_id": req.GroupCallId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalGroupCallStreams(result.Data) + return UnmarshalGroupCallStreams(result.Data) } -type GetGroupCallStreamSegmentRequest struct { - // Group call identifier - GroupCallId int32 `json:"group_call_id"` - // Point in time when the stream segment begins; Unix timestamp in milliseconds - TimeOffset int64 `json:"time_offset"` - // Segment duration scale; 0-1. Segment's duration is 1000/(2**scale) milliseconds - Scale int32 `json:"scale"` - // Identifier of an audio/video channel to get as received from tgcalls - ChannelId int32 `json:"channel_id"` - // Video quality as received from tgcalls; pass null to get the worst available quality - VideoQuality GroupCallVideoQuality `json:"video_quality"` +type GetGroupCallStreamSegmentRequest struct { + // Group call identifier + GroupCallId int32 `json:"group_call_id"` + // Point in time when the stream segment begins; Unix timestamp in milliseconds + TimeOffset int64 `json:"time_offset"` + // Segment duration scale; 0-1. Segment's duration is 1000/(2**scale) milliseconds + Scale int32 `json:"scale"` + // Identifier of an audio/video channel to get as received from tgcalls + ChannelId int32 `json:"channel_id"` + // Video quality as received from tgcalls; pass null to get the worst available quality + VideoQuality GroupCallVideoQuality `json:"video_quality"` } -// Returns a file with a segment of a group call stream in a modified OGG format for audio or MPEG-4 format for video -func (client *Client) GetGroupCallStreamSegment(req *GetGroupCallStreamSegmentRequest) (*FilePart, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getGroupCallStreamSegment", - }, - Data: map[string]interface{}{ - "group_call_id": req.GroupCallId, - "time_offset": req.TimeOffset, - "scale": req.Scale, - "channel_id": req.ChannelId, - "video_quality": req.VideoQuality, - }, - }) - if err != nil { - return nil, err - } +// Returns a file with a segment of a video chat or live story in a modified OGG format for audio or MPEG-4 format for video +func (client *Client) GetGroupCallStreamSegment(req *GetGroupCallStreamSegmentRequest) (*Data, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getGroupCallStreamSegment", + }, + Data: map[string]interface{}{ + "group_call_id": req.GroupCallId, + "time_offset": req.TimeOffset, + "scale": req.Scale, + "channel_id": req.ChannelId, + "video_quality": req.VideoQuality, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalFilePart(result.Data) + return UnmarshalData(result.Data) } -type ToggleMessageSenderIsBlockedRequest struct { - // Identifier of a message sender to block/unblock - SenderId MessageSender `json:"sender_id"` - // New value of is_blocked - IsBlocked bool `json:"is_blocked"` +type EncryptGroupCallDataRequest struct { + // Group call identifier. The call must not be a video chat + GroupCallId int32 `json:"group_call_id"` + // Data channel for which data is encrypted + DataChannel GroupCallDataChannel `json:"data_channel"` + // Data to encrypt + Data []byte `json:"data"` + // Size of data prefix that must be kept unencrypted + UnencryptedPrefixSize int32 `json:"unencrypted_prefix_size"` } -// Changes the block state of a message sender. Currently, only users and supergroup chats can be blocked -func (client *Client) ToggleMessageSenderIsBlocked(req *ToggleMessageSenderIsBlockedRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "toggleMessageSenderIsBlocked", - }, - Data: map[string]interface{}{ - "sender_id": req.SenderId, - "is_blocked": req.IsBlocked, - }, - }) - if err != nil { - return nil, err - } +// Encrypts group call data before sending them over network using tgcalls +func (client *Client) EncryptGroupCallData(req *EncryptGroupCallDataRequest) (*Data, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "encryptGroupCallData", + }, + Data: map[string]interface{}{ + "group_call_id": req.GroupCallId, + "data_channel": req.DataChannel, + "data": req.Data, + "unencrypted_prefix_size": req.UnencryptedPrefixSize, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalData(result.Data) } -type BlockMessageSenderFromRepliesRequest struct { - // The identifier of an incoming message in the Replies chat - MessageId int64 `json:"message_id"` - // Pass true to delete the message - DeleteMessage bool `json:"delete_message"` - // Pass true to delete all messages from the same sender - DeleteAllMessages bool `json:"delete_all_messages"` - // Pass true to report the sender to the Telegram moderators - ReportSpam bool `json:"report_spam"` +type DecryptGroupCallDataRequest struct { + // Group call identifier. The call must not be a video chat + GroupCallId int32 `json:"group_call_id"` + // Identifier of the group call participant, which sent the data + ParticipantId MessageSender `json:"participant_id"` + // Data channel for which data was encrypted; pass null if unknown + DataChannel GroupCallDataChannel `json:"data_channel"` + // Data to decrypt + Data []byte `json:"data"` +} + +// Decrypts group call data received by tgcalls +func (client *Client) DecryptGroupCallData(req *DecryptGroupCallDataRequest) (*Data, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "decryptGroupCallData", + }, + Data: map[string]interface{}{ + "group_call_id": req.GroupCallId, + "participant_id": req.ParticipantId, + "data_channel": req.DataChannel, + "data": req.Data, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalData(result.Data) +} + +type SetMessageSenderBlockListRequest struct { + // Identifier of a message sender to block/unblock + SenderId MessageSender `json:"sender_id"` + // New block list for the message sender; pass null to unblock the message sender + BlockList BlockList `json:"block_list"` +} + +// Changes the block list of a message sender. Currently, only users and supergroup chats can be blocked +func (client *Client) SetMessageSenderBlockList(req *SetMessageSenderBlockListRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setMessageSenderBlockList", + }, + Data: map[string]interface{}{ + "sender_id": req.SenderId, + "block_list": req.BlockList, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type BlockMessageSenderFromRepliesRequest struct { + // The identifier of an incoming message in the Replies chat + MessageId int64 `json:"message_id"` + // Pass true to delete the message + DeleteMessage bool `json:"delete_message"` + // Pass true to delete all messages from the same sender + DeleteAllMessages bool `json:"delete_all_messages"` + // Pass true to report the sender to the Telegram moderators + ReportSpam bool `json:"report_spam"` } // Blocks an original sender of a message in the Replies chat func (client *Client) BlockMessageSenderFromReplies(req *BlockMessageSenderFromRepliesRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "blockMessageSenderFromReplies", - }, - Data: map[string]interface{}{ - "message_id": req.MessageId, - "delete_message": req.DeleteMessage, - "delete_all_messages": req.DeleteAllMessages, - "report_spam": req.ReportSpam, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "blockMessageSenderFromReplies", + }, + Data: map[string]interface{}{ + "message_id": req.MessageId, + "delete_message": req.DeleteMessage, + "delete_all_messages": req.DeleteAllMessages, + "report_spam": req.ReportSpam, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type GetBlockedMessageSendersRequest struct { - // Number of users and chats to skip in the result; must be non-negative - Offset int32 `json:"offset"` - // The maximum number of users and chats to return; up to 100 - Limit int32 `json:"limit"` +type GetBlockedMessageSendersRequest struct { + // Block list from which to return users + BlockList BlockList `json:"block_list"` + // Number of users and chats to skip in the result; must be non-negative + Offset int32 `json:"offset"` + // The maximum number of users and chats to return; up to 100 + Limit int32 `json:"limit"` } // Returns users and chats that were blocked by the current user func (client *Client) GetBlockedMessageSenders(req *GetBlockedMessageSendersRequest) (*MessageSenders, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getBlockedMessageSenders", - }, - Data: map[string]interface{}{ - "offset": req.Offset, - "limit": req.Limit, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getBlockedMessageSenders", + }, + Data: map[string]interface{}{ + "block_list": req.BlockList, + "offset": req.Offset, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalMessageSenders(result.Data) + return UnmarshalMessageSenders(result.Data) } -type AddContactRequest struct { - // The contact to add or edit; phone number may be empty and needs to be specified only if known, vCard is ignored - Contact *Contact `json:"contact"` - // Pass true to share the current user's phone number with the new contact. A corresponding rule to userPrivacySettingShowPhoneNumber will be added if needed. Use the field userFullInfo.need_phone_number_privacy_exception to check whether the current user needs to be asked to share their phone number - SharePhoneNumber bool `json:"share_phone_number"` +type AddContactRequest struct { + // Identifier of the user + UserId int64 `json:"user_id"` + // The contact to add or edit; phone number may be empty and needs to be specified only if known + Contact *ImportedContact `json:"contact"` + // Pass true to share the current user's phone number with the new contact. A corresponding rule to userPrivacySettingShowPhoneNumber will be added if needed. Use the field userFullInfo.need_phone_number_privacy_exception to check whether the current user needs to be asked to share their phone number + SharePhoneNumber bool `json:"share_phone_number"` } // Adds a user to the contact list or edits an existing contact by their user identifier func (client *Client) AddContact(req *AddContactRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "addContact", - }, - Data: map[string]interface{}{ - "contact": req.Contact, - "share_phone_number": req.SharePhoneNumber, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "addContact", + }, + Data: map[string]interface{}{ + "user_id": req.UserId, + "contact": req.Contact, + "share_phone_number": req.SharePhoneNumber, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type ImportContactsRequest struct { - // The list of contacts to import or edit; contacts' vCard are ignored and are not imported - Contacts []*Contact `json:"contacts"` +type ImportContactsRequest struct { + // The list of contacts to import or edit + Contacts []*ImportedContact `json:"contacts"` } // Adds new contacts or edits existing contacts by their phone numbers; contacts' user identifiers are ignored func (client *Client) ImportContacts(req *ImportContactsRequest) (*ImportedContacts, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "importContacts", - }, - Data: map[string]interface{}{ - "contacts": req.Contacts, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "importContacts", + }, + Data: map[string]interface{}{ + "contacts": req.Contacts, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalImportedContacts(result.Data) + return UnmarshalImportedContacts(result.Data) } -// Returns all user contacts +// Returns all contacts of the user func (client *Client) GetContacts() (*Users, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getContacts", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getContacts", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalUsers(result.Data) + return UnmarshalUsers(result.Data) } -type SearchContactsRequest struct { - // Query to search for; may be empty to return all contacts - Query string `json:"query"` - // The maximum number of users to be returned - Limit int32 `json:"limit"` +type SearchContactsRequest struct { + // Query to search for; may be empty to return all contacts + Query string `json:"query"` + // The maximum number of users to be returned + Limit int32 `json:"limit"` } // Searches for the specified query in the first names, last names and usernames of the known user contacts func (client *Client) SearchContacts(req *SearchContactsRequest) (*Users, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "searchContacts", - }, - Data: map[string]interface{}{ - "query": req.Query, - "limit": req.Limit, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "searchContacts", + }, + Data: map[string]interface{}{ + "query": req.Query, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalUsers(result.Data) + return UnmarshalUsers(result.Data) } -type RemoveContactsRequest struct { - // Identifiers of users to be deleted - UserIds []int64 `json:"user_ids"` +type RemoveContactsRequest struct { + // Identifiers of users to be deleted + UserIds []int64 `json:"user_ids"` } // Removes users from the contact list func (client *Client) RemoveContacts(req *RemoveContactsRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "removeContacts", - }, - Data: map[string]interface{}{ - "user_ids": req.UserIds, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "removeContacts", + }, + Data: map[string]interface{}{ + "user_ids": req.UserIds, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } // Returns the total number of imported contacts func (client *Client) GetImportedContactCount() (*Count, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getImportedContactCount", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getImportedContactCount", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalCount(result.Data) + return UnmarshalCount(result.Data) } -type ChangeImportedContactsRequest struct { - // The new list of contacts, contact's vCard are ignored and are not imported - Contacts []*Contact `json:"contacts"` +type ChangeImportedContactsRequest struct { + // The new list of contacts to import + Contacts []*ImportedContact `json:"contacts"` } // Changes imported contacts using the list of contacts saved on the device. Imports newly added contacts and, if at least the file database is enabled, deletes recently deleted contacts. Query result depends on the result of the previous query, so only one query is possible at the same time func (client *Client) ChangeImportedContacts(req *ChangeImportedContactsRequest) (*ImportedContacts, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "changeImportedContacts", - }, - Data: map[string]interface{}{ - "contacts": req.Contacts, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "changeImportedContacts", + }, + Data: map[string]interface{}{ + "contacts": req.Contacts, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalImportedContacts(result.Data) + return UnmarshalImportedContacts(result.Data) } // Clears all imported contacts, contact list remains unchanged func (client *Client) ClearImportedContacts() (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "clearImportedContacts", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "clearImportedContacts", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SetUserPersonalProfilePhotoRequest struct { - // User identifier - UserId int64 `json:"user_id"` - // Profile photo to set; pass null to delete the photo; inputChatPhotoPrevious isn't supported in this function - Photo InputChatPhoto `json:"photo"` +type SetCloseFriendsRequest struct { + // User identifiers of close friends; the users must be contacts of the current user + UserIds []int64 `json:"user_ids"` +} + +// Changes the list of close friends of the current user +func (client *Client) SetCloseFriends(req *SetCloseFriendsRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setCloseFriends", + }, + Data: map[string]interface{}{ + "user_ids": req.UserIds, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +// Returns all close friends of the current user +func (client *Client) GetCloseFriends() (*Users, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getCloseFriends", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalUsers(result.Data) +} + +type SetUserPersonalProfilePhotoRequest struct { + // User identifier + UserId int64 `json:"user_id"` + // Profile photo to set; pass null to delete the photo; inputChatPhotoPrevious isn't supported in this function + Photo InputChatPhoto `json:"photo"` } // Changes a personal profile photo of a contact user func (client *Client) SetUserPersonalProfilePhoto(req *SetUserPersonalProfilePhotoRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setUserPersonalProfilePhoto", - }, - Data: map[string]interface{}{ - "user_id": req.UserId, - "photo": req.Photo, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setUserPersonalProfilePhoto", + }, + Data: map[string]interface{}{ + "user_id": req.UserId, + "photo": req.Photo, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SuggestUserProfilePhotoRequest struct { - // User identifier - UserId int64 `json:"user_id"` - // Profile photo to suggest; inputChatPhotoPrevious isn't supported in this function - Photo InputChatPhoto `json:"photo"` +type SetUserNoteRequest struct { + // User identifier + UserId int64 `json:"user_id"` + // Note to set for the user; 0-getOption("user_note_text_length_max") characters. Only Bold, Italic, Underline, Strikethrough, Spoiler, and CustomEmoji entities are allowed + Note *FormattedText `json:"note"` } -// Suggests a profile photo to another regular user with common messages +// Changes a note of a contact user +func (client *Client) SetUserNote(req *SetUserNoteRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setUserNote", + }, + Data: map[string]interface{}{ + "user_id": req.UserId, + "note": req.Note, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SuggestUserProfilePhotoRequest struct { + // User identifier + UserId int64 `json:"user_id"` + // Profile photo to suggest; inputChatPhotoPrevious isn't supported in this function + Photo InputChatPhoto `json:"photo"` +} + +// Suggests a profile photo to another regular user with common messages and allowing non-paid messages func (client *Client) SuggestUserProfilePhoto(req *SuggestUserProfilePhotoRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "suggestUserProfilePhoto", - }, - Data: map[string]interface{}{ - "user_id": req.UserId, - "photo": req.Photo, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "suggestUserProfilePhoto", + }, + Data: map[string]interface{}{ + "user_id": req.UserId, + "photo": req.Photo, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SearchUserByPhoneNumberRequest struct { - // Phone number to search for - PhoneNumber string `json:"phone_number"` +type SuggestUserBirthdateRequest struct { + // User identifier + UserId int64 `json:"user_id"` + // Birthdate to suggest + Birthdate *Birthdate `json:"birthdate"` +} + +// Suggests a birthdate to another regular user with common messages and allowing non-paid messages +func (client *Client) SuggestUserBirthdate(req *SuggestUserBirthdateRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "suggestUserBirthdate", + }, + Data: map[string]interface{}{ + "user_id": req.UserId, + "birthdate": req.Birthdate, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type ToggleBotCanManageEmojiStatusRequest struct { + // User identifier of the bot + BotUserId int64 `json:"bot_user_id"` + // Pass true if the bot is allowed to change emoji status of the user; pass false otherwise + CanManageEmojiStatus bool `json:"can_manage_emoji_status"` +} + +// Toggles whether the bot can manage emoji status of the current user +func (client *Client) ToggleBotCanManageEmojiStatus(req *ToggleBotCanManageEmojiStatusRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "toggleBotCanManageEmojiStatus", + }, + Data: map[string]interface{}{ + "bot_user_id": req.BotUserId, + "can_manage_emoji_status": req.CanManageEmojiStatus, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SetUserEmojiStatusRequest struct { + // Identifier of the user + UserId int64 `json:"user_id"` + // New emoji status; pass null to switch to the default badge + EmojiStatus *EmojiStatus `json:"emoji_status"` +} + +// Changes the emoji status of a user; for bots only +func (client *Client) SetUserEmojiStatus(req *SetUserEmojiStatusRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setUserEmojiStatus", + }, + Data: map[string]interface{}{ + "user_id": req.UserId, + "emoji_status": req.EmojiStatus, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SearchUserByPhoneNumberRequest struct { + // Phone number to search for + PhoneNumber string `json:"phone_number"` + // Pass true to get only locally available information without sending network requests + OnlyLocal bool `json:"only_local"` } // Searches a user by their phone number. Returns a 404 error if the user can't be found func (client *Client) SearchUserByPhoneNumber(req *SearchUserByPhoneNumberRequest) (*User, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "searchUserByPhoneNumber", - }, - Data: map[string]interface{}{ - "phone_number": req.PhoneNumber, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "searchUserByPhoneNumber", + }, + Data: map[string]interface{}{ + "phone_number": req.PhoneNumber, + "only_local": req.OnlyLocal, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalUser(result.Data) + return UnmarshalUser(result.Data) } -type SharePhoneNumberRequest struct { - // Identifier of the user with whom to share the phone number. The user must be a mutual contact - UserId int64 `json:"user_id"` +type SharePhoneNumberRequest struct { + // Identifier of the user with whom to share the phone number. The user must be a mutual contact + UserId int64 `json:"user_id"` } // Shares the phone number of the current user with a mutual contact. Supposed to be called when the user clicks on chatActionBarSharePhoneNumber func (client *Client) SharePhoneNumber(req *SharePhoneNumberRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "sharePhoneNumber", - }, - Data: map[string]interface{}{ - "user_id": req.UserId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "sharePhoneNumber", + }, + Data: map[string]interface{}{ + "user_id": req.UserId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type GetUserProfilePhotosRequest struct { - // User identifier - UserId int64 `json:"user_id"` - // The number of photos to skip; must be non-negative - Offset int32 `json:"offset"` - // The maximum number of photos to be returned; up to 100 - Limit int32 `json:"limit"` +type GetUserProfilePhotosRequest struct { + // User identifier + UserId int64 `json:"user_id"` + // The number of photos to skip; must be non-negative + Offset int32 `json:"offset"` + // The maximum number of photos to be returned; up to 100 + Limit int32 `json:"limit"` } // Returns the profile photos of a user. Personal and public photo aren't returned func (client *Client) GetUserProfilePhotos(req *GetUserProfilePhotosRequest) (*ChatPhotos, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getUserProfilePhotos", - }, - Data: map[string]interface{}{ - "user_id": req.UserId, - "offset": req.Offset, - "limit": req.Limit, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getUserProfilePhotos", + }, + Data: map[string]interface{}{ + "user_id": req.UserId, + "offset": req.Offset, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalChatPhotos(result.Data) + return UnmarshalChatPhotos(result.Data) } -type GetStickersRequest struct { - // Type of the stickers to return - StickerType StickerType `json:"sticker_type"` - // Search query; a space-separated list of emoji or a keyword prefix. If empty, returns all known installed stickers - Query string `json:"query"` - // The maximum number of stickers to be returned - Limit int32 `json:"limit"` - // Chat identifier for which to return stickers. Available custom emoji stickers may be different for different chats - ChatId int64 `json:"chat_id"` +type GetUserProfileAudiosRequest struct { + // User identifier + UserId int64 `json:"user_id"` + // The number of audio files to skip; must be non-negative + Offset int32 `json:"offset"` + // The maximum number of audio files to be returned; up to 100 + Limit int32 `json:"limit"` +} + +// Returns the list of profile audio files of a user +func (client *Client) GetUserProfileAudios(req *GetUserProfileAudiosRequest) (*Audios, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getUserProfileAudios", + }, + Data: map[string]interface{}{ + "user_id": req.UserId, + "offset": req.Offset, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalAudios(result.Data) +} + +type IsProfileAudioRequest struct { + // Identifier of the audio file to check + FileId int32 `json:"file_id"` +} + +// Checks whether a file is in the profile audio files of the current user. Returns a 404 error if it isn't +func (client *Client) IsProfileAudio(req *IsProfileAudioRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "isProfileAudio", + }, + Data: map[string]interface{}{ + "file_id": req.FileId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type AddProfileAudioRequest struct { + // Identifier of the audio file to be added. The file must have been uploaded to the server + FileId int32 `json:"file_id"` +} + +// Adds an audio file to the beginning of the profile audio files of the current user +func (client *Client) AddProfileAudio(req *AddProfileAudioRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "addProfileAudio", + }, + Data: map[string]interface{}{ + "file_id": req.FileId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SetProfileAudioPositionRequest struct { + // Identifier of the file from profile audio files, which position will be changed + FileId int32 `json:"file_id"` + // Identifier of the file from profile audio files after which the file will be positioned; pass 0 to move the file to the beginning of the list + AfterFileId int32 `json:"after_file_id"` +} + +// Changes position of an audio file in the profile audio files of the current user +func (client *Client) SetProfileAudioPosition(req *SetProfileAudioPositionRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setProfileAudioPosition", + }, + Data: map[string]interface{}{ + "file_id": req.FileId, + "after_file_id": req.AfterFileId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type RemoveProfileAudioRequest struct { + // Identifier of the audio file to be removed + FileId int32 `json:"file_id"` +} + +// Removes an audio file from the profile audio files of the current user +func (client *Client) RemoveProfileAudio(req *RemoveProfileAudioRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "removeProfileAudio", + }, + Data: map[string]interface{}{ + "file_id": req.FileId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type GetStickerOutlineRequest struct { + // File identifier of the sticker + StickerFileId int32 `json:"sticker_file_id"` + // Pass true to get the outline scaled for animated emoji + ForAnimatedEmoji bool `json:"for_animated_emoji"` + // Pass true to get the outline scaled for clicked animated emoji message + ForClickedAnimatedEmojiMessage bool `json:"for_clicked_animated_emoji_message"` +} + +// Returns outline of a sticker. This is an offline method. Returns a 404 error if the outline isn't known +func (client *Client) GetStickerOutline(req *GetStickerOutlineRequest) (*Outline, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getStickerOutline", + }, + Data: map[string]interface{}{ + "sticker_file_id": req.StickerFileId, + "for_animated_emoji": req.ForAnimatedEmoji, + "for_clicked_animated_emoji_message": req.ForClickedAnimatedEmojiMessage, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOutline(result.Data) +} + +type GetStickerOutlineSvgPathRequest struct { + // File identifier of the sticker + StickerFileId int32 `json:"sticker_file_id"` + // Pass true to get the outline scaled for animated emoji + ForAnimatedEmoji bool `json:"for_animated_emoji"` + // Pass true to get the outline scaled for clicked animated emoji message + ForClickedAnimatedEmojiMessage bool `json:"for_clicked_animated_emoji_message"` +} + +// Returns outline of a sticker as an SVG path. This is an offline method. Returns an empty string if the outline isn't known +func (client *Client) GetStickerOutlineSvgPath(req *GetStickerOutlineSvgPathRequest) (*Text, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getStickerOutlineSvgPath", + }, + Data: map[string]interface{}{ + "sticker_file_id": req.StickerFileId, + "for_animated_emoji": req.ForAnimatedEmoji, + "for_clicked_animated_emoji_message": req.ForClickedAnimatedEmojiMessage, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalText(result.Data) +} + +type GetStickersRequest struct { + // Type of the stickers to return + StickerType StickerType `json:"sticker_type"` + // Search query; a space-separated list of emojis or a keyword prefix. If empty, returns all known installed stickers + Query string `json:"query"` + // The maximum number of stickers to be returned + Limit int32 `json:"limit"` + // Chat identifier for which to return stickers. Available custom emoji stickers may be different for different chats + ChatId int64 `json:"chat_id"` } // Returns stickers from the installed sticker sets that correspond to any of the given emoji or can be found by sticker-specific keywords. If the query is non-empty, then favorite, recently used or trending stickers may also be returned func (client *Client) GetStickers(req *GetStickersRequest) (*Stickers, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getStickers", - }, - Data: map[string]interface{}{ - "sticker_type": req.StickerType, - "query": req.Query, - "limit": req.Limit, - "chat_id": req.ChatId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getStickers", + }, + Data: map[string]interface{}{ + "sticker_type": req.StickerType, + "query": req.Query, + "limit": req.Limit, + "chat_id": req.ChatId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalStickers(result.Data) + return UnmarshalStickers(result.Data) } -type SearchStickersRequest struct { - // Type of the stickers to return - StickerType StickerType `json:"sticker_type"` - // Space-separated list of emoji to search for; must be non-empty - Emojis string `json:"emojis"` - // The maximum number of stickers to be returned; 0-100 - Limit int32 `json:"limit"` +type GetAllStickerEmojisRequest struct { + // Type of the stickers to search for + StickerType StickerType `json:"sticker_type"` + // Search query + Query string `json:"query"` + // Chat identifier for which to find stickers + ChatId int64 `json:"chat_id"` + // Pass true if only main emoji for each found sticker must be included in the result + ReturnOnlyMainEmoji bool `json:"return_only_main_emoji"` +} + +// Returns unique emoji that correspond to stickers to be found by the getStickers(sticker_type, query, 1000000, chat_id) +func (client *Client) GetAllStickerEmojis(req *GetAllStickerEmojisRequest) (*Emojis, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getAllStickerEmojis", + }, + Data: map[string]interface{}{ + "sticker_type": req.StickerType, + "query": req.Query, + "chat_id": req.ChatId, + "return_only_main_emoji": req.ReturnOnlyMainEmoji, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalEmojis(result.Data) +} + +type SearchStickersRequest struct { + // Type of the stickers to return + StickerType StickerType `json:"sticker_type"` + // Space-separated list of emojis to search for + Emojis string `json:"emojis"` + // Query to search for; may be empty to search for emoji only + Query string `json:"query"` + // List of possible IETF language tags of the user's input language; may be empty if unknown + InputLanguageCodes []string `json:"input_language_codes"` + // The offset from which to return the stickers; must be non-negative + Offset int32 `json:"offset"` + // The maximum number of stickers to be returned; 0-100 + Limit int32 `json:"limit"` } // Searches for stickers from public sticker sets that correspond to any of the given emoji func (client *Client) SearchStickers(req *SearchStickersRequest) (*Stickers, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "searchStickers", - }, - Data: map[string]interface{}{ - "sticker_type": req.StickerType, - "emojis": req.Emojis, - "limit": req.Limit, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "searchStickers", + }, + Data: map[string]interface{}{ + "sticker_type": req.StickerType, + "emojis": req.Emojis, + "query": req.Query, + "input_language_codes": req.InputLanguageCodes, + "offset": req.Offset, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalStickers(result.Data) + return UnmarshalStickers(result.Data) } -type GetPremiumStickersRequest struct { - // The maximum number of stickers to be returned; 0-100 - Limit int32 `json:"limit"` +// Returns greeting stickers from regular sticker sets that can be used for the start page of other users +func (client *Client) GetGreetingStickers() (*Stickers, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getGreetingStickers", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalStickers(result.Data) +} + +type GetPremiumStickersRequest struct { + // The maximum number of stickers to be returned; 0-100 + Limit int32 `json:"limit"` } // Returns premium stickers from regular sticker sets func (client *Client) GetPremiumStickers(req *GetPremiumStickersRequest) (*Stickers, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getPremiumStickers", - }, - Data: map[string]interface{}{ - "limit": req.Limit, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getPremiumStickers", + }, + Data: map[string]interface{}{ + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalStickers(result.Data) + return UnmarshalStickers(result.Data) } -type GetInstalledStickerSetsRequest struct { - // Type of the sticker sets to return - StickerType StickerType `json:"sticker_type"` +type GetInstalledStickerSetsRequest struct { + // Type of the sticker sets to return + StickerType StickerType `json:"sticker_type"` } // Returns a list of installed sticker sets func (client *Client) GetInstalledStickerSets(req *GetInstalledStickerSetsRequest) (*StickerSets, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getInstalledStickerSets", - }, - Data: map[string]interface{}{ - "sticker_type": req.StickerType, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getInstalledStickerSets", + }, + Data: map[string]interface{}{ + "sticker_type": req.StickerType, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalStickerSets(result.Data) + return UnmarshalStickerSets(result.Data) } -type GetArchivedStickerSetsRequest struct { - // Type of the sticker sets to return - StickerType StickerType `json:"sticker_type"` - // Identifier of the sticker set from which to return the result - OffsetStickerSetId JsonInt64 `json:"offset_sticker_set_id"` - // The maximum number of sticker sets to return; up to 100 - Limit int32 `json:"limit"` +type GetArchivedStickerSetsRequest struct { + // Type of the sticker sets to return + StickerType StickerType `json:"sticker_type"` + // Identifier of the sticker set from which to return the result; use 0 to get results from the beginning + OffsetStickerSetId JsonInt64 `json:"offset_sticker_set_id"` + // The maximum number of sticker sets to return; up to 100 + Limit int32 `json:"limit"` } // Returns a list of archived sticker sets func (client *Client) GetArchivedStickerSets(req *GetArchivedStickerSetsRequest) (*StickerSets, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getArchivedStickerSets", - }, - Data: map[string]interface{}{ - "sticker_type": req.StickerType, - "offset_sticker_set_id": req.OffsetStickerSetId, - "limit": req.Limit, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getArchivedStickerSets", + }, + Data: map[string]interface{}{ + "sticker_type": req.StickerType, + "offset_sticker_set_id": req.OffsetStickerSetId, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalStickerSets(result.Data) + return UnmarshalStickerSets(result.Data) } -type GetTrendingStickerSetsRequest struct { - // Type of the sticker sets to return - StickerType StickerType `json:"sticker_type"` - // The offset from which to return the sticker sets; must be non-negative - Offset int32 `json:"offset"` - // The maximum number of sticker sets to be returned; up to 100. For optimal performance, the number of returned sticker sets is chosen by TDLib and can be smaller than the specified limit, even if the end of the list has not been reached - Limit int32 `json:"limit"` +type GetTrendingStickerSetsRequest struct { + // Type of the sticker sets to return + StickerType StickerType `json:"sticker_type"` + // The offset from which to return the sticker sets; must be non-negative + Offset int32 `json:"offset"` + // The maximum number of sticker sets to be returned; up to 100. For optimal performance, the number of returned sticker sets is chosen by TDLib and can be smaller than the specified limit, even if the end of the list has not been reached + Limit int32 `json:"limit"` } // Returns a list of trending sticker sets. For optimal performance, the number of returned sticker sets is chosen by TDLib func (client *Client) GetTrendingStickerSets(req *GetTrendingStickerSetsRequest) (*TrendingStickerSets, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getTrendingStickerSets", - }, - Data: map[string]interface{}{ - "sticker_type": req.StickerType, - "offset": req.Offset, - "limit": req.Limit, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getTrendingStickerSets", + }, + Data: map[string]interface{}{ + "sticker_type": req.StickerType, + "offset": req.Offset, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalTrendingStickerSets(result.Data) + return UnmarshalTrendingStickerSets(result.Data) } -type GetAttachedStickerSetsRequest struct { - // File identifier - FileId int32 `json:"file_id"` +type GetAttachedStickerSetsRequest struct { + // File identifier + FileId int32 `json:"file_id"` } // Returns a list of sticker sets attached to a file, including regular, mask, and emoji sticker sets. Currently, only animations, photos, and videos can have attached sticker sets func (client *Client) GetAttachedStickerSets(req *GetAttachedStickerSetsRequest) (*StickerSets, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getAttachedStickerSets", - }, - Data: map[string]interface{}{ - "file_id": req.FileId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getAttachedStickerSets", + }, + Data: map[string]interface{}{ + "file_id": req.FileId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalStickerSets(result.Data) + return UnmarshalStickerSets(result.Data) } -type GetStickerSetRequest struct { - // Identifier of the sticker set - SetId JsonInt64 `json:"set_id"` +type GetStickerSetRequest struct { + // Identifier of the sticker set + SetId JsonInt64 `json:"set_id"` } // Returns information about a sticker set by its identifier func (client *Client) GetStickerSet(req *GetStickerSetRequest) (*StickerSet, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getStickerSet", - }, - Data: map[string]interface{}{ - "set_id": req.SetId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getStickerSet", + }, + Data: map[string]interface{}{ + "set_id": req.SetId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalStickerSet(result.Data) + return UnmarshalStickerSet(result.Data) } -type SearchStickerSetRequest struct { - // Name of the sticker set - Name string `json:"name"` +type GetStickerSetNameRequest struct { + // Identifier of the sticker set + SetId JsonInt64 `json:"set_id"` +} + +// Returns name of a sticker set by its identifier +func (client *Client) GetStickerSetName(req *GetStickerSetNameRequest) (*Text, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getStickerSetName", + }, + Data: map[string]interface{}{ + "set_id": req.SetId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalText(result.Data) +} + +type SearchStickerSetRequest struct { + // Name of the sticker set + Name string `json:"name"` + // Pass true to ignore local cache of sticker sets and always send a network request + IgnoreCache bool `json:"ignore_cache"` } // Searches for a sticker set by its name func (client *Client) SearchStickerSet(req *SearchStickerSetRequest) (*StickerSet, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "searchStickerSet", - }, - Data: map[string]interface{}{ - "name": req.Name, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "searchStickerSet", + }, + Data: map[string]interface{}{ + "name": req.Name, + "ignore_cache": req.IgnoreCache, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalStickerSet(result.Data) + return UnmarshalStickerSet(result.Data) } -type SearchInstalledStickerSetsRequest struct { - // Type of the sticker sets to search for - StickerType StickerType `json:"sticker_type"` - // Query to search for - Query string `json:"query"` - // The maximum number of sticker sets to return - Limit int32 `json:"limit"` +type SearchInstalledStickerSetsRequest struct { + // Type of the sticker sets to search for + StickerType StickerType `json:"sticker_type"` + // Query to search for + Query string `json:"query"` + // The maximum number of sticker sets to return + Limit int32 `json:"limit"` } // Searches for installed sticker sets by looking for specified query in their title and name func (client *Client) SearchInstalledStickerSets(req *SearchInstalledStickerSetsRequest) (*StickerSets, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "searchInstalledStickerSets", - }, - Data: map[string]interface{}{ - "sticker_type": req.StickerType, - "query": req.Query, - "limit": req.Limit, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "searchInstalledStickerSets", + }, + Data: map[string]interface{}{ + "sticker_type": req.StickerType, + "query": req.Query, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalStickerSets(result.Data) + return UnmarshalStickerSets(result.Data) } -type SearchStickerSetsRequest struct { - // Query to search for - Query string `json:"query"` +type SearchStickerSetsRequest struct { + // Type of the sticker sets to return + StickerType StickerType `json:"sticker_type"` + // Query to search for + Query string `json:"query"` } -// Searches for ordinary sticker sets by looking for specified query in their title and name. Excludes installed sticker sets from the results +// Searches for sticker sets by looking for specified query in their title and name. Excludes installed sticker sets from the results func (client *Client) SearchStickerSets(req *SearchStickerSetsRequest) (*StickerSets, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "searchStickerSets", - }, - Data: map[string]interface{}{ - "query": req.Query, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "searchStickerSets", + }, + Data: map[string]interface{}{ + "sticker_type": req.StickerType, + "query": req.Query, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalStickerSets(result.Data) + return UnmarshalStickerSets(result.Data) } -type ChangeStickerSetRequest struct { - // Identifier of the sticker set - SetId JsonInt64 `json:"set_id"` - // The new value of is_installed - IsInstalled bool `json:"is_installed"` - // The new value of is_archived. A sticker set can't be installed and archived simultaneously - IsArchived bool `json:"is_archived"` +type ChangeStickerSetRequest struct { + // Identifier of the sticker set + SetId JsonInt64 `json:"set_id"` + // The new value of is_installed + IsInstalled bool `json:"is_installed"` + // The new value of is_archived. A sticker set can't be installed and archived simultaneously + IsArchived bool `json:"is_archived"` } // Installs/uninstalls or activates/archives a sticker set func (client *Client) ChangeStickerSet(req *ChangeStickerSetRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "changeStickerSet", - }, - Data: map[string]interface{}{ - "set_id": req.SetId, - "is_installed": req.IsInstalled, - "is_archived": req.IsArchived, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "changeStickerSet", + }, + Data: map[string]interface{}{ + "set_id": req.SetId, + "is_installed": req.IsInstalled, + "is_archived": req.IsArchived, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type ViewTrendingStickerSetsRequest struct { - // Identifiers of viewed trending sticker sets - StickerSetIds []JsonInt64 `json:"sticker_set_ids"` +type ViewTrendingStickerSetsRequest struct { + // Identifiers of viewed trending sticker sets + StickerSetIds []JsonInt64 `json:"sticker_set_ids"` } // Informs the server that some trending sticker sets have been viewed by the user func (client *Client) ViewTrendingStickerSets(req *ViewTrendingStickerSetsRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "viewTrendingStickerSets", - }, - Data: map[string]interface{}{ - "sticker_set_ids": req.StickerSetIds, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "viewTrendingStickerSets", + }, + Data: map[string]interface{}{ + "sticker_set_ids": req.StickerSetIds, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type ReorderInstalledStickerSetsRequest struct { - // Type of the sticker sets to reorder - StickerType StickerType `json:"sticker_type"` - // Identifiers of installed sticker sets in the new correct order - StickerSetIds []JsonInt64 `json:"sticker_set_ids"` +type ReorderInstalledStickerSetsRequest struct { + // Type of the sticker sets to reorder + StickerType StickerType `json:"sticker_type"` + // Identifiers of installed sticker sets in the new correct order + StickerSetIds []JsonInt64 `json:"sticker_set_ids"` } // Changes the order of installed sticker sets func (client *Client) ReorderInstalledStickerSets(req *ReorderInstalledStickerSetsRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "reorderInstalledStickerSets", - }, - Data: map[string]interface{}{ - "sticker_type": req.StickerType, - "sticker_set_ids": req.StickerSetIds, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "reorderInstalledStickerSets", + }, + Data: map[string]interface{}{ + "sticker_type": req.StickerType, + "sticker_set_ids": req.StickerSetIds, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type GetRecentStickersRequest struct { - // Pass true to return stickers and masks that were recently attached to photos or video files; pass false to return recently sent stickers - IsAttached bool `json:"is_attached"` +type GetRecentStickersRequest struct { + // Pass true to return stickers and masks that were recently attached to photos or video files; pass false to return recently sent stickers + IsAttached bool `json:"is_attached"` } // Returns a list of recently used stickers func (client *Client) GetRecentStickers(req *GetRecentStickersRequest) (*Stickers, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getRecentStickers", - }, - Data: map[string]interface{}{ - "is_attached": req.IsAttached, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getRecentStickers", + }, + Data: map[string]interface{}{ + "is_attached": req.IsAttached, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalStickers(result.Data) + return UnmarshalStickers(result.Data) } -type AddRecentStickerRequest struct { - // Pass true to add the sticker to the list of stickers recently attached to photo or video files; pass false to add the sticker to the list of recently sent stickers - IsAttached bool `json:"is_attached"` - // Sticker file to add - Sticker InputFile `json:"sticker"` +type AddRecentStickerRequest struct { + // Pass true to add the sticker to the list of stickers recently attached to photo or video files; pass false to add the sticker to the list of recently sent stickers + IsAttached bool `json:"is_attached"` + // Sticker file to add + Sticker InputFile `json:"sticker"` } -// Manually adds a new sticker to the list of recently used stickers. The new sticker is added to the top of the list. If the sticker was already in the list, it is removed from the list first. Only stickers belonging to a sticker set can be added to this list. Emoji stickers can't be added to recent stickers +// Manually adds a new sticker to the list of recently used stickers. The new sticker is added to the top of the list. If the sticker was already in the list, it is removed from the list first. Only stickers belonging to a sticker set or in WEBP or WEBM format can be added to this list. Emoji stickers can't be added to recent stickers func (client *Client) AddRecentSticker(req *AddRecentStickerRequest) (*Stickers, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "addRecentSticker", - }, - Data: map[string]interface{}{ - "is_attached": req.IsAttached, - "sticker": req.Sticker, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "addRecentSticker", + }, + Data: map[string]interface{}{ + "is_attached": req.IsAttached, + "sticker": req.Sticker, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalStickers(result.Data) + return UnmarshalStickers(result.Data) } -type RemoveRecentStickerRequest struct { - // Pass true to remove the sticker from the list of stickers recently attached to photo or video files; pass false to remove the sticker from the list of recently sent stickers - IsAttached bool `json:"is_attached"` - // Sticker file to delete - Sticker InputFile `json:"sticker"` +type RemoveRecentStickerRequest struct { + // Pass true to remove the sticker from the list of stickers recently attached to photo or video files; pass false to remove the sticker from the list of recently sent stickers + IsAttached bool `json:"is_attached"` + // Sticker file to delete + Sticker InputFile `json:"sticker"` } // Removes a sticker from the list of recently used stickers func (client *Client) RemoveRecentSticker(req *RemoveRecentStickerRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "removeRecentSticker", - }, - Data: map[string]interface{}{ - "is_attached": req.IsAttached, - "sticker": req.Sticker, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "removeRecentSticker", + }, + Data: map[string]interface{}{ + "is_attached": req.IsAttached, + "sticker": req.Sticker, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type ClearRecentStickersRequest struct { - // Pass true to clear the list of stickers recently attached to photo or video files; pass false to clear the list of recently sent stickers - IsAttached bool `json:"is_attached"` +type ClearRecentStickersRequest struct { + // Pass true to clear the list of stickers recently attached to photo or video files; pass false to clear the list of recently sent stickers + IsAttached bool `json:"is_attached"` } // Clears the list of recently used stickers func (client *Client) ClearRecentStickers(req *ClearRecentStickersRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "clearRecentStickers", - }, - Data: map[string]interface{}{ - "is_attached": req.IsAttached, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "clearRecentStickers", + }, + Data: map[string]interface{}{ + "is_attached": req.IsAttached, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } // Returns favorite stickers func (client *Client) GetFavoriteStickers() (*Stickers, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getFavoriteStickers", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getFavoriteStickers", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalStickers(result.Data) + return UnmarshalStickers(result.Data) } -type AddFavoriteStickerRequest struct { - // Sticker file to add - Sticker InputFile `json:"sticker"` +type AddFavoriteStickerRequest struct { + // Sticker file to add + Sticker InputFile `json:"sticker"` } -// Adds a new sticker to the list of favorite stickers. The new sticker is added to the top of the list. If the sticker was already in the list, it is removed from the list first. Only stickers belonging to a sticker set can be added to this list. Emoji stickers can't be added to favorite stickers +// Adds a new sticker to the list of favorite stickers. The new sticker is added to the top of the list. If the sticker was already in the list, it is removed from the list first. Only stickers belonging to a sticker set or in WEBP or WEBM format can be added to this list. Emoji stickers can't be added to favorite stickers func (client *Client) AddFavoriteSticker(req *AddFavoriteStickerRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "addFavoriteSticker", - }, - Data: map[string]interface{}{ - "sticker": req.Sticker, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "addFavoriteSticker", + }, + Data: map[string]interface{}{ + "sticker": req.Sticker, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type RemoveFavoriteStickerRequest struct { - // Sticker file to delete from the list - Sticker InputFile `json:"sticker"` +type RemoveFavoriteStickerRequest struct { + // Sticker file to delete from the list + Sticker InputFile `json:"sticker"` } // Removes a sticker from the list of favorite stickers func (client *Client) RemoveFavoriteSticker(req *RemoveFavoriteStickerRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "removeFavoriteSticker", - }, - Data: map[string]interface{}{ - "sticker": req.Sticker, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "removeFavoriteSticker", + }, + Data: map[string]interface{}{ + "sticker": req.Sticker, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type GetStickerEmojisRequest struct { - // Sticker file identifier - Sticker InputFile `json:"sticker"` +type GetStickerEmojisRequest struct { + // Sticker file identifier + Sticker InputFile `json:"sticker"` } // Returns emoji corresponding to a sticker. The list is only for informational purposes, because a sticker is always sent with a fixed emoji from the corresponding Sticker object func (client *Client) GetStickerEmojis(req *GetStickerEmojisRequest) (*Emojis, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getStickerEmojis", - }, - Data: map[string]interface{}{ - "sticker": req.Sticker, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getStickerEmojis", + }, + Data: map[string]interface{}{ + "sticker": req.Sticker, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalEmojis(result.Data) + return UnmarshalEmojis(result.Data) } -type SearchEmojisRequest struct { - // Text to search for - Text string `json:"text"` - // Pass true if only emojis, which exactly match the text, needs to be returned - ExactMatch bool `json:"exact_match"` - // List of possible IETF language tags of the user's input language; may be empty if unknown - InputLanguageCodes []string `json:"input_language_codes"` +type SearchEmojisRequest struct { + // Text to search for + Text string `json:"text"` + // List of possible IETF language tags of the user's input language; may be empty if unknown + InputLanguageCodes []string `json:"input_language_codes"` } -// Searches for emojis by keywords. Supported only if the file database is enabled -func (client *Client) SearchEmojis(req *SearchEmojisRequest) (*Emojis, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "searchEmojis", - }, - Data: map[string]interface{}{ - "text": req.Text, - "exact_match": req.ExactMatch, - "input_language_codes": req.InputLanguageCodes, - }, - }) - if err != nil { - return nil, err - } +// Searches for emojis by keywords. Supported only if the file database is enabled. Order of results is unspecified +func (client *Client) SearchEmojis(req *SearchEmojisRequest) (*EmojiKeywords, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "searchEmojis", + }, + Data: map[string]interface{}{ + "text": req.Text, + "input_language_codes": req.InputLanguageCodes, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalEmojis(result.Data) + return UnmarshalEmojiKeywords(result.Data) } -type GetEmojiCategoriesRequest struct { - // Type of emoji categories to return; pass null to get default emoji categories - Type EmojiCategoryType `json:"type"` +type GetKeywordEmojisRequest struct { + // Text to search for + Text string `json:"text"` + // List of possible IETF language tags of the user's input language; may be empty if unknown + InputLanguageCodes []string `json:"input_language_codes"` } -// Returns available emojis categories +// Returns emojis matching the keyword. Supported only if the file database is enabled. Order of results is unspecified +func (client *Client) GetKeywordEmojis(req *GetKeywordEmojisRequest) (*Emojis, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getKeywordEmojis", + }, + Data: map[string]interface{}{ + "text": req.Text, + "input_language_codes": req.InputLanguageCodes, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalEmojis(result.Data) +} + +type GetEmojiCategoriesRequest struct { + // Type of emoji categories to return; pass null to get default emoji categories + Type EmojiCategoryType `json:"type"` +} + +// Returns available emoji categories func (client *Client) GetEmojiCategories(req *GetEmojiCategoriesRequest) (*EmojiCategories, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getEmojiCategories", - }, - Data: map[string]interface{}{ - "type": req.Type, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getEmojiCategories", + }, + Data: map[string]interface{}{ + "type": req.Type, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalEmojiCategories(result.Data) + return UnmarshalEmojiCategories(result.Data) } -type GetAnimatedEmojiRequest struct { - // The emoji - Emoji string `json:"emoji"` +type GetAnimatedEmojiRequest struct { + // The emoji + Emoji string `json:"emoji"` } // Returns an animated emoji corresponding to a given emoji. Returns a 404 error if the emoji has no animated emoji func (client *Client) GetAnimatedEmoji(req *GetAnimatedEmojiRequest) (*AnimatedEmoji, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getAnimatedEmoji", - }, - Data: map[string]interface{}{ - "emoji": req.Emoji, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getAnimatedEmoji", + }, + Data: map[string]interface{}{ + "emoji": req.Emoji, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalAnimatedEmoji(result.Data) + return UnmarshalAnimatedEmoji(result.Data) } -type GetEmojiSuggestionsUrlRequest struct { - // Language code for which the emoji replacements will be suggested - LanguageCode string `json:"language_code"` +type GetEmojiSuggestionsUrlRequest struct { + // Language code for which the emoji replacements will be suggested + LanguageCode string `json:"language_code"` } // Returns an HTTP URL which can be used to automatically log in to the translation platform and suggest new emoji replacements. The URL will be valid for 30 seconds after generation func (client *Client) GetEmojiSuggestionsUrl(req *GetEmojiSuggestionsUrlRequest) (*HttpUrl, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getEmojiSuggestionsUrl", - }, - Data: map[string]interface{}{ - "language_code": req.LanguageCode, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getEmojiSuggestionsUrl", + }, + Data: map[string]interface{}{ + "language_code": req.LanguageCode, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalHttpUrl(result.Data) + return UnmarshalHttpUrl(result.Data) } -type GetCustomEmojiStickersRequest struct { - // Identifiers of custom emoji stickers. At most 200 custom emoji stickers can be received simultaneously - CustomEmojiIds []JsonInt64 `json:"custom_emoji_ids"` +type GetCustomEmojiStickersRequest struct { + // Identifiers of custom emoji stickers. At most 200 custom emoji stickers can be received simultaneously + CustomEmojiIds []JsonInt64 `json:"custom_emoji_ids"` } -// Returns list of custom emoji stickers by their identifiers. Stickers are returned in arbitrary order. Only found stickers are returned +// Returns the list of custom emoji stickers by their identifiers. Stickers are returned in arbitrary order. Only found stickers are returned func (client *Client) GetCustomEmojiStickers(req *GetCustomEmojiStickersRequest) (*Stickers, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getCustomEmojiStickers", - }, - Data: map[string]interface{}{ - "custom_emoji_ids": req.CustomEmojiIds, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getCustomEmojiStickers", + }, + Data: map[string]interface{}{ + "custom_emoji_ids": req.CustomEmojiIds, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalStickers(result.Data) + return UnmarshalStickers(result.Data) } // Returns default list of custom emoji stickers for placing on a chat photo func (client *Client) GetDefaultChatPhotoCustomEmojiStickers() (*Stickers, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getDefaultChatPhotoCustomEmojiStickers", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getDefaultChatPhotoCustomEmojiStickers", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalStickers(result.Data) + return UnmarshalStickers(result.Data) } // Returns default list of custom emoji stickers for placing on a profile photo func (client *Client) GetDefaultProfilePhotoCustomEmojiStickers() (*Stickers, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getDefaultProfilePhotoCustomEmojiStickers", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getDefaultProfilePhotoCustomEmojiStickers", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalStickers(result.Data) + return UnmarshalStickers(result.Data) +} + +// Returns default list of custom emoji stickers for reply background +func (client *Client) GetDefaultBackgroundCustomEmojiStickers() (*Stickers, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getDefaultBackgroundCustomEmojiStickers", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalStickers(result.Data) } // Returns saved animations func (client *Client) GetSavedAnimations() (*Animations, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getSavedAnimations", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getSavedAnimations", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalAnimations(result.Data) + return UnmarshalAnimations(result.Data) } -type AddSavedAnimationRequest struct { - // The animation file to be added. Only animations known to the server (i.e., successfully sent via a message) can be added to the list - Animation InputFile `json:"animation"` +type AddSavedAnimationRequest struct { + // The animation file to be added. Only animations known to the server (i.e., successfully sent via a message) can be added to the list + Animation InputFile `json:"animation"` } // Manually adds a new animation to the list of saved animations. The new animation is added to the beginning of the list. If the animation was already in the list, it is removed first. Only non-secret video animations with MIME type "video/mp4" can be added to the list func (client *Client) AddSavedAnimation(req *AddSavedAnimationRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "addSavedAnimation", - }, - Data: map[string]interface{}{ - "animation": req.Animation, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "addSavedAnimation", + }, + Data: map[string]interface{}{ + "animation": req.Animation, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type RemoveSavedAnimationRequest struct { - // Animation file to be removed - Animation InputFile `json:"animation"` +type RemoveSavedAnimationRequest struct { + // Animation file to be removed + Animation InputFile `json:"animation"` } // Removes an animation from the list of saved animations func (client *Client) RemoveSavedAnimation(req *RemoveSavedAnimationRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "removeSavedAnimation", - }, - Data: map[string]interface{}{ - "animation": req.Animation, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "removeSavedAnimation", + }, + Data: map[string]interface{}{ + "animation": req.Animation, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } // Returns up to 20 recently used inline bots in the order of their last usage func (client *Client) GetRecentInlineBots() (*Users, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getRecentInlineBots", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getRecentInlineBots", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalUsers(result.Data) + return UnmarshalUsers(result.Data) } -type SearchHashtagsRequest struct { - // Hashtag prefix to search for - Prefix string `json:"prefix"` - // The maximum number of hashtags to be returned - Limit int32 `json:"limit"` +// Returns the list of bots owned by the current user +func (client *Client) GetOwnedBots() (*Users, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getOwnedBots", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalUsers(result.Data) +} + +type SearchHashtagsRequest struct { + // Hashtag prefix to search for + Prefix string `json:"prefix"` + // The maximum number of hashtags to be returned + Limit int32 `json:"limit"` } // Searches for recently used hashtags by their prefix func (client *Client) SearchHashtags(req *SearchHashtagsRequest) (*Hashtags, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "searchHashtags", - }, - Data: map[string]interface{}{ - "prefix": req.Prefix, - "limit": req.Limit, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "searchHashtags", + }, + Data: map[string]interface{}{ + "prefix": req.Prefix, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalHashtags(result.Data) + return UnmarshalHashtags(result.Data) } -type RemoveRecentHashtagRequest struct { - // Hashtag to delete - Hashtag string `json:"hashtag"` +type RemoveRecentHashtagRequest struct { + // Hashtag to delete + Hashtag string `json:"hashtag"` } // Removes a hashtag from the list of recently used hashtags func (client *Client) RemoveRecentHashtag(req *RemoveRecentHashtagRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "removeRecentHashtag", - }, - Data: map[string]interface{}{ - "hashtag": req.Hashtag, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "removeRecentHashtag", + }, + Data: map[string]interface{}{ + "hashtag": req.Hashtag, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type GetWebPagePreviewRequest struct { - // Message text with formatting - Text *FormattedText `json:"text"` +type GetLinkPreviewRequest struct { + // Message text with formatting + Text *FormattedText `json:"text"` + // Options to be used for generation of the link preview; pass null to use default link preview options + LinkPreviewOptions *LinkPreviewOptions `json:"link_preview_options"` } -// Returns a web page preview by the text of the message. Do not call this function too often. Returns a 404 error if the web page has no preview -func (client *Client) GetWebPagePreview(req *GetWebPagePreviewRequest) (*WebPage, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getWebPagePreview", - }, - Data: map[string]interface{}{ - "text": req.Text, - }, - }) - if err != nil { - return nil, err - } +// Returns a link preview by the text of a message. Do not call this function too often. Returns a 404 error if the text has no link preview +func (client *Client) GetLinkPreview(req *GetLinkPreviewRequest) (*LinkPreview, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getLinkPreview", + }, + Data: map[string]interface{}{ + "text": req.Text, + "link_preview_options": req.LinkPreviewOptions, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalWebPage(result.Data) + return UnmarshalLinkPreview(result.Data) } -type GetWebPageInstantViewRequest struct { - // The web page URL - Url string `json:"url"` - // Pass true to get full instant view for the web page - ForceFull bool `json:"force_full"` +type GetWebPageInstantViewRequest struct { + // The web page URL + Url string `json:"url"` + // Pass true to get only locally available information without sending network requests + OnlyLocal bool `json:"only_local"` } -// Returns an instant view version of a web page if available. Returns a 404 error if the web page has no instant view page +// Returns an instant view version of a web page if available. This is an offline method if only_local is true. Returns a 404 error if the web page has no instant view page func (client *Client) GetWebPageInstantView(req *GetWebPageInstantViewRequest) (*WebPageInstantView, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getWebPageInstantView", - }, - Data: map[string]interface{}{ - "url": req.Url, - "force_full": req.ForceFull, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getWebPageInstantView", + }, + Data: map[string]interface{}{ + "url": req.Url, + "only_local": req.OnlyLocal, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalWebPageInstantView(result.Data) + return UnmarshalWebPageInstantView(result.Data) } -type SetProfilePhotoRequest struct { - // Profile photo to set - Photo InputChatPhoto `json:"photo"` - // Pass true to set a public photo, which will be visible even the main photo is hidden by privacy settings - IsPublic bool `json:"is_public"` +type SetProfilePhotoRequest struct { + // Profile photo to set + Photo InputChatPhoto `json:"photo"` + // Pass true to set the public photo, which will be visible even if the main photo is hidden by privacy settings + IsPublic bool `json:"is_public"` } // Changes a profile photo for the current user func (client *Client) SetProfilePhoto(req *SetProfilePhotoRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setProfilePhoto", - }, - Data: map[string]interface{}{ - "photo": req.Photo, - "is_public": req.IsPublic, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setProfilePhoto", + }, + Data: map[string]interface{}{ + "photo": req.Photo, + "is_public": req.IsPublic, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type DeleteProfilePhotoRequest struct { - // Identifier of the profile photo to delete - ProfilePhotoId JsonInt64 `json:"profile_photo_id"` +type DeleteProfilePhotoRequest struct { + // Identifier of the profile photo to delete + ProfilePhotoId JsonInt64 `json:"profile_photo_id"` } // Deletes a profile photo func (client *Client) DeleteProfilePhoto(req *DeleteProfilePhotoRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "deleteProfilePhoto", - }, - Data: map[string]interface{}{ - "profile_photo_id": req.ProfilePhotoId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "deleteProfilePhoto", + }, + Data: map[string]interface{}{ + "profile_photo_id": req.ProfilePhotoId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SetNameRequest struct { - // The new value of the first name for the current user; 1-64 characters - FirstName string `json:"first_name"` - // The new value of the optional last name for the current user; 0-64 characters - LastName string `json:"last_name"` +type SetAccentColorRequest struct { + // Identifier of the accent color to use + AccentColorId int32 `json:"accent_color_id"` + // Identifier of a custom emoji to be shown on the reply header and link preview background; 0 if none + BackgroundCustomEmojiId JsonInt64 `json:"background_custom_emoji_id"` +} + +// Changes accent color and background custom emoji for the current user; for Telegram Premium users only +func (client *Client) SetAccentColor(req *SetAccentColorRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setAccentColor", + }, + Data: map[string]interface{}{ + "accent_color_id": req.AccentColorId, + "background_custom_emoji_id": req.BackgroundCustomEmojiId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SetUpgradedGiftColorsRequest struct { + // Identifier of the upgradedGiftColors scheme to use + UpgradedGiftColorsId JsonInt64 `json:"upgraded_gift_colors_id"` +} + +// Changes color scheme for the current user based on an owned or a hosted upgraded gift; for Telegram Premium users only +func (client *Client) SetUpgradedGiftColors(req *SetUpgradedGiftColorsRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setUpgradedGiftColors", + }, + Data: map[string]interface{}{ + "upgraded_gift_colors_id": req.UpgradedGiftColorsId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SetProfileAccentColorRequest struct { + // Identifier of the accent color to use for profile; pass -1 if none + ProfileAccentColorId int32 `json:"profile_accent_color_id"` + // Identifier of a custom emoji to be shown on the user's profile photo background; 0 if none + ProfileBackgroundCustomEmojiId JsonInt64 `json:"profile_background_custom_emoji_id"` +} + +// Changes accent color and background custom emoji for profile of the current user; for Telegram Premium users only +func (client *Client) SetProfileAccentColor(req *SetProfileAccentColorRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setProfileAccentColor", + }, + Data: map[string]interface{}{ + "profile_accent_color_id": req.ProfileAccentColorId, + "profile_background_custom_emoji_id": req.ProfileBackgroundCustomEmojiId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SetNameRequest struct { + // The new value of the first name for the current user; 1-64 characters + FirstName string `json:"first_name"` + // The new value of the optional last name for the current user; 0-64 characters + LastName string `json:"last_name"` } // Changes the first and last name of the current user func (client *Client) SetName(req *SetNameRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setName", - }, - Data: map[string]interface{}{ - "first_name": req.FirstName, - "last_name": req.LastName, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setName", + }, + Data: map[string]interface{}{ + "first_name": req.FirstName, + "last_name": req.LastName, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SetBioRequest struct { - // The new value of the user bio; 0-getOption("bio_length_max") characters without line feeds - Bio string `json:"bio"` +type SetBioRequest struct { + // The new value of the user bio; 0-getOption("bio_length_max") characters without line feeds + Bio string `json:"bio"` } // Changes the bio of the current user func (client *Client) SetBio(req *SetBioRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setBio", - }, - Data: map[string]interface{}{ - "bio": req.Bio, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setBio", + }, + Data: map[string]interface{}{ + "bio": req.Bio, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SetUsernameRequest struct { - // The new value of the username. Use an empty string to remove the username. The username can't be completely removed if there is another active or disabled username - Username string `json:"username"` +type SetUsernameRequest struct { + // The new value of the username. Use an empty string to remove the username. The username can't be completely removed if there is another active or disabled username + Username string `json:"username"` } // Changes the editable username of the current user func (client *Client) SetUsername(req *SetUsernameRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setUsername", - }, - Data: map[string]interface{}{ - "username": req.Username, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setUsername", + }, + Data: map[string]interface{}{ + "username": req.Username, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type ToggleUsernameIsActiveRequest struct { - // The username to change - Username string `json:"username"` - // Pass true to activate the username; pass false to disable it - IsActive bool `json:"is_active"` +type ToggleUsernameIsActiveRequest struct { + // The username to change + Username string `json:"username"` + // Pass true to activate the username; pass false to disable it + IsActive bool `json:"is_active"` } // Changes active state for a username of the current user. The editable username can't be disabled. May return an error with a message "USERNAMES_ACTIVE_TOO_MUCH" if the maximum number of active usernames has been reached func (client *Client) ToggleUsernameIsActive(req *ToggleUsernameIsActiveRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "toggleUsernameIsActive", - }, - Data: map[string]interface{}{ - "username": req.Username, - "is_active": req.IsActive, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "toggleUsernameIsActive", + }, + Data: map[string]interface{}{ + "username": req.Username, + "is_active": req.IsActive, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type ReorderActiveUsernamesRequest struct { - // The new order of active usernames. All currently active usernames must be specified - Usernames []string `json:"usernames"` +type ReorderActiveUsernamesRequest struct { + // The new order of active usernames. All currently active usernames must be specified + Usernames []string `json:"usernames"` } // Changes order of active usernames of the current user func (client *Client) ReorderActiveUsernames(req *ReorderActiveUsernamesRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "reorderActiveUsernames", - }, - Data: map[string]interface{}{ - "usernames": req.Usernames, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "reorderActiveUsernames", + }, + Data: map[string]interface{}{ + "usernames": req.Usernames, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SetEmojiStatusRequest struct { - // New emoji status; pass null to switch to the default badge - EmojiStatus *EmojiStatus `json:"emoji_status"` - // Duration of the status, in seconds; pass 0 to keep the status active until it will be changed manually - Duration int32 `json:"duration"` +type SetBirthdateRequest struct { + // The new value of the current user's birthdate; pass null to remove the birthdate + Birthdate *Birthdate `json:"birthdate"` +} + +// Changes the birthdate of the current user +func (client *Client) SetBirthdate(req *SetBirthdateRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setBirthdate", + }, + Data: map[string]interface{}{ + "birthdate": req.Birthdate, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SetMainProfileTabRequest struct { + // The new value of the main profile tab + MainProfileTab ProfileTab `json:"main_profile_tab"` +} + +// Changes the main profile tab of the current user +func (client *Client) SetMainProfileTab(req *SetMainProfileTabRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setMainProfileTab", + }, + Data: map[string]interface{}{ + "main_profile_tab": req.MainProfileTab, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SetPersonalChatRequest struct { + // Identifier of the new personal chat; pass 0 to remove the chat. Use getSuitablePersonalChats to get suitable chats + ChatId int64 `json:"chat_id"` +} + +// Changes the personal chat of the current user +func (client *Client) SetPersonalChat(req *SetPersonalChatRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setPersonalChat", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SetEmojiStatusRequest struct { + // New emoji status; pass null to switch to the default badge + EmojiStatus *EmojiStatus `json:"emoji_status"` } // Changes the emoji status of the current user; for Telegram Premium users only func (client *Client) SetEmojiStatus(req *SetEmojiStatusRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setEmojiStatus", - }, - Data: map[string]interface{}{ - "emoji_status": req.EmojiStatus, - "duration": req.Duration, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setEmojiStatus", + }, + Data: map[string]interface{}{ + "emoji_status": req.EmojiStatus, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SetLocationRequest struct { - // The new location of the user - Location *Location `json:"location"` +type ToggleHasSponsoredMessagesEnabledRequest struct { + // Pass true to enable sponsored messages for the current user; false to disable them + HasSponsoredMessagesEnabled bool `json:"has_sponsored_messages_enabled"` } -// Changes the location of the current user. Needs to be called if getOption("is_location_visible") is true and location changes for more than 1 kilometer -func (client *Client) SetLocation(req *SetLocationRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setLocation", - }, - Data: map[string]interface{}{ - "location": req.Location, - }, - }) - if err != nil { - return nil, err - } +// Toggles whether the current user has sponsored messages enabled. The setting has no effect for users without Telegram Premium for which sponsored messages are always enabled +func (client *Client) ToggleHasSponsoredMessagesEnabled(req *ToggleHasSponsoredMessagesEnabledRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "toggleHasSponsoredMessagesEnabled", + }, + Data: map[string]interface{}{ + "has_sponsored_messages_enabled": req.HasSponsoredMessagesEnabled, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type ChangePhoneNumberRequest struct { - // The new phone number of the user in international format - PhoneNumber string `json:"phone_number"` - // Settings for the authentication of the user's phone number; pass null to use default settings - Settings *PhoneNumberAuthenticationSettings `json:"settings"` +type SetBusinessLocationRequest struct { + // The new location of the business; pass null to remove the location + Location *BusinessLocation `json:"location"` } -// Changes the phone number of the user and sends an authentication code to the user's new phone number. On success, returns information about the sent code -func (client *Client) ChangePhoneNumber(req *ChangePhoneNumberRequest) (*AuthenticationCodeInfo, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "changePhoneNumber", - }, - Data: map[string]interface{}{ - "phone_number": req.PhoneNumber, - "settings": req.Settings, - }, - }) - if err != nil { - return nil, err - } +// Changes the business location of the current user. Requires Telegram Business subscription +func (client *Client) SetBusinessLocation(req *SetBusinessLocationRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setBusinessLocation", + }, + Data: map[string]interface{}{ + "location": req.Location, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalAuthenticationCodeInfo(result.Data) + return UnmarshalOk(result.Data) } -// Resends the authentication code sent to confirm a new phone number for the current user. Works only if the previously received authenticationCodeInfo next_code_type was not null and the server-specified timeout has passed -func (client *Client) ResendChangePhoneNumberCode() (*AuthenticationCodeInfo, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "resendChangePhoneNumberCode", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } - - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } - - return UnmarshalAuthenticationCodeInfo(result.Data) +type SetBusinessOpeningHoursRequest struct { + // The new opening hours of the business; pass null to remove the opening hours; up to 28 time intervals can be specified + OpeningHours *BusinessOpeningHours `json:"opening_hours"` } -type CheckChangePhoneNumberCodeRequest struct { - // Authentication code to check - Code string `json:"code"` +// Changes the business opening hours of the current user. Requires Telegram Business subscription +func (client *Client) SetBusinessOpeningHours(req *SetBusinessOpeningHoursRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setBusinessOpeningHours", + }, + Data: map[string]interface{}{ + "opening_hours": req.OpeningHours, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) } -// Checks the authentication code sent to confirm a new phone number of the user -func (client *Client) CheckChangePhoneNumberCode(req *CheckChangePhoneNumberCodeRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "checkChangePhoneNumberCode", - }, - Data: map[string]interface{}{ - "code": req.Code, - }, - }) - if err != nil { - return nil, err - } +type SetBusinessGreetingMessageSettingsRequest struct { + // The new settings for the greeting message of the business; pass null to disable the greeting message + GreetingMessageSettings *BusinessGreetingMessageSettings `json:"greeting_message_settings"` +} - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } +// Changes the business greeting message settings of the current user. Requires Telegram Business subscription +func (client *Client) SetBusinessGreetingMessageSettings(req *SetBusinessGreetingMessageSettingsRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setBusinessGreetingMessageSettings", + }, + Data: map[string]interface{}{ + "greeting_message_settings": req.GreetingMessageSettings, + }, + }) + if err != nil { + return nil, err + } - return UnmarshalOk(result.Data) + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SetBusinessAwayMessageSettingsRequest struct { + // The new settings for the away message of the business; pass null to disable the away message + AwayMessageSettings *BusinessAwayMessageSettings `json:"away_message_settings"` +} + +// Changes the business away message settings of the current user. Requires Telegram Business subscription +func (client *Client) SetBusinessAwayMessageSettings(req *SetBusinessAwayMessageSettingsRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setBusinessAwayMessageSettings", + }, + Data: map[string]interface{}{ + "away_message_settings": req.AwayMessageSettings, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SetBusinessStartPageRequest struct { + // The new start page of the business; pass null to remove custom start page + StartPage *InputBusinessStartPage `json:"start_page"` +} + +// Changes the business start page of the current user. Requires Telegram Business subscription +func (client *Client) SetBusinessStartPage(req *SetBusinessStartPageRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setBusinessStartPage", + }, + Data: map[string]interface{}{ + "start_page": req.StartPage, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SendPhoneNumberCodeRequest struct { + // The phone number, in international format + PhoneNumber string `json:"phone_number"` + // Settings for the authentication of the user's phone number; pass null to use default settings + Settings *PhoneNumberAuthenticationSettings `json:"settings"` + // Type of the request for which the code is sent + Type PhoneNumberCodeType `json:"type"` +} + +// Sends a code to the specified phone number. Aborts previous phone number verification if there was one. On success, returns information about the sent code +func (client *Client) SendPhoneNumberCode(req *SendPhoneNumberCodeRequest) (*AuthenticationCodeInfo, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "sendPhoneNumberCode", + }, + Data: map[string]interface{}{ + "phone_number": req.PhoneNumber, + "settings": req.Settings, + "type": req.Type, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalAuthenticationCodeInfo(result.Data) +} + +type SendPhoneNumberFirebaseSmsRequest struct { + // Play Integrity API or SafetyNet Attestation API token for the Android application, or secret from push notification for the iOS application + Token string `json:"token"` +} + +// Sends Firebase Authentication SMS to the specified phone number. Works only when received a code of the type authenticationCodeTypeFirebaseAndroid or authenticationCodeTypeFirebaseIos +func (client *Client) SendPhoneNumberFirebaseSms(req *SendPhoneNumberFirebaseSmsRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "sendPhoneNumberFirebaseSms", + }, + Data: map[string]interface{}{ + "token": req.Token, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type ReportPhoneNumberCodeMissingRequest struct { + // Current mobile network code + MobileNetworkCode string `json:"mobile_network_code"` +} + +// Reports that authentication code wasn't delivered via SMS to the specified phone number; for official mobile applications only +func (client *Client) ReportPhoneNumberCodeMissing(req *ReportPhoneNumberCodeMissingRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "reportPhoneNumberCodeMissing", + }, + Data: map[string]interface{}{ + "mobile_network_code": req.MobileNetworkCode, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type ResendPhoneNumberCodeRequest struct { + // Reason of code resending; pass null if unknown + Reason ResendCodeReason `json:"reason"` +} + +// Resends the authentication code sent to a phone number. Works only if the previously received authenticationCodeInfo next_code_type was not null and the server-specified timeout has passed +func (client *Client) ResendPhoneNumberCode(req *ResendPhoneNumberCodeRequest) (*AuthenticationCodeInfo, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "resendPhoneNumberCode", + }, + Data: map[string]interface{}{ + "reason": req.Reason, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalAuthenticationCodeInfo(result.Data) +} + +type CheckPhoneNumberCodeRequest struct { + // Authentication code to check + Code string `json:"code"` +} + +// Checks the authentication code and completes the request for which the code was sent if appropriate +func (client *Client) CheckPhoneNumberCode(req *CheckPhoneNumberCodeRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "checkPhoneNumberCode", + }, + Data: map[string]interface{}{ + "code": req.Code, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +// Returns the business bot that is connected to the current user account. Returns a 404 error if there is no connected bot +func (client *Client) GetBusinessConnectedBot() (*BusinessConnectedBot, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getBusinessConnectedBot", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalBusinessConnectedBot(result.Data) +} + +type SetBusinessConnectedBotRequest struct { + // Connection settings for the bot + Bot *BusinessConnectedBot `json:"bot"` +} + +// Adds or changes business bot that is connected to the current user account +func (client *Client) SetBusinessConnectedBot(req *SetBusinessConnectedBotRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setBusinessConnectedBot", + }, + Data: map[string]interface{}{ + "bot": req.Bot, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type DeleteBusinessConnectedBotRequest struct { + // Unique user identifier for the bot + BotUserId int64 `json:"bot_user_id"` +} + +// Deletes the business bot that is connected to the current user account +func (client *Client) DeleteBusinessConnectedBot(req *DeleteBusinessConnectedBotRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "deleteBusinessConnectedBot", + }, + Data: map[string]interface{}{ + "bot_user_id": req.BotUserId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type ToggleBusinessConnectedBotChatIsPausedRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Pass true to pause the connected bot in the chat; pass false to resume the bot + IsPaused bool `json:"is_paused"` +} + +// Pauses or resumes the connected business bot in a specific chat +func (client *Client) ToggleBusinessConnectedBotChatIsPaused(req *ToggleBusinessConnectedBotChatIsPausedRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "toggleBusinessConnectedBotChatIsPaused", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "is_paused": req.IsPaused, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type RemoveBusinessConnectedBotFromChatRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` +} + +// Removes the connected business bot from a specific chat by adding the chat to businessRecipients.excluded_chat_ids +func (client *Client) RemoveBusinessConnectedBotFromChat(req *RemoveBusinessConnectedBotFromChatRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "removeBusinessConnectedBotFromChat", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +// Returns business chat links created for the current account +func (client *Client) GetBusinessChatLinks() (*BusinessChatLinks, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getBusinessChatLinks", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalBusinessChatLinks(result.Data) +} + +type CreateBusinessChatLinkRequest struct { + // Information about the link to create + LinkInfo *InputBusinessChatLink `json:"link_info"` +} + +// Creates a business chat link for the current account. Requires Telegram Business subscription. There can be up to getOption("business_chat_link_count_max") links created. Returns the created link +func (client *Client) CreateBusinessChatLink(req *CreateBusinessChatLinkRequest) (*BusinessChatLink, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "createBusinessChatLink", + }, + Data: map[string]interface{}{ + "link_info": req.LinkInfo, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalBusinessChatLink(result.Data) +} + +type EditBusinessChatLinkRequest struct { + // The link to edit + Link string `json:"link"` + // New description of the link + LinkInfo *InputBusinessChatLink `json:"link_info"` +} + +// Edits a business chat link of the current account. Requires Telegram Business subscription. Returns the edited link +func (client *Client) EditBusinessChatLink(req *EditBusinessChatLinkRequest) (*BusinessChatLink, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "editBusinessChatLink", + }, + Data: map[string]interface{}{ + "link": req.Link, + "link_info": req.LinkInfo, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalBusinessChatLink(result.Data) +} + +type DeleteBusinessChatLinkRequest struct { + // The link to delete + Link string `json:"link"` +} + +// Deletes a business chat link of the current account +func (client *Client) DeleteBusinessChatLink(req *DeleteBusinessChatLinkRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "deleteBusinessChatLink", + }, + Data: map[string]interface{}{ + "link": req.Link, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type GetBusinessChatLinkInfoRequest struct { + // Name of the link + LinkName string `json:"link_name"` +} + +// Returns information about a business chat link +func (client *Client) GetBusinessChatLinkInfo(req *GetBusinessChatLinkInfoRequest) (*BusinessChatLinkInfo, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getBusinessChatLinkInfo", + }, + Data: map[string]interface{}{ + "link_name": req.LinkName, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalBusinessChatLinkInfo(result.Data) } // Returns an HTTPS link, which can be used to get information about the current user func (client *Client) GetUserLink() (*UserLink, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getUserLink", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getUserLink", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalUserLink(result.Data) + return UnmarshalUserLink(result.Data) } -type SearchUserByTokenRequest struct { - // Token to search for - Token string `json:"token"` +type SearchUserByTokenRequest struct { + // Token to search for + Token string `json:"token"` } // Searches a user by a token from the user's link func (client *Client) SearchUserByToken(req *SearchUserByTokenRequest) (*User, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "searchUserByToken", - }, - Data: map[string]interface{}{ - "token": req.Token, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "searchUserByToken", + }, + Data: map[string]interface{}{ + "token": req.Token, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalUser(result.Data) + return UnmarshalUser(result.Data) } -type SetCommandsRequest struct { - // The scope to which the commands are relevant; pass null to change commands in the default bot command scope - Scope BotCommandScope `json:"scope"` - // A two-letter ISO 639-1 language code. If empty, the commands will be applied to all users from the given scope, for which language there are no dedicated commands - LanguageCode string `json:"language_code"` - // List of the bot's commands - Commands []*BotCommand `json:"commands"` +type SetCommandsRequest struct { + // The scope to which the commands are relevant; pass null to change commands in the default bot command scope + Scope BotCommandScope `json:"scope"` + // A two-letter ISO 639-1 language code. If empty, the commands will be applied to all users from the given scope, for which language there are no dedicated commands + LanguageCode string `json:"language_code"` + // List of the bot's commands + Commands []*BotCommand `json:"commands"` } // Sets the list of commands supported by the bot for the given user scope and language; for bots only func (client *Client) SetCommands(req *SetCommandsRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setCommands", - }, - Data: map[string]interface{}{ - "scope": req.Scope, - "language_code": req.LanguageCode, - "commands": req.Commands, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setCommands", + }, + Data: map[string]interface{}{ + "scope": req.Scope, + "language_code": req.LanguageCode, + "commands": req.Commands, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type DeleteCommandsRequest struct { - // The scope to which the commands are relevant; pass null to delete commands in the default bot command scope - Scope BotCommandScope `json:"scope"` - // A two-letter ISO 639-1 language code or an empty string - LanguageCode string `json:"language_code"` +type DeleteCommandsRequest struct { + // The scope to which the commands are relevant; pass null to delete commands in the default bot command scope + Scope BotCommandScope `json:"scope"` + // A two-letter ISO 639-1 language code or an empty string + LanguageCode string `json:"language_code"` } // Deletes commands supported by the bot for the given user scope and language; for bots only func (client *Client) DeleteCommands(req *DeleteCommandsRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "deleteCommands", - }, - Data: map[string]interface{}{ - "scope": req.Scope, - "language_code": req.LanguageCode, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "deleteCommands", + }, + Data: map[string]interface{}{ + "scope": req.Scope, + "language_code": req.LanguageCode, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type GetCommandsRequest struct { - // The scope to which the commands are relevant; pass null to get commands in the default bot command scope - Scope BotCommandScope `json:"scope"` - // A two-letter ISO 639-1 language code or an empty string - LanguageCode string `json:"language_code"` +type GetCommandsRequest struct { + // The scope to which the commands are relevant; pass null to get commands in the default bot command scope + Scope BotCommandScope `json:"scope"` + // A two-letter ISO 639-1 language code or an empty string + LanguageCode string `json:"language_code"` } -// Returns list of commands supported by the bot for the given user scope and language; for bots only +// Returns the list of commands supported by the bot for the given user scope and language; for bots only func (client *Client) GetCommands(req *GetCommandsRequest) (*BotCommands, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getCommands", - }, - Data: map[string]interface{}{ - "scope": req.Scope, - "language_code": req.LanguageCode, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getCommands", + }, + Data: map[string]interface{}{ + "scope": req.Scope, + "language_code": req.LanguageCode, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalBotCommands(result.Data) + return UnmarshalBotCommands(result.Data) } -type SetMenuButtonRequest struct { - // Identifier of the user or 0 to set menu button for all users - UserId int64 `json:"user_id"` - // New menu button - MenuButton *BotMenuButton `json:"menu_button"` +type SetMenuButtonRequest struct { + // Identifier of the user or 0 to set menu button for all users + UserId int64 `json:"user_id"` + // New menu button + MenuButton *BotMenuButton `json:"menu_button"` } // Sets menu button for the given user or for all users; for bots only func (client *Client) SetMenuButton(req *SetMenuButtonRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setMenuButton", - }, - Data: map[string]interface{}{ - "user_id": req.UserId, - "menu_button": req.MenuButton, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setMenuButton", + }, + Data: map[string]interface{}{ + "user_id": req.UserId, + "menu_button": req.MenuButton, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type GetMenuButtonRequest struct { - // Identifier of the user or 0 to get the default menu button - UserId int64 `json:"user_id"` +type GetMenuButtonRequest struct { + // Identifier of the user or 0 to get the default menu button + UserId int64 `json:"user_id"` } // Returns menu button set by the bot for the given user; for bots only func (client *Client) GetMenuButton(req *GetMenuButtonRequest) (*BotMenuButton, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getMenuButton", - }, - Data: map[string]interface{}{ - "user_id": req.UserId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getMenuButton", + }, + Data: map[string]interface{}{ + "user_id": req.UserId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalBotMenuButton(result.Data) + return UnmarshalBotMenuButton(result.Data) } -type SetDefaultGroupAdministratorRightsRequest struct { - // Default administrator rights for adding the bot to basic group and supergroup chats; may be null - DefaultGroupAdministratorRights *ChatAdministratorRights `json:"default_group_administrator_rights"` +type SetDefaultGroupAdministratorRightsRequest struct { + // Default administrator rights for adding the bot to basic group and supergroup chats; pass null to remove default rights + DefaultGroupAdministratorRights *ChatAdministratorRights `json:"default_group_administrator_rights"` } // Sets default administrator rights for adding the bot to basic group and supergroup chats; for bots only func (client *Client) SetDefaultGroupAdministratorRights(req *SetDefaultGroupAdministratorRightsRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setDefaultGroupAdministratorRights", - }, - Data: map[string]interface{}{ - "default_group_administrator_rights": req.DefaultGroupAdministratorRights, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setDefaultGroupAdministratorRights", + }, + Data: map[string]interface{}{ + "default_group_administrator_rights": req.DefaultGroupAdministratorRights, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SetDefaultChannelAdministratorRightsRequest struct { - // Default administrator rights for adding the bot to channels; may be null - DefaultChannelAdministratorRights *ChatAdministratorRights `json:"default_channel_administrator_rights"` +type SetDefaultChannelAdministratorRightsRequest struct { + // Default administrator rights for adding the bot to channels; pass null to remove default rights + DefaultChannelAdministratorRights *ChatAdministratorRights `json:"default_channel_administrator_rights"` } // Sets default administrator rights for adding the bot to channel chats; for bots only func (client *Client) SetDefaultChannelAdministratorRights(req *SetDefaultChannelAdministratorRightsRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setDefaultChannelAdministratorRights", - }, - Data: map[string]interface{}{ - "default_channel_administrator_rights": req.DefaultChannelAdministratorRights, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setDefaultChannelAdministratorRights", + }, + Data: map[string]interface{}{ + "default_channel_administrator_rights": req.DefaultChannelAdministratorRights, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SetBotInfoDescriptionRequest struct { - // A two-letter ISO 639-1 language code. If empty, the description will be shown to all users, for which language there are no dedicated description - LanguageCode string `json:"language_code"` - // New bot's description on the specified language - Description string `json:"description"` +type CanBotSendMessagesRequest struct { + // Identifier of the target bot + BotUserId int64 `json:"bot_user_id"` } -// Sets the text shown in the chat with the bot if the chat is empty; bots only +// Checks whether the specified bot can send messages to the user. Returns a 404 error if can't and the access can be granted by call to allowBotToSendMessages +func (client *Client) CanBotSendMessages(req *CanBotSendMessagesRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "canBotSendMessages", + }, + Data: map[string]interface{}{ + "bot_user_id": req.BotUserId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type AllowBotToSendMessagesRequest struct { + // Identifier of the target bot + BotUserId int64 `json:"bot_user_id"` +} + +// Allows the specified bot to send messages to the user +func (client *Client) AllowBotToSendMessages(req *AllowBotToSendMessagesRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "allowBotToSendMessages", + }, + Data: map[string]interface{}{ + "bot_user_id": req.BotUserId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SendWebAppCustomRequestRequest struct { + // Identifier of the bot + BotUserId int64 `json:"bot_user_id"` + // The method name + Method string `json:"method"` + // JSON-serialized method parameters + Parameters string `json:"parameters"` +} + +// Sends a custom request from a Web App +func (client *Client) SendWebAppCustomRequest(req *SendWebAppCustomRequestRequest) (*CustomRequestResult, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "sendWebAppCustomRequest", + }, + Data: map[string]interface{}{ + "bot_user_id": req.BotUserId, + "method": req.Method, + "parameters": req.Parameters, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalCustomRequestResult(result.Data) +} + +type GetBotMediaPreviewsRequest struct { + // Identifier of the target bot. The bot must have the main Web App + BotUserId int64 `json:"bot_user_id"` +} + +// Returns the list of media previews of a bot +func (client *Client) GetBotMediaPreviews(req *GetBotMediaPreviewsRequest) (*BotMediaPreviews, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getBotMediaPreviews", + }, + Data: map[string]interface{}{ + "bot_user_id": req.BotUserId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalBotMediaPreviews(result.Data) +} + +type GetBotMediaPreviewInfoRequest struct { + // Identifier of the target bot. The bot must be owned and must have the main Web App + BotUserId int64 `json:"bot_user_id"` + // A two-letter ISO 639-1 language code for which to get previews. If empty, then default previews are returned + LanguageCode string `json:"language_code"` +} + +// Returns the list of media previews for the given language and the list of languages for which the bot has dedicated previews +func (client *Client) GetBotMediaPreviewInfo(req *GetBotMediaPreviewInfoRequest) (*BotMediaPreviewInfo, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getBotMediaPreviewInfo", + }, + Data: map[string]interface{}{ + "bot_user_id": req.BotUserId, + "language_code": req.LanguageCode, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalBotMediaPreviewInfo(result.Data) +} + +type AddBotMediaPreviewRequest struct { + // Identifier of the target bot. The bot must be owned and must have the main Web App + BotUserId int64 `json:"bot_user_id"` + // A two-letter ISO 639-1 language code for which preview is added. If empty, then the preview will be shown to all users for whose languages there are no dedicated previews. If non-empty, then there must be an official language pack of the same name, which is returned by getLocalizationTargetInfo + LanguageCode string `json:"language_code"` + // Content of the added preview + Content InputStoryContent `json:"content"` +} + +// Adds a new media preview to the beginning of the list of media previews of a bot. Returns the added preview after addition is completed server-side. The total number of previews must not exceed getOption("bot_media_preview_count_max") for the given language +func (client *Client) AddBotMediaPreview(req *AddBotMediaPreviewRequest) (*BotMediaPreview, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "addBotMediaPreview", + }, + Data: map[string]interface{}{ + "bot_user_id": req.BotUserId, + "language_code": req.LanguageCode, + "content": req.Content, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalBotMediaPreview(result.Data) +} + +type EditBotMediaPreviewRequest struct { + // Identifier of the target bot. The bot must be owned and must have the main Web App + BotUserId int64 `json:"bot_user_id"` + // Language code of the media preview to edit + LanguageCode string `json:"language_code"` + // File identifier of the media to replace + FileId int32 `json:"file_id"` + // Content of the new preview + Content InputStoryContent `json:"content"` +} + +// Replaces media preview in the list of media previews of a bot. Returns the new preview after edit is completed server-side +func (client *Client) EditBotMediaPreview(req *EditBotMediaPreviewRequest) (*BotMediaPreview, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "editBotMediaPreview", + }, + Data: map[string]interface{}{ + "bot_user_id": req.BotUserId, + "language_code": req.LanguageCode, + "file_id": req.FileId, + "content": req.Content, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalBotMediaPreview(result.Data) +} + +type ReorderBotMediaPreviewsRequest struct { + // Identifier of the target bot. The bot must be owned and must have the main Web App + BotUserId int64 `json:"bot_user_id"` + // Language code of the media previews to reorder + LanguageCode string `json:"language_code"` + // File identifiers of the media in the new order + FileIds []int32 `json:"file_ids"` +} + +// Changes order of media previews in the list of media previews of a bot +func (client *Client) ReorderBotMediaPreviews(req *ReorderBotMediaPreviewsRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "reorderBotMediaPreviews", + }, + Data: map[string]interface{}{ + "bot_user_id": req.BotUserId, + "language_code": req.LanguageCode, + "file_ids": req.FileIds, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type DeleteBotMediaPreviewsRequest struct { + // Identifier of the target bot. The bot must be owned and must have the main Web App + BotUserId int64 `json:"bot_user_id"` + // Language code of the media previews to delete + LanguageCode string `json:"language_code"` + // File identifiers of the media to delete + FileIds []int32 `json:"file_ids"` +} + +// Deletes media previews from the list of media previews of a bot +func (client *Client) DeleteBotMediaPreviews(req *DeleteBotMediaPreviewsRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "deleteBotMediaPreviews", + }, + Data: map[string]interface{}{ + "bot_user_id": req.BotUserId, + "language_code": req.LanguageCode, + "file_ids": req.FileIds, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SetBotNameRequest struct { + // Identifier of the target bot + BotUserId int64 `json:"bot_user_id"` + // A two-letter ISO 639-1 language code. If empty, the name will be shown to all users for whose languages there is no dedicated name + LanguageCode string `json:"language_code"` + // New bot's name on the specified language; 0-64 characters; must be non-empty if language code is empty + Name string `json:"name"` +} + +// Sets the name of a bot. Can be called only if userTypeBot.can_be_edited == true +func (client *Client) SetBotName(req *SetBotNameRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setBotName", + }, + Data: map[string]interface{}{ + "bot_user_id": req.BotUserId, + "language_code": req.LanguageCode, + "name": req.Name, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type GetBotNameRequest struct { + // Identifier of the target bot + BotUserId int64 `json:"bot_user_id"` + // A two-letter ISO 639-1 language code or an empty string + LanguageCode string `json:"language_code"` +} + +// Returns the name of a bot in the given language. Can be called only if userTypeBot.can_be_edited == true +func (client *Client) GetBotName(req *GetBotNameRequest) (*Text, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getBotName", + }, + Data: map[string]interface{}{ + "bot_user_id": req.BotUserId, + "language_code": req.LanguageCode, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalText(result.Data) +} + +type SetBotProfilePhotoRequest struct { + // Identifier of the target bot + BotUserId int64 `json:"bot_user_id"` + // Profile photo to set; pass null to delete the chat photo + Photo InputChatPhoto `json:"photo"` +} + +// Changes a profile photo for a bot +func (client *Client) SetBotProfilePhoto(req *SetBotProfilePhotoRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setBotProfilePhoto", + }, + Data: map[string]interface{}{ + "bot_user_id": req.BotUserId, + "photo": req.Photo, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type ToggleBotUsernameIsActiveRequest struct { + // Identifier of the target bot + BotUserId int64 `json:"bot_user_id"` + // The username to change + Username string `json:"username"` + // Pass true to activate the username; pass false to disable it + IsActive bool `json:"is_active"` +} + +// Changes active state for a username of a bot. The editable username can be disabled only if there are other active usernames. May return an error with a message "USERNAMES_ACTIVE_TOO_MUCH" if the maximum number of active usernames has been reached. Can be called only if userTypeBot.can_be_edited == true +func (client *Client) ToggleBotUsernameIsActive(req *ToggleBotUsernameIsActiveRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "toggleBotUsernameIsActive", + }, + Data: map[string]interface{}{ + "bot_user_id": req.BotUserId, + "username": req.Username, + "is_active": req.IsActive, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type ReorderBotActiveUsernamesRequest struct { + // Identifier of the target bot + BotUserId int64 `json:"bot_user_id"` + // The new order of active usernames. All currently active usernames must be specified + Usernames []string `json:"usernames"` +} + +// Changes order of active usernames of a bot. Can be called only if userTypeBot.can_be_edited == true +func (client *Client) ReorderBotActiveUsernames(req *ReorderBotActiveUsernamesRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "reorderBotActiveUsernames", + }, + Data: map[string]interface{}{ + "bot_user_id": req.BotUserId, + "usernames": req.Usernames, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SetBotInfoDescriptionRequest struct { + // Identifier of the target bot + BotUserId int64 `json:"bot_user_id"` + // A two-letter ISO 639-1 language code. If empty, the description will be shown to all users for whose languages there is no dedicated description + LanguageCode string `json:"language_code"` + // New bot's description on the specified language + Description string `json:"description"` +} + +// Sets the text shown in the chat with a bot if the chat is empty. Can be called only if userTypeBot.can_be_edited == true func (client *Client) SetBotInfoDescription(req *SetBotInfoDescriptionRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setBotInfoDescription", - }, - Data: map[string]interface{}{ - "language_code": req.LanguageCode, - "description": req.Description, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setBotInfoDescription", + }, + Data: map[string]interface{}{ + "bot_user_id": req.BotUserId, + "language_code": req.LanguageCode, + "description": req.Description, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type GetBotInfoDescriptionRequest struct { - // A two-letter ISO 639-1 language code or an empty string - LanguageCode string `json:"language_code"` +type GetBotInfoDescriptionRequest struct { + // Identifier of the target bot + BotUserId int64 `json:"bot_user_id"` + // A two-letter ISO 639-1 language code or an empty string + LanguageCode string `json:"language_code"` } -// Returns the text shown in the chat with the bot if the chat is empty in the given language; bots only +// Returns the text shown in the chat with a bot if the chat is empty in the given language. Can be called only if userTypeBot.can_be_edited == true func (client *Client) GetBotInfoDescription(req *GetBotInfoDescriptionRequest) (*Text, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getBotInfoDescription", - }, - Data: map[string]interface{}{ - "language_code": req.LanguageCode, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getBotInfoDescription", + }, + Data: map[string]interface{}{ + "bot_user_id": req.BotUserId, + "language_code": req.LanguageCode, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalText(result.Data) + return UnmarshalText(result.Data) } -type SetBotInfoShortDescriptionRequest struct { - // A two-letter ISO 639-1 language code. If empty, the short description will be shown to all users, for which language there are no dedicated description - LanguageCode string `json:"language_code"` - // New bot's short description on the specified language - ShortDescription string `json:"short_description"` +type SetBotInfoShortDescriptionRequest struct { + // Identifier of the target bot + BotUserId int64 `json:"bot_user_id"` + // A two-letter ISO 639-1 language code. If empty, the short description will be shown to all users for whose languages there is no dedicated description + LanguageCode string `json:"language_code"` + // New bot's short description on the specified language + ShortDescription string `json:"short_description"` } -// Sets the text shown on the bot's profile page and sent together with the link when users share the bot; bots only +// Sets the text shown on a bot's profile page and sent together with the link when users share the bot. Can be called only if userTypeBot.can_be_edited == true func (client *Client) SetBotInfoShortDescription(req *SetBotInfoShortDescriptionRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setBotInfoShortDescription", - }, - Data: map[string]interface{}{ - "language_code": req.LanguageCode, - "short_description": req.ShortDescription, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setBotInfoShortDescription", + }, + Data: map[string]interface{}{ + "bot_user_id": req.BotUserId, + "language_code": req.LanguageCode, + "short_description": req.ShortDescription, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type GetBotInfoShortDescriptionRequest struct { - // A two-letter ISO 639-1 language code or an empty string - LanguageCode string `json:"language_code"` +type GetBotInfoShortDescriptionRequest struct { + // Identifier of the target bot + BotUserId int64 `json:"bot_user_id"` + // A two-letter ISO 639-1 language code or an empty string + LanguageCode string `json:"language_code"` } -// Returns the text shown on the bot's profile page and sent together with the link when users share the bot in the given language; bots only +// Returns the text shown on a bot's profile page and sent together with the link when users share the bot in the given language. Can be called only if userTypeBot.can_be_edited == true func (client *Client) GetBotInfoShortDescription(req *GetBotInfoShortDescriptionRequest) (*Text, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getBotInfoShortDescription", - }, - Data: map[string]interface{}{ - "language_code": req.LanguageCode, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getBotInfoShortDescription", + }, + Data: map[string]interface{}{ + "bot_user_id": req.BotUserId, + "language_code": req.LanguageCode, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalText(result.Data) + return UnmarshalText(result.Data) +} + +type SetMessageSenderBotVerificationRequest struct { + // Identifier of the owned bot, which will verify the user or the chat + BotUserId int64 `json:"bot_user_id"` + // Identifier of the user or the supergroup or channel chat, which will be verified by the bot + VerifiedId MessageSender `json:"verified_id"` + // Custom description of verification reason; 0-getOption("bot_verification_custom_description_length_max"). If empty, then "was verified by organization "organization_name"" will be used as description. Can be specified only if the bot is allowed to provide custom description + CustomDescription string `json:"custom_description"` +} + +// Changes the verification status of a user or a chat by an owned bot +func (client *Client) SetMessageSenderBotVerification(req *SetMessageSenderBotVerificationRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setMessageSenderBotVerification", + }, + Data: map[string]interface{}{ + "bot_user_id": req.BotUserId, + "verified_id": req.VerifiedId, + "custom_description": req.CustomDescription, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type RemoveMessageSenderBotVerificationRequest struct { + // Identifier of the owned bot, which verified the user or the chat + BotUserId int64 `json:"bot_user_id"` + // Identifier of the user or the supergroup or channel chat, which verification is removed + VerifiedId MessageSender `json:"verified_id"` +} + +// Removes the verification status of a user or a chat by an owned bot +func (client *Client) RemoveMessageSenderBotVerification(req *RemoveMessageSenderBotVerificationRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "removeMessageSenderBotVerification", + }, + Data: map[string]interface{}{ + "bot_user_id": req.BotUserId, + "verified_id": req.VerifiedId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) } // Returns all active sessions of the current user func (client *Client) GetActiveSessions() (*Sessions, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getActiveSessions", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getActiveSessions", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalSessions(result.Data) + return UnmarshalSessions(result.Data) } -type TerminateSessionRequest struct { - // Session identifier - SessionId JsonInt64 `json:"session_id"` +type TerminateSessionRequest struct { + // Session identifier + SessionId JsonInt64 `json:"session_id"` } // Terminates a session of the current user func (client *Client) TerminateSession(req *TerminateSessionRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "terminateSession", - }, - Data: map[string]interface{}{ - "session_id": req.SessionId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "terminateSession", + }, + Data: map[string]interface{}{ + "session_id": req.SessionId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } // Terminates all other sessions of the current user func (client *Client) TerminateAllOtherSessions() (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "terminateAllOtherSessions", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "terminateAllOtherSessions", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type ToggleSessionCanAcceptCallsRequest struct { - // Session identifier - SessionId JsonInt64 `json:"session_id"` - // Pass true to allow accepting incoming calls by the session; pass false otherwise - CanAcceptCalls bool `json:"can_accept_calls"` +type ConfirmSessionRequest struct { + // Session identifier + SessionId JsonInt64 `json:"session_id"` +} + +// Confirms an unconfirmed session of the current user from another device +func (client *Client) ConfirmSession(req *ConfirmSessionRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "confirmSession", + }, + Data: map[string]interface{}{ + "session_id": req.SessionId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type ToggleSessionCanAcceptCallsRequest struct { + // Session identifier + SessionId JsonInt64 `json:"session_id"` + // Pass true to allow accepting incoming calls by the session; pass false otherwise + CanAcceptCalls bool `json:"can_accept_calls"` } // Toggles whether a session can accept incoming calls func (client *Client) ToggleSessionCanAcceptCalls(req *ToggleSessionCanAcceptCallsRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "toggleSessionCanAcceptCalls", - }, - Data: map[string]interface{}{ - "session_id": req.SessionId, - "can_accept_calls": req.CanAcceptCalls, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "toggleSessionCanAcceptCalls", + }, + Data: map[string]interface{}{ + "session_id": req.SessionId, + "can_accept_calls": req.CanAcceptCalls, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type ToggleSessionCanAcceptSecretChatsRequest struct { - // Session identifier - SessionId JsonInt64 `json:"session_id"` - // Pass true to allow accepring secret chats by the session; pass false otherwise - CanAcceptSecretChats bool `json:"can_accept_secret_chats"` +type ToggleSessionCanAcceptSecretChatsRequest struct { + // Session identifier + SessionId JsonInt64 `json:"session_id"` + // Pass true to allow accepting secret chats by the session; pass false otherwise + CanAcceptSecretChats bool `json:"can_accept_secret_chats"` } // Toggles whether a session can accept incoming secret chats func (client *Client) ToggleSessionCanAcceptSecretChats(req *ToggleSessionCanAcceptSecretChatsRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "toggleSessionCanAcceptSecretChats", - }, - Data: map[string]interface{}{ - "session_id": req.SessionId, - "can_accept_secret_chats": req.CanAcceptSecretChats, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "toggleSessionCanAcceptSecretChats", + }, + Data: map[string]interface{}{ + "session_id": req.SessionId, + "can_accept_secret_chats": req.CanAcceptSecretChats, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SetInactiveSessionTtlRequest struct { - // New number of days of inactivity before sessions will be automatically terminated; 1-366 days - InactiveSessionTtlDays int32 `json:"inactive_session_ttl_days"` +type SetInactiveSessionTtlRequest struct { + // New number of days of inactivity before sessions will be automatically terminated; 1-366 days + InactiveSessionTtlDays int32 `json:"inactive_session_ttl_days"` } // Changes the period of inactivity after which sessions will automatically be terminated func (client *Client) SetInactiveSessionTtl(req *SetInactiveSessionTtlRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setInactiveSessionTtl", - }, - Data: map[string]interface{}{ - "inactive_session_ttl_days": req.InactiveSessionTtlDays, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setInactiveSessionTtl", + }, + Data: map[string]interface{}{ + "inactive_session_ttl_days": req.InactiveSessionTtlDays, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } // Returns all website where the current user used Telegram to log in func (client *Client) GetConnectedWebsites() (*ConnectedWebsites, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getConnectedWebsites", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getConnectedWebsites", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalConnectedWebsites(result.Data) + return UnmarshalConnectedWebsites(result.Data) } -type DisconnectWebsiteRequest struct { - // Website identifier - WebsiteId JsonInt64 `json:"website_id"` +type DisconnectWebsiteRequest struct { + // Website identifier + WebsiteId JsonInt64 `json:"website_id"` } // Disconnects website from the current user's Telegram account func (client *Client) DisconnectWebsite(req *DisconnectWebsiteRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "disconnectWebsite", - }, - Data: map[string]interface{}{ - "website_id": req.WebsiteId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "disconnectWebsite", + }, + Data: map[string]interface{}{ + "website_id": req.WebsiteId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } // Disconnects all websites from the current user's Telegram account func (client *Client) DisconnectAllWebsites() (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "disconnectAllWebsites", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "disconnectAllWebsites", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SetSupergroupUsernameRequest struct { - // Identifier of the supergroup or channel - SupergroupId int64 `json:"supergroup_id"` - // New value of the username. Use an empty string to remove the username. The username can't be completely removed if there is another active or disabled username - Username string `json:"username"` +type SetSupergroupUsernameRequest struct { + // Identifier of the supergroup or channel + SupergroupId int64 `json:"supergroup_id"` + // New value of the username. Use an empty string to remove the username. The username can't be completely removed if there is another active or disabled username + Username string `json:"username"` } // Changes the editable username of a supergroup or channel, requires owner privileges in the supergroup or channel func (client *Client) SetSupergroupUsername(req *SetSupergroupUsernameRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setSupergroupUsername", - }, - Data: map[string]interface{}{ - "supergroup_id": req.SupergroupId, - "username": req.Username, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setSupergroupUsername", + }, + Data: map[string]interface{}{ + "supergroup_id": req.SupergroupId, + "username": req.Username, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type ToggleSupergroupUsernameIsActiveRequest struct { - // Identifier of the supergroup or channel - SupergroupId int64 `json:"supergroup_id"` - // The username to change - Username string `json:"username"` - // Pass true to activate the username; pass false to disable it - IsActive bool `json:"is_active"` +type ToggleSupergroupUsernameIsActiveRequest struct { + // Identifier of the supergroup or channel + SupergroupId int64 `json:"supergroup_id"` + // The username to change + Username string `json:"username"` + // Pass true to activate the username; pass false to disable it + IsActive bool `json:"is_active"` } // Changes active state for a username of a supergroup or channel, requires owner privileges in the supergroup or channel. The editable username can't be disabled. May return an error with a message "USERNAMES_ACTIVE_TOO_MUCH" if the maximum number of active usernames has been reached func (client *Client) ToggleSupergroupUsernameIsActive(req *ToggleSupergroupUsernameIsActiveRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "toggleSupergroupUsernameIsActive", - }, - Data: map[string]interface{}{ - "supergroup_id": req.SupergroupId, - "username": req.Username, - "is_active": req.IsActive, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "toggleSupergroupUsernameIsActive", + }, + Data: map[string]interface{}{ + "supergroup_id": req.SupergroupId, + "username": req.Username, + "is_active": req.IsActive, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type DisableAllSupergroupUsernamesRequest struct { - // Identifier of the supergroup or channel - SupergroupId int64 `json:"supergroup_id"` +type DisableAllSupergroupUsernamesRequest struct { + // Identifier of the supergroup or channel + SupergroupId int64 `json:"supergroup_id"` } // Disables all active non-editable usernames of a supergroup or channel, requires owner privileges in the supergroup or channel func (client *Client) DisableAllSupergroupUsernames(req *DisableAllSupergroupUsernamesRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "disableAllSupergroupUsernames", - }, - Data: map[string]interface{}{ - "supergroup_id": req.SupergroupId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "disableAllSupergroupUsernames", + }, + Data: map[string]interface{}{ + "supergroup_id": req.SupergroupId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type ReorderSupergroupActiveUsernamesRequest struct { - // Identifier of the supergroup or channel - SupergroupId int64 `json:"supergroup_id"` - // The new order of active usernames. All currently active usernames must be specified - Usernames []string `json:"usernames"` +type ReorderSupergroupActiveUsernamesRequest struct { + // Identifier of the supergroup or channel + SupergroupId int64 `json:"supergroup_id"` + // The new order of active usernames. All currently active usernames must be specified + Usernames []string `json:"usernames"` } // Changes order of active usernames of a supergroup or channel, requires owner privileges in the supergroup or channel func (client *Client) ReorderSupergroupActiveUsernames(req *ReorderSupergroupActiveUsernamesRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "reorderSupergroupActiveUsernames", - }, - Data: map[string]interface{}{ - "supergroup_id": req.SupergroupId, - "usernames": req.Usernames, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "reorderSupergroupActiveUsernames", + }, + Data: map[string]interface{}{ + "supergroup_id": req.SupergroupId, + "usernames": req.Usernames, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SetSupergroupStickerSetRequest struct { - // Identifier of the supergroup - SupergroupId int64 `json:"supergroup_id"` - // New value of the supergroup sticker set identifier. Use 0 to remove the supergroup sticker set - StickerSetId JsonInt64 `json:"sticker_set_id"` +type SetSupergroupStickerSetRequest struct { + // Identifier of the supergroup + SupergroupId int64 `json:"supergroup_id"` + // New value of the supergroup sticker set identifier. Use 0 to remove the supergroup sticker set + StickerSetId JsonInt64 `json:"sticker_set_id"` } // Changes the sticker set of a supergroup; requires can_change_info administrator right func (client *Client) SetSupergroupStickerSet(req *SetSupergroupStickerSetRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setSupergroupStickerSet", - }, - Data: map[string]interface{}{ - "supergroup_id": req.SupergroupId, - "sticker_set_id": req.StickerSetId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setSupergroupStickerSet", + }, + Data: map[string]interface{}{ + "supergroup_id": req.SupergroupId, + "sticker_set_id": req.StickerSetId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type ToggleSupergroupSignMessagesRequest struct { - // Identifier of the channel - SupergroupId int64 `json:"supergroup_id"` - // New value of sign_messages - SignMessages bool `json:"sign_messages"` +type SetSupergroupCustomEmojiStickerSetRequest struct { + // Identifier of the supergroup + SupergroupId int64 `json:"supergroup_id"` + // New value of the custom emoji sticker set identifier for the supergroup. Use 0 to remove the custom emoji sticker set in the supergroup + CustomEmojiStickerSetId JsonInt64 `json:"custom_emoji_sticker_set_id"` } -// Toggles whether sender signature is added to sent messages in a channel; requires can_change_info administrator right +// Changes the custom emoji sticker set of a supergroup; requires can_change_info administrator right. The chat must have at least chatBoostFeatures.min_custom_emoji_sticker_set_boost_level boost level to pass the corresponding color +func (client *Client) SetSupergroupCustomEmojiStickerSet(req *SetSupergroupCustomEmojiStickerSetRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setSupergroupCustomEmojiStickerSet", + }, + Data: map[string]interface{}{ + "supergroup_id": req.SupergroupId, + "custom_emoji_sticker_set_id": req.CustomEmojiStickerSetId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SetSupergroupUnrestrictBoostCountRequest struct { + // Identifier of the supergroup + SupergroupId int64 `json:"supergroup_id"` + // New value of the unrestrict_boost_count supergroup setting; 0-8. Use 0 to remove the setting + UnrestrictBoostCount int32 `json:"unrestrict_boost_count"` +} + +// Changes the number of times the supergroup must be boosted by a user to ignore slow mode and chat permission restrictions; requires can_restrict_members administrator right +func (client *Client) SetSupergroupUnrestrictBoostCount(req *SetSupergroupUnrestrictBoostCountRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setSupergroupUnrestrictBoostCount", + }, + Data: map[string]interface{}{ + "supergroup_id": req.SupergroupId, + "unrestrict_boost_count": req.UnrestrictBoostCount, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SetSupergroupMainProfileTabRequest struct { + // Identifier of the channel + SupergroupId int64 `json:"supergroup_id"` + // The new value of the main profile tab + MainProfileTab ProfileTab `json:"main_profile_tab"` +} + +// Changes the main profile tab of the channel; requires can_change_info administrator right +func (client *Client) SetSupergroupMainProfileTab(req *SetSupergroupMainProfileTabRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setSupergroupMainProfileTab", + }, + Data: map[string]interface{}{ + "supergroup_id": req.SupergroupId, + "main_profile_tab": req.MainProfileTab, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type ToggleSupergroupSignMessagesRequest struct { + // Identifier of the channel + SupergroupId int64 `json:"supergroup_id"` + // New value of sign_messages + SignMessages bool `json:"sign_messages"` + // New value of show_message_sender + ShowMessageSender bool `json:"show_message_sender"` +} + +// Toggles whether sender signature or link to the account is added to sent messages in a channel; requires can_change_info member right func (client *Client) ToggleSupergroupSignMessages(req *ToggleSupergroupSignMessagesRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "toggleSupergroupSignMessages", - }, - Data: map[string]interface{}{ - "supergroup_id": req.SupergroupId, - "sign_messages": req.SignMessages, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "toggleSupergroupSignMessages", + }, + Data: map[string]interface{}{ + "supergroup_id": req.SupergroupId, + "sign_messages": req.SignMessages, + "show_message_sender": req.ShowMessageSender, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type ToggleSupergroupJoinToSendMessagesRequest struct { - // Identifier of the supergroup - SupergroupId int64 `json:"supergroup_id"` - // New value of join_to_send_messages - JoinToSendMessages bool `json:"join_to_send_messages"` +type ToggleSupergroupJoinToSendMessagesRequest struct { + // Identifier of the supergroup that isn't a broadcast group + SupergroupId int64 `json:"supergroup_id"` + // New value of join_to_send_messages + JoinToSendMessages bool `json:"join_to_send_messages"` } // Toggles whether joining is mandatory to send messages to a discussion supergroup; requires can_restrict_members administrator right func (client *Client) ToggleSupergroupJoinToSendMessages(req *ToggleSupergroupJoinToSendMessagesRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "toggleSupergroupJoinToSendMessages", - }, - Data: map[string]interface{}{ - "supergroup_id": req.SupergroupId, - "join_to_send_messages": req.JoinToSendMessages, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "toggleSupergroupJoinToSendMessages", + }, + Data: map[string]interface{}{ + "supergroup_id": req.SupergroupId, + "join_to_send_messages": req.JoinToSendMessages, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type ToggleSupergroupJoinByRequestRequest struct { - // Identifier of the channel - SupergroupId int64 `json:"supergroup_id"` - // New value of join_by_request - JoinByRequest bool `json:"join_by_request"` +type ToggleSupergroupJoinByRequestRequest struct { + // Identifier of the supergroup that isn't a broadcast group and isn't a channel direct message group + SupergroupId int64 `json:"supergroup_id"` + // New value of join_by_request + JoinByRequest bool `json:"join_by_request"` } // Toggles whether all users directly joining the supergroup need to be approved by supergroup administrators; requires can_restrict_members administrator right func (client *Client) ToggleSupergroupJoinByRequest(req *ToggleSupergroupJoinByRequestRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "toggleSupergroupJoinByRequest", - }, - Data: map[string]interface{}{ - "supergroup_id": req.SupergroupId, - "join_by_request": req.JoinByRequest, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "toggleSupergroupJoinByRequest", + }, + Data: map[string]interface{}{ + "supergroup_id": req.SupergroupId, + "join_by_request": req.JoinByRequest, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type ToggleSupergroupIsAllHistoryAvailableRequest struct { - // The identifier of the supergroup - SupergroupId int64 `json:"supergroup_id"` - // The new value of is_all_history_available - IsAllHistoryAvailable bool `json:"is_all_history_available"` +type ToggleSupergroupIsAllHistoryAvailableRequest struct { + // The identifier of the supergroup + SupergroupId int64 `json:"supergroup_id"` + // The new value of is_all_history_available + IsAllHistoryAvailable bool `json:"is_all_history_available"` } -// Toggles whether the message history of a supergroup is available to new members; requires can_change_info administrator right +// Toggles whether the message history of a supergroup is available to new members; requires can_change_info member right func (client *Client) ToggleSupergroupIsAllHistoryAvailable(req *ToggleSupergroupIsAllHistoryAvailableRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "toggleSupergroupIsAllHistoryAvailable", - }, - Data: map[string]interface{}{ - "supergroup_id": req.SupergroupId, - "is_all_history_available": req.IsAllHistoryAvailable, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "toggleSupergroupIsAllHistoryAvailable", + }, + Data: map[string]interface{}{ + "supergroup_id": req.SupergroupId, + "is_all_history_available": req.IsAllHistoryAvailable, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type ToggleSupergroupHasHiddenMembersRequest struct { - // Identifier of the supergroup - SupergroupId int64 `json:"supergroup_id"` - // New value of has_hidden_members - HasHiddenMembers bool `json:"has_hidden_members"` +type ToggleSupergroupCanHaveSponsoredMessagesRequest struct { + // The identifier of the channel + SupergroupId int64 `json:"supergroup_id"` + // The new value of can_have_sponsored_messages + CanHaveSponsoredMessages bool `json:"can_have_sponsored_messages"` +} + +// Toggles whether sponsored messages are shown in the channel chat; requires owner privileges in the channel. The chat must have at least chatBoostFeatures.min_sponsored_message_disable_boost_level boost level to disable sponsored messages +func (client *Client) ToggleSupergroupCanHaveSponsoredMessages(req *ToggleSupergroupCanHaveSponsoredMessagesRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "toggleSupergroupCanHaveSponsoredMessages", + }, + Data: map[string]interface{}{ + "supergroup_id": req.SupergroupId, + "can_have_sponsored_messages": req.CanHaveSponsoredMessages, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type ToggleSupergroupHasAutomaticTranslationRequest struct { + // The identifier of the channel + SupergroupId int64 `json:"supergroup_id"` + // The new value of has_automatic_translation + HasAutomaticTranslation bool `json:"has_automatic_translation"` +} + +// Toggles whether messages are automatically translated in the channel chat; requires can_change_info administrator right in the channel. The chat must have at least chatBoostFeatures.min_automatic_translation_boost_level boost level to enable automatic translation +func (client *Client) ToggleSupergroupHasAutomaticTranslation(req *ToggleSupergroupHasAutomaticTranslationRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "toggleSupergroupHasAutomaticTranslation", + }, + Data: map[string]interface{}{ + "supergroup_id": req.SupergroupId, + "has_automatic_translation": req.HasAutomaticTranslation, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type ToggleSupergroupHasHiddenMembersRequest struct { + // Identifier of the supergroup + SupergroupId int64 `json:"supergroup_id"` + // New value of has_hidden_members + HasHiddenMembers bool `json:"has_hidden_members"` } // Toggles whether non-administrators can receive only administrators and bots using getSupergroupMembers or searchChatMembers. Can be called only if supergroupFullInfo.can_hide_members == true func (client *Client) ToggleSupergroupHasHiddenMembers(req *ToggleSupergroupHasHiddenMembersRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "toggleSupergroupHasHiddenMembers", - }, - Data: map[string]interface{}{ - "supergroup_id": req.SupergroupId, - "has_hidden_members": req.HasHiddenMembers, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "toggleSupergroupHasHiddenMembers", + }, + Data: map[string]interface{}{ + "supergroup_id": req.SupergroupId, + "has_hidden_members": req.HasHiddenMembers, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type ToggleSupergroupHasAggressiveAntiSpamEnabledRequest struct { - // The identifier of the supergroup, which isn't a broadcast group - SupergroupId int64 `json:"supergroup_id"` - // The new value of has_aggressive_anti_spam_enabled - HasAggressiveAntiSpamEnabled bool `json:"has_aggressive_anti_spam_enabled"` +type ToggleSupergroupHasAggressiveAntiSpamEnabledRequest struct { + // The identifier of the supergroup, which isn't a broadcast group + SupergroupId int64 `json:"supergroup_id"` + // The new value of has_aggressive_anti_spam_enabled + HasAggressiveAntiSpamEnabled bool `json:"has_aggressive_anti_spam_enabled"` } // Toggles whether aggressive anti-spam checks are enabled in the supergroup. Can be called only if supergroupFullInfo.can_toggle_aggressive_anti_spam == true func (client *Client) ToggleSupergroupHasAggressiveAntiSpamEnabled(req *ToggleSupergroupHasAggressiveAntiSpamEnabledRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "toggleSupergroupHasAggressiveAntiSpamEnabled", - }, - Data: map[string]interface{}{ - "supergroup_id": req.SupergroupId, - "has_aggressive_anti_spam_enabled": req.HasAggressiveAntiSpamEnabled, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "toggleSupergroupHasAggressiveAntiSpamEnabled", + }, + Data: map[string]interface{}{ + "supergroup_id": req.SupergroupId, + "has_aggressive_anti_spam_enabled": req.HasAggressiveAntiSpamEnabled, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type ToggleSupergroupIsForumRequest struct { - // Identifier of the supergroup - SupergroupId int64 `json:"supergroup_id"` - // New value of is_forum - IsForum bool `json:"is_forum"` +type ToggleSupergroupIsForumRequest struct { + // Identifier of the supergroup + SupergroupId int64 `json:"supergroup_id"` + // New value of is_forum + IsForum bool `json:"is_forum"` + // New value of has_forum_tabs; ignored if is_forum is false + HasForumTabs bool `json:"has_forum_tabs"` } // Toggles whether the supergroup is a forum; requires owner privileges in the supergroup. Discussion supergroups can't be converted to forums func (client *Client) ToggleSupergroupIsForum(req *ToggleSupergroupIsForumRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "toggleSupergroupIsForum", - }, - Data: map[string]interface{}{ - "supergroup_id": req.SupergroupId, - "is_forum": req.IsForum, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "toggleSupergroupIsForum", + }, + Data: map[string]interface{}{ + "supergroup_id": req.SupergroupId, + "is_forum": req.IsForum, + "has_forum_tabs": req.HasForumTabs, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type ToggleSupergroupIsBroadcastGroupRequest struct { - // Identifier of the supergroup - SupergroupId int64 `json:"supergroup_id"` +type ToggleSupergroupIsBroadcastGroupRequest struct { + // Identifier of the supergroup + SupergroupId int64 `json:"supergroup_id"` } // Upgrades supergroup to a broadcast group; requires owner privileges in the supergroup func (client *Client) ToggleSupergroupIsBroadcastGroup(req *ToggleSupergroupIsBroadcastGroupRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "toggleSupergroupIsBroadcastGroup", - }, - Data: map[string]interface{}{ - "supergroup_id": req.SupergroupId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "toggleSupergroupIsBroadcastGroup", + }, + Data: map[string]interface{}{ + "supergroup_id": req.SupergroupId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type ReportSupergroupSpamRequest struct { - // Supergroup identifier - SupergroupId int64 `json:"supergroup_id"` - // Identifiers of messages to report - MessageIds []int64 `json:"message_ids"` +type ReportSupergroupSpamRequest struct { + // Supergroup identifier + SupergroupId int64 `json:"supergroup_id"` + // Identifiers of messages to report. Use messageProperties.can_report_supergroup_spam to check whether the message can be reported + MessageIds []int64 `json:"message_ids"` } // Reports messages in a supergroup as spam; requires administrator rights in the supergroup func (client *Client) ReportSupergroupSpam(req *ReportSupergroupSpamRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "reportSupergroupSpam", - }, - Data: map[string]interface{}{ - "supergroup_id": req.SupergroupId, - "message_ids": req.MessageIds, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "reportSupergroupSpam", + }, + Data: map[string]interface{}{ + "supergroup_id": req.SupergroupId, + "message_ids": req.MessageIds, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type ReportSupergroupAntiSpamFalsePositiveRequest struct { - // Supergroup identifier - SupergroupId int64 `json:"supergroup_id"` - // Identifier of the erroneously deleted message - MessageId int64 `json:"message_id"` +type ReportSupergroupAntiSpamFalsePositiveRequest struct { + // Supergroup identifier + SupergroupId int64 `json:"supergroup_id"` + // Identifier of the erroneously deleted message from chatEventMessageDeleted + MessageId int64 `json:"message_id"` } // Reports a false deletion of a message by aggressive anti-spam checks; requires administrator rights in the supergroup. Can be called only for messages from chatEventMessageDeleted with can_report_anti_spam_false_positive == true func (client *Client) ReportSupergroupAntiSpamFalsePositive(req *ReportSupergroupAntiSpamFalsePositiveRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "reportSupergroupAntiSpamFalsePositive", - }, - Data: map[string]interface{}{ - "supergroup_id": req.SupergroupId, - "message_id": req.MessageId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "reportSupergroupAntiSpamFalsePositive", + }, + Data: map[string]interface{}{ + "supergroup_id": req.SupergroupId, + "message_id": req.MessageId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type GetSupergroupMembersRequest struct { - // Identifier of the supergroup or channel - SupergroupId int64 `json:"supergroup_id"` - // The type of users to return; pass null to use supergroupMembersFilterRecent - Filter SupergroupMembersFilter `json:"filter"` - // Number of users to skip - Offset int32 `json:"offset"` - // The maximum number of users be returned; up to 200 - Limit int32 `json:"limit"` +type GetSupergroupMembersRequest struct { + // Identifier of the supergroup or channel + SupergroupId int64 `json:"supergroup_id"` + // The type of users to return; pass null to use supergroupMembersFilterRecent + Filter SupergroupMembersFilter `json:"filter"` + // Number of users to skip + Offset int32 `json:"offset"` + // The maximum number of users to be returned; up to 200 + Limit int32 `json:"limit"` } // Returns information about members or banned users in a supergroup or channel. Can be used only if supergroupFullInfo.can_get_members == true; additionally, administrator privileges may be required for some filters func (client *Client) GetSupergroupMembers(req *GetSupergroupMembersRequest) (*ChatMembers, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getSupergroupMembers", - }, - Data: map[string]interface{}{ - "supergroup_id": req.SupergroupId, - "filter": req.Filter, - "offset": req.Offset, - "limit": req.Limit, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getSupergroupMembers", + }, + Data: map[string]interface{}{ + "supergroup_id": req.SupergroupId, + "filter": req.Filter, + "offset": req.Offset, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalChatMembers(result.Data) + return UnmarshalChatMembers(result.Data) } -type CloseSecretChatRequest struct { - // Secret chat identifier - SecretChatId int32 `json:"secret_chat_id"` +type CloseSecretChatRequest struct { + // Secret chat identifier + SecretChatId int32 `json:"secret_chat_id"` } // Closes a secret chat, effectively transferring its state to secretChatStateClosed func (client *Client) CloseSecretChat(req *CloseSecretChatRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "closeSecretChat", - }, - Data: map[string]interface{}{ - "secret_chat_id": req.SecretChatId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "closeSecretChat", + }, + Data: map[string]interface{}{ + "secret_chat_id": req.SecretChatId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type GetChatEventLogRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // Search query by which to filter events - Query string `json:"query"` - // Identifier of an event from which to return results. Use 0 to get results from the latest events - FromEventId JsonInt64 `json:"from_event_id"` - // The maximum number of events to return; up to 100 - Limit int32 `json:"limit"` - // The types of events to return; pass null to get chat events of all types - Filters *ChatEventLogFilters `json:"filters"` - // User identifiers by which to filter events. By default, events relating to all users will be returned - UserIds []int64 `json:"user_ids"` +type GetChatEventLogRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Search query by which to filter events + Query string `json:"query"` + // Identifier of an event from which to return results. Use 0 to get results from the latest events + FromEventId JsonInt64 `json:"from_event_id"` + // The maximum number of events to return; up to 100 + Limit int32 `json:"limit"` + // The types of events to return; pass null to get chat events of all types + Filters *ChatEventLogFilters `json:"filters"` + // User identifiers by which to filter events. By default, events relating to all users will be returned + UserIds []int64 `json:"user_ids"` } // Returns a list of service actions taken by chat members and administrators in the last 48 hours. Available only for supergroups and channels. Requires administrator rights. Returns results in reverse chronological order (i.e., in order of decreasing event_id) func (client *Client) GetChatEventLog(req *GetChatEventLogRequest) (*ChatEvents, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getChatEventLog", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "query": req.Query, - "from_event_id": req.FromEventId, - "limit": req.Limit, - "filters": req.Filters, - "user_ids": req.UserIds, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getChatEventLog", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "query": req.Query, + "from_event_id": req.FromEventId, + "limit": req.Limit, + "filters": req.Filters, + "user_ids": req.UserIds, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalChatEvents(result.Data) + return UnmarshalChatEvents(result.Data) } -type GetPaymentFormRequest struct { - // The invoice - InputInvoice InputInvoice `json:"input_invoice"` - // Preferred payment form theme; pass null to use the default theme - Theme *ThemeParameters `json:"theme"` +// Returns the list of supported time zones +func (client *Client) GetTimeZones() (*TimeZones, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getTimeZones", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalTimeZones(result.Data) } -// Returns an invoice payment form. This method must be called when the user presses inlineKeyboardButtonBuy +type GetPaymentFormRequest struct { + // The invoice + InputInvoice InputInvoice `json:"input_invoice"` + // Preferred payment form theme; pass null to use the default theme + Theme *ThemeParameters `json:"theme"` +} + +// Returns an invoice payment form. This method must be called when the user presses inline button of the type inlineKeyboardButtonTypeBuy, or wants to buy access to media in a messagePaidMedia message func (client *Client) GetPaymentForm(req *GetPaymentFormRequest) (*PaymentForm, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getPaymentForm", - }, - Data: map[string]interface{}{ - "input_invoice": req.InputInvoice, - "theme": req.Theme, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getPaymentForm", + }, + Data: map[string]interface{}{ + "input_invoice": req.InputInvoice, + "theme": req.Theme, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalPaymentForm(result.Data) + return UnmarshalPaymentForm(result.Data) } -type ValidateOrderInfoRequest struct { - // The invoice - InputInvoice InputInvoice `json:"input_invoice"` - // The order information, provided by the user; pass null if empty - OrderInfo *OrderInfo `json:"order_info"` - // Pass true to save the order information - AllowSave bool `json:"allow_save"` +type ValidateOrderInfoRequest struct { + // The invoice + InputInvoice InputInvoice `json:"input_invoice"` + // The order information, provided by the user; pass null if empty + OrderInfo *OrderInfo `json:"order_info"` + // Pass true to save the order information + AllowSave bool `json:"allow_save"` } // Validates the order information provided by a user and returns the available shipping options for a flexible invoice func (client *Client) ValidateOrderInfo(req *ValidateOrderInfoRequest) (*ValidatedOrderInfo, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "validateOrderInfo", - }, - Data: map[string]interface{}{ - "input_invoice": req.InputInvoice, - "order_info": req.OrderInfo, - "allow_save": req.AllowSave, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "validateOrderInfo", + }, + Data: map[string]interface{}{ + "input_invoice": req.InputInvoice, + "order_info": req.OrderInfo, + "allow_save": req.AllowSave, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalValidatedOrderInfo(result.Data) + return UnmarshalValidatedOrderInfo(result.Data) } -type SendPaymentFormRequest struct { - // The invoice - InputInvoice InputInvoice `json:"input_invoice"` - // Payment form identifier returned by getPaymentForm - PaymentFormId JsonInt64 `json:"payment_form_id"` - // Identifier returned by validateOrderInfo, or an empty string - OrderInfoId string `json:"order_info_id"` - // Identifier of a chosen shipping option, if applicable - ShippingOptionId string `json:"shipping_option_id"` - // The credentials chosen by user for payment - Credentials InputCredentials `json:"credentials"` - // Chosen by the user amount of tip in the smallest units of the currency - TipAmount int64 `json:"tip_amount"` +type SendPaymentFormRequest struct { + // The invoice + InputInvoice InputInvoice `json:"input_invoice"` + // Payment form identifier returned by getPaymentForm + PaymentFormId JsonInt64 `json:"payment_form_id"` + // Identifier returned by validateOrderInfo, or an empty string + OrderInfoId string `json:"order_info_id"` + // Identifier of a chosen shipping option, if applicable + ShippingOptionId string `json:"shipping_option_id"` + // The credentials chosen by user for payment; pass null for a payment in Telegram Stars + Credentials InputCredentials `json:"credentials"` + // Chosen by the user amount of tip in the smallest units of the currency + TipAmount int64 `json:"tip_amount"` } // Sends a filled-out payment form to the bot for final verification func (client *Client) SendPaymentForm(req *SendPaymentFormRequest) (*PaymentResult, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "sendPaymentForm", - }, - Data: map[string]interface{}{ - "input_invoice": req.InputInvoice, - "payment_form_id": req.PaymentFormId, - "order_info_id": req.OrderInfoId, - "shipping_option_id": req.ShippingOptionId, - "credentials": req.Credentials, - "tip_amount": req.TipAmount, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "sendPaymentForm", + }, + Data: map[string]interface{}{ + "input_invoice": req.InputInvoice, + "payment_form_id": req.PaymentFormId, + "order_info_id": req.OrderInfoId, + "shipping_option_id": req.ShippingOptionId, + "credentials": req.Credentials, + "tip_amount": req.TipAmount, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalPaymentResult(result.Data) + return UnmarshalPaymentResult(result.Data) } -type GetPaymentReceiptRequest struct { - // Chat identifier of the messagePaymentSuccessful message - ChatId int64 `json:"chat_id"` - // Message identifier - MessageId int64 `json:"message_id"` +type GetPaymentReceiptRequest struct { + // Chat identifier of the messagePaymentSuccessful message + ChatId int64 `json:"chat_id"` + // Message identifier + MessageId int64 `json:"message_id"` } // Returns information about a successful payment func (client *Client) GetPaymentReceipt(req *GetPaymentReceiptRequest) (*PaymentReceipt, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getPaymentReceipt", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_id": req.MessageId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getPaymentReceipt", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalPaymentReceipt(result.Data) + return UnmarshalPaymentReceipt(result.Data) } // Returns saved order information. Returns a 404 error if there is no saved order information func (client *Client) GetSavedOrderInfo() (*OrderInfo, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getSavedOrderInfo", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getSavedOrderInfo", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOrderInfo(result.Data) + return UnmarshalOrderInfo(result.Data) } // Deletes saved order information func (client *Client) DeleteSavedOrderInfo() (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "deleteSavedOrderInfo", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "deleteSavedOrderInfo", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } // Deletes saved credentials for all payment provider bots func (client *Client) DeleteSavedCredentials() (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "deleteSavedCredentials", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "deleteSavedCredentials", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type CreateInvoiceLinkRequest struct { - // Information about the invoice of the type inputMessageInvoice - Invoice InputMessageContent `json:"invoice"` +type SetGiftSettingsRequest struct { + // The new settings + Settings *GiftSettings `json:"settings"` +} + +// Changes settings for gift receiving for the current user +func (client *Client) SetGiftSettings(req *SetGiftSettingsRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setGiftSettings", + }, + Data: map[string]interface{}{ + "settings": req.Settings, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +// Returns gifts that can be sent to other users and channel chats +func (client *Client) GetAvailableGifts() (*AvailableGifts, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getAvailableGifts", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalAvailableGifts(result.Data) +} + +type CanSendGiftRequest struct { + // Identifier of the gift to send + GiftId JsonInt64 `json:"gift_id"` +} + +// Checks whether a gift with next_send_date in the future can be sent already +func (client *Client) CanSendGift(req *CanSendGiftRequest) (CanSendGiftResult, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "canSendGift", + }, + Data: map[string]interface{}{ + "gift_id": req.GiftId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + switch result.Type { + case TypeCanSendGiftResultOk: + return UnmarshalCanSendGiftResultOk(result.Data) + + case TypeCanSendGiftResultFail: + return UnmarshalCanSendGiftResultFail(result.Data) + + default: + return nil, errors.New("invalid type") + } +} + +type SendGiftRequest struct { + // Identifier of the gift to send + GiftId JsonInt64 `json:"gift_id"` + // Identifier of the user or the channel chat that will receive the gift; limited gifts can't be sent to channel chats + OwnerId MessageSender `json:"owner_id"` + // Text to show along with the gift; 0-getOption("gift_text_length_max") characters. Only Bold, Italic, Underline, Strikethrough, Spoiler, and CustomEmoji entities are allowed. Must be empty if the receiver enabled paid messages + Text *FormattedText `json:"text"` + // Pass true to show gift text and sender only to the gift receiver; otherwise, everyone will be able to see them + IsPrivate bool `json:"is_private"` + // Pass true to additionally pay for the gift upgrade and allow the receiver to upgrade it for free + PayForUpgrade bool `json:"pay_for_upgrade"` +} + +// Sends a gift to another user or channel chat. May return an error with a message "STARGIFT_USAGE_LIMITED" if the gift was sold out +func (client *Client) SendGift(req *SendGiftRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "sendGift", + }, + Data: map[string]interface{}{ + "gift_id": req.GiftId, + "owner_id": req.OwnerId, + "text": req.Text, + "is_private": req.IsPrivate, + "pay_for_upgrade": req.PayForUpgrade, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type GetGiftAuctionStateRequest struct { + // Unique identifier of the auction + AuctionId string `json:"auction_id"` +} + +// Returns auction state for a gift +func (client *Client) GetGiftAuctionState(req *GetGiftAuctionStateRequest) (*GiftAuctionState, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getGiftAuctionState", + }, + Data: map[string]interface{}{ + "auction_id": req.AuctionId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalGiftAuctionState(result.Data) +} + +type GetGiftAuctionAcquiredGiftsRequest struct { + // Identifier of the auctioned gift + GiftId JsonInt64 `json:"gift_id"` +} + +// Returns the gifts that were acquired by the current user on a gift auction +func (client *Client) GetGiftAuctionAcquiredGifts(req *GetGiftAuctionAcquiredGiftsRequest) (*GiftAuctionAcquiredGifts, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getGiftAuctionAcquiredGifts", + }, + Data: map[string]interface{}{ + "gift_id": req.GiftId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalGiftAuctionAcquiredGifts(result.Data) +} + +type OpenGiftAuctionRequest struct { + // Identifier of the gift, which auction was opened + GiftId JsonInt64 `json:"gift_id"` +} + +// Informs TDLib that a gift auction was opened by the user +func (client *Client) OpenGiftAuction(req *OpenGiftAuctionRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "openGiftAuction", + }, + Data: map[string]interface{}{ + "gift_id": req.GiftId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type CloseGiftAuctionRequest struct { + // Identifier of the gift, which auction was closed + GiftId JsonInt64 `json:"gift_id"` +} + +// Informs TDLib that a gift auction was closed by the user +func (client *Client) CloseGiftAuction(req *CloseGiftAuctionRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "closeGiftAuction", + }, + Data: map[string]interface{}{ + "gift_id": req.GiftId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type PlaceGiftAuctionBidRequest struct { + // Identifier of the gift to place the bid on + GiftId JsonInt64 `json:"gift_id"` + // The number of Telegram Stars to place in the bid + StarCount int64 `json:"star_count"` + // Identifier of the user who will receive the gift + UserId int64 `json:"user_id"` + // Text to show along with the gift; 0-getOption("gift_text_length_max") characters. Only Bold, Italic, Underline, Strikethrough, Spoiler, and CustomEmoji entities are allowed. Must be empty if the receiver enabled paid messages + Text *FormattedText `json:"text"` + // Pass true to show gift text and sender only to the gift receiver; otherwise, everyone will be able to see them + IsPrivate bool `json:"is_private"` +} + +// Places a bid on an auction gift +func (client *Client) PlaceGiftAuctionBid(req *PlaceGiftAuctionBidRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "placeGiftAuctionBid", + }, + Data: map[string]interface{}{ + "gift_id": req.GiftId, + "star_count": req.StarCount, + "user_id": req.UserId, + "text": req.Text, + "is_private": req.IsPrivate, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type IncreaseGiftAuctionBidRequest struct { + // Identifier of the gift to put the bid on + GiftId JsonInt64 `json:"gift_id"` + // The number of Telegram Stars to put in the bid + StarCount int64 `json:"star_count"` +} + +// Increases a bid for an auction gift without changing gift text and receiver +func (client *Client) IncreaseGiftAuctionBid(req *IncreaseGiftAuctionBidRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "increaseGiftAuctionBid", + }, + Data: map[string]interface{}{ + "gift_id": req.GiftId, + "star_count": req.StarCount, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SellGiftRequest struct { + // Unique identifier of business connection on behalf of which to send the request; for bots only + BusinessConnectionId string `json:"business_connection_id"` + // Identifier of the gift + ReceivedGiftId string `json:"received_gift_id"` +} + +// Sells a gift for Telegram Stars; requires owner privileges for gifts owned by a chat +func (client *Client) SellGift(req *SellGiftRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "sellGift", + }, + Data: map[string]interface{}{ + "business_connection_id": req.BusinessConnectionId, + "received_gift_id": req.ReceivedGiftId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type ToggleGiftIsSavedRequest struct { + // Identifier of the gift + ReceivedGiftId string `json:"received_gift_id"` + // Pass true to display the gift on the user's or the channel's profile page; pass false to remove it from the profile page + IsSaved bool `json:"is_saved"` +} + +// Toggles whether a gift is shown on the current user's or the channel's profile page; requires can_post_messages administrator right in the channel chat +func (client *Client) ToggleGiftIsSaved(req *ToggleGiftIsSavedRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "toggleGiftIsSaved", + }, + Data: map[string]interface{}{ + "received_gift_id": req.ReceivedGiftId, + "is_saved": req.IsSaved, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SetPinnedGiftsRequest struct { + // Identifier of the user or the channel chat that received the gifts + OwnerId MessageSender `json:"owner_id"` + // New list of pinned gifts. All gifts must be upgraded and saved on the profile page first. There can be up to getOption("pinned_gift_count_max") pinned gifts + ReceivedGiftIds []string `json:"received_gift_ids"` +} + +// Changes the list of pinned gifts on the current user's or the channel's profile page; requires can_post_messages administrator right in the channel chat +func (client *Client) SetPinnedGifts(req *SetPinnedGiftsRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setPinnedGifts", + }, + Data: map[string]interface{}{ + "owner_id": req.OwnerId, + "received_gift_ids": req.ReceivedGiftIds, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type ToggleChatGiftNotificationsRequest struct { + // Identifier of the channel chat + ChatId int64 `json:"chat_id"` + // Pass true to enable notifications about new gifts owned by the channel chat; pass false to disable the notifications + AreEnabled bool `json:"are_enabled"` +} + +// Toggles whether notifications for new gifts received by a channel chat are sent to the current user; requires can_post_messages administrator right in the chat +func (client *Client) ToggleChatGiftNotifications(req *ToggleChatGiftNotificationsRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "toggleChatGiftNotifications", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "are_enabled": req.AreEnabled, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type GetGiftUpgradePreviewRequest struct { + // Identifier of the regular gift + RegularGiftId JsonInt64 `json:"regular_gift_id"` +} + +// Returns examples of possible upgraded gifts for a regular gift +func (client *Client) GetGiftUpgradePreview(req *GetGiftUpgradePreviewRequest) (*GiftUpgradePreview, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getGiftUpgradePreview", + }, + Data: map[string]interface{}{ + "regular_gift_id": req.RegularGiftId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalGiftUpgradePreview(result.Data) +} + +type GetUpgradedGiftVariantsRequest struct { + // Identifier of the regular gift + RegularGiftId JsonInt64 `json:"regular_gift_id"` + // Pass true to get models that can be obtained by upgrading a regular gift + ReturnUpgradeModels bool `json:"return_upgrade_models"` + // Pass true to get models that can be obtained by crafting a gift from upgraded gifts + ReturnCraftModels bool `json:"return_craft_models"` +} + +// Returns all possible variants of upgraded gifts for a regular gift +func (client *Client) GetUpgradedGiftVariants(req *GetUpgradedGiftVariantsRequest) (*GiftUpgradeVariants, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getUpgradedGiftVariants", + }, + Data: map[string]interface{}{ + "regular_gift_id": req.RegularGiftId, + "return_upgrade_models": req.ReturnUpgradeModels, + "return_craft_models": req.ReturnCraftModels, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalGiftUpgradeVariants(result.Data) +} + +type UpgradeGiftRequest struct { + // Unique identifier of business connection on behalf of which to send the request; for bots only + BusinessConnectionId string `json:"business_connection_id"` + // Identifier of the gift + ReceivedGiftId string `json:"received_gift_id"` + // Pass true to keep the original gift text, sender and receiver in the upgraded gift + KeepOriginalDetails bool `json:"keep_original_details"` + // The Telegram Star amount required to pay for the upgrade. It the gift has prepaid_upgrade_star_count > 0, then pass 0, otherwise, pass gift.upgrade_star_count + StarCount int64 `json:"star_count"` +} + +// Upgrades a regular gift +func (client *Client) UpgradeGift(req *UpgradeGiftRequest) (*UpgradeGiftResult, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "upgradeGift", + }, + Data: map[string]interface{}{ + "business_connection_id": req.BusinessConnectionId, + "received_gift_id": req.ReceivedGiftId, + "keep_original_details": req.KeepOriginalDetails, + "star_count": req.StarCount, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalUpgradeGiftResult(result.Data) +} + +type BuyGiftUpgradeRequest struct { + // Identifier of the user or the channel chat that owns the gift + OwnerId MessageSender `json:"owner_id"` + // Prepaid upgrade hash as received along with the gift + PrepaidUpgradeHash string `json:"prepaid_upgrade_hash"` + // The Telegram Star amount the user agreed to pay for the upgrade; must be equal to gift.upgrade_star_count + StarCount int64 `json:"star_count"` +} + +// Pays for upgrade of a regular gift that is owned by another user or channel chat +func (client *Client) BuyGiftUpgrade(req *BuyGiftUpgradeRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "buyGiftUpgrade", + }, + Data: map[string]interface{}{ + "owner_id": req.OwnerId, + "prepaid_upgrade_hash": req.PrepaidUpgradeHash, + "star_count": req.StarCount, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type CraftGiftRequest struct { + // Identifier of the gifts to use for crafting + ReceivedGiftIds []string `json:"received_gift_ids"` +} + +// Crafts a new gift from other gifts that will be permanently lost +func (client *Client) CraftGift(req *CraftGiftRequest) (CraftGiftResult, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "craftGift", + }, + Data: map[string]interface{}{ + "received_gift_ids": req.ReceivedGiftIds, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + switch result.Type { + case TypeCraftGiftResultSuccess: + return UnmarshalCraftGiftResultSuccess(result.Data) + + case TypeCraftGiftResultTooEarly: + return UnmarshalCraftGiftResultTooEarly(result.Data) + + case TypeCraftGiftResultInvalidGift: + return UnmarshalCraftGiftResultInvalidGift(result.Data) + + case TypeCraftGiftResultFail: + return UnmarshalCraftGiftResultFail(result.Data) + + default: + return nil, errors.New("invalid type") + } +} + +type TransferGiftRequest struct { + // Unique identifier of business connection on behalf of which to send the request; for bots only + BusinessConnectionId string `json:"business_connection_id"` + // Identifier of the gift + ReceivedGiftId string `json:"received_gift_id"` + // Identifier of the user or the channel chat that will receive the gift + NewOwnerId MessageSender `json:"new_owner_id"` + // The Telegram Star amount required to pay for the transfer + StarCount int64 `json:"star_count"` +} + +// Sends an upgraded gift to another user or channel chat +func (client *Client) TransferGift(req *TransferGiftRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "transferGift", + }, + Data: map[string]interface{}{ + "business_connection_id": req.BusinessConnectionId, + "received_gift_id": req.ReceivedGiftId, + "new_owner_id": req.NewOwnerId, + "star_count": req.StarCount, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type DropGiftOriginalDetailsRequest struct { + // Identifier of the gift + ReceivedGiftId string `json:"received_gift_id"` + // The Telegram Star amount required to pay for the operation + StarCount int64 `json:"star_count"` +} + +// Drops original details for an upgraded gift +func (client *Client) DropGiftOriginalDetails(req *DropGiftOriginalDetailsRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "dropGiftOriginalDetails", + }, + Data: map[string]interface{}{ + "received_gift_id": req.ReceivedGiftId, + "star_count": req.StarCount, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SendResoldGiftRequest struct { + // Name of the upgraded gift to send + GiftName string `json:"gift_name"` + // Identifier of the user or the channel chat that will receive the gift + OwnerId MessageSender `json:"owner_id"` + // The price that the user agreed to pay for the gift + Price GiftResalePrice `json:"price"` +} + +// Sends an upgraded gift that is available for resale to another user or channel chat; gifts already owned by the current user must be transferred using transferGift and can't be passed to the method +func (client *Client) SendResoldGift(req *SendResoldGiftRequest) (GiftResaleResult, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "sendResoldGift", + }, + Data: map[string]interface{}{ + "gift_name": req.GiftName, + "owner_id": req.OwnerId, + "price": req.Price, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + switch result.Type { + case TypeGiftResaleResultOk: + return UnmarshalGiftResaleResultOk(result.Data) + + case TypeGiftResaleResultPriceIncreased: + return UnmarshalGiftResaleResultPriceIncreased(result.Data) + + default: + return nil, errors.New("invalid type") + } +} + +type SendGiftPurchaseOfferRequest struct { + // Identifier of the user or the channel chat that currently owns the gift and will receive the offer + OwnerId MessageSender `json:"owner_id"` + // Name of the upgraded gift + GiftName string `json:"gift_name"` + // The price that the user agreed to pay for the gift + Price GiftResalePrice `json:"price"` + // Duration of the offer, in seconds; must be one of 21600, 43200, 86400, 129600, 172800, or 259200. Can also be 120 if Telegram test environment is used + Duration int32 `json:"duration"` + // The number of Telegram Stars the user agreed to pay additionally for sending of the offer message to the current gift owner; pass userFullInfo.outgoing_paid_message_star_count for users and 0 otherwise + PaidMessageStarCount int64 `json:"paid_message_star_count"` +} + +// Sends an offer to purchase an upgraded gift +func (client *Client) SendGiftPurchaseOffer(req *SendGiftPurchaseOfferRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "sendGiftPurchaseOffer", + }, + Data: map[string]interface{}{ + "owner_id": req.OwnerId, + "gift_name": req.GiftName, + "price": req.Price, + "duration": req.Duration, + "paid_message_star_count": req.PaidMessageStarCount, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type ProcessGiftPurchaseOfferRequest struct { + // Identifier of the message with the gift purchase offer + MessageId int64 `json:"message_id"` + // Pass true to accept the request; pass false to reject it + Accept bool `json:"accept"` +} + +// Handles a pending gift purchase offer +func (client *Client) ProcessGiftPurchaseOffer(req *ProcessGiftPurchaseOfferRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "processGiftPurchaseOffer", + }, + Data: map[string]interface{}{ + "message_id": req.MessageId, + "accept": req.Accept, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type GetReceivedGiftsRequest struct { + // Unique identifier of business connection on behalf of which to send the request; for bots only + BusinessConnectionId string `json:"business_connection_id"` + // Identifier of the gift receiver + OwnerId MessageSender `json:"owner_id"` + // Pass collection identifier to get gifts only from the specified collection; pass 0 to get gifts regardless of collections + CollectionId int32 `json:"collection_id"` + // Pass true to exclude gifts that aren't saved to the chat's profile page. Always true for gifts received by other users and channel chats without can_post_messages administrator right + ExcludeUnsaved bool `json:"exclude_unsaved"` + // Pass true to exclude gifts that are saved to the chat's profile page. Always false for gifts received by other users and channel chats without can_post_messages administrator right + ExcludeSaved bool `json:"exclude_saved"` + // Pass true to exclude gifts that can be purchased unlimited number of times + ExcludeUnlimited bool `json:"exclude_unlimited"` + // Pass true to exclude gifts that can be purchased limited number of times and can be upgraded + ExcludeUpgradable bool `json:"exclude_upgradable"` + // Pass true to exclude gifts that can be purchased limited number of times and can't be upgraded + ExcludeNonUpgradable bool `json:"exclude_non_upgradable"` + // Pass true to exclude upgraded gifts + ExcludeUpgraded bool `json:"exclude_upgraded"` + // Pass true to exclude gifts that can't be used in setUpgradedGiftColors + ExcludeWithoutColors bool `json:"exclude_without_colors"` + // Pass true to exclude gifts that are just hosted and are not owned by the owner + ExcludeHosted bool `json:"exclude_hosted"` + // Pass true to sort results by gift price instead of send date + SortByPrice bool `json:"sort_by_price"` + // Offset of the first entry to return as received from the previous request; use empty string to get the first chunk of results + Offset string `json:"offset"` + // The maximum number of gifts to be returned; must be positive and can't be greater than 100. For optimal performance, the number of returned objects is chosen by TDLib and can be smaller than the specified limit + Limit int32 `json:"limit"` +} + +// Returns gifts received by the given user or chat +func (client *Client) GetReceivedGifts(req *GetReceivedGiftsRequest) (*ReceivedGifts, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getReceivedGifts", + }, + Data: map[string]interface{}{ + "business_connection_id": req.BusinessConnectionId, + "owner_id": req.OwnerId, + "collection_id": req.CollectionId, + "exclude_unsaved": req.ExcludeUnsaved, + "exclude_saved": req.ExcludeSaved, + "exclude_unlimited": req.ExcludeUnlimited, + "exclude_upgradable": req.ExcludeUpgradable, + "exclude_non_upgradable": req.ExcludeNonUpgradable, + "exclude_upgraded": req.ExcludeUpgraded, + "exclude_without_colors": req.ExcludeWithoutColors, + "exclude_hosted": req.ExcludeHosted, + "sort_by_price": req.SortByPrice, + "offset": req.Offset, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalReceivedGifts(result.Data) +} + +type GetReceivedGiftRequest struct { + // Identifier of the gift + ReceivedGiftId string `json:"received_gift_id"` +} + +// Returns information about a received gift +func (client *Client) GetReceivedGift(req *GetReceivedGiftRequest) (*ReceivedGift, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getReceivedGift", + }, + Data: map[string]interface{}{ + "received_gift_id": req.ReceivedGiftId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalReceivedGift(result.Data) +} + +type GetGiftsForCraftingRequest struct { + // Identifier of the regular gift that will be used for crafting + RegularGiftId JsonInt64 `json:"regular_gift_id"` + // Offset of the first entry to return as received from the previous request; use empty string to get the first chunk of results + Offset string `json:"offset"` + // The maximum number of gifts to be returned; must be positive and can't be greater than 100. For optimal performance, the number of returned objects is chosen by TDLib and can be smaller than the specified limit + Limit int32 `json:"limit"` +} + +// Returns upgraded gifts of the current user who can be used to craft another gifts +func (client *Client) GetGiftsForCrafting(req *GetGiftsForCraftingRequest) (*GiftsForCrafting, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getGiftsForCrafting", + }, + Data: map[string]interface{}{ + "regular_gift_id": req.RegularGiftId, + "offset": req.Offset, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalGiftsForCrafting(result.Data) +} + +type GetUpgradedGiftRequest struct { + // Unique name of the upgraded gift + Name string `json:"name"` +} + +// Returns information about an upgraded gift by its name +func (client *Client) GetUpgradedGift(req *GetUpgradedGiftRequest) (*UpgradedGift, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getUpgradedGift", + }, + Data: map[string]interface{}{ + "name": req.Name, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalUpgradedGift(result.Data) +} + +type GetUpgradedGiftValueInfoRequest struct { + // Unique name of the upgraded gift + Name string `json:"name"` +} + +// Returns information about value of an upgraded gift by its name +func (client *Client) GetUpgradedGiftValueInfo(req *GetUpgradedGiftValueInfoRequest) (*UpgradedGiftValueInfo, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getUpgradedGiftValueInfo", + }, + Data: map[string]interface{}{ + "name": req.Name, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalUpgradedGiftValueInfo(result.Data) +} + +type GetUpgradedGiftWithdrawalUrlRequest struct { + // Identifier of the gift + ReceivedGiftId string `json:"received_gift_id"` + // The 2-step verification password of the current user + Password string `json:"password"` +} + +// Returns a URL for upgraded gift withdrawal in the TON blockchain as an NFT; requires owner privileges for gifts owned by a chat +func (client *Client) GetUpgradedGiftWithdrawalUrl(req *GetUpgradedGiftWithdrawalUrlRequest) (*HttpUrl, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getUpgradedGiftWithdrawalUrl", + }, + Data: map[string]interface{}{ + "received_gift_id": req.ReceivedGiftId, + "password": req.Password, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalHttpUrl(result.Data) +} + +// Returns promotional anumation for upgraded gifts +func (client *Client) GetUpgradedGiftsPromotionalAnimation() (*Animation, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getUpgradedGiftsPromotionalAnimation", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalAnimation(result.Data) +} + +type SetGiftResalePriceRequest struct { + // Identifier of the unique gift + ReceivedGiftId string `json:"received_gift_id"` + // The new price for the unique gift; pass null to disallow gift resale. The current user will receive getOption("gift_resale_star_earnings_per_mille") Telegram Stars for each 1000 Telegram Stars paid for the gift if the gift price is in Telegram Stars or getOption("gift_resale_ton_earnings_per_mille") Toncoins for each 1000 Toncoins paid for the gift if the gift price is in Toncoins + Price GiftResalePrice `json:"price"` +} + +// Changes resale price of a unique gift owned by the current user +func (client *Client) SetGiftResalePrice(req *SetGiftResalePriceRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setGiftResalePrice", + }, + Data: map[string]interface{}{ + "received_gift_id": req.ReceivedGiftId, + "price": req.Price, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SearchGiftsForResaleRequest struct { + // Identifier of the regular gift that was upgraded to a unique gift + GiftId JsonInt64 `json:"gift_id"` + // Order in which the results will be sorted + Order GiftForResaleOrder `json:"order"` + // Pass true to get only gifts suitable for crafting + ForCrafting bool `json:"for_crafting"` + // Attributes used to filter received gifts. If multiple attributes of the same type are specified, then all of them are allowed. If none attributes of specific type are specified, then all values for this attribute type are allowed + Attributes []UpgradedGiftAttributeId `json:"attributes"` + // Offset of the first entry to return as received from the previous request with the same order and attributes; use empty string to get the first chunk of results + Offset string `json:"offset"` + // The maximum number of gifts to return + Limit int32 `json:"limit"` +} + +// Returns upgraded gifts that can be bought from other owners using sendResoldGift +func (client *Client) SearchGiftsForResale(req *SearchGiftsForResaleRequest) (*GiftsForResale, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "searchGiftsForResale", + }, + Data: map[string]interface{}{ + "gift_id": req.GiftId, + "order": req.Order, + "for_crafting": req.ForCrafting, + "attributes": req.Attributes, + "offset": req.Offset, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalGiftsForResale(result.Data) +} + +type GetGiftCollectionsRequest struct { + // Identifier of the user or the channel chat that received the gifts + OwnerId MessageSender `json:"owner_id"` +} + +// Returns collections of gifts owned by the given user or chat +func (client *Client) GetGiftCollections(req *GetGiftCollectionsRequest) (*GiftCollections, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getGiftCollections", + }, + Data: map[string]interface{}{ + "owner_id": req.OwnerId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalGiftCollections(result.Data) +} + +type CreateGiftCollectionRequest struct { + // Identifier of the user or the channel chat that received the gifts + OwnerId MessageSender `json:"owner_id"` + // Name of the collection; 1-12 characters + Name string `json:"name"` + // Identifier of the gifts to add to the collection; 0-getOption("gift_collection_size_max") identifiers + ReceivedGiftIds []string `json:"received_gift_ids"` +} + +// Creates a collection from gifts on the current user's or a channel's profile page; requires can_post_messages administrator right in the channel chat. An owner can have up to getOption("gift_collection_count_max") gift collections. The new collection will be added to the end of the gift collection list of the owner. Returns the created collection +func (client *Client) CreateGiftCollection(req *CreateGiftCollectionRequest) (*GiftCollection, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "createGiftCollection", + }, + Data: map[string]interface{}{ + "owner_id": req.OwnerId, + "name": req.Name, + "received_gift_ids": req.ReceivedGiftIds, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalGiftCollection(result.Data) +} + +type ReorderGiftCollectionsRequest struct { + // Identifier of the user or the channel chat that owns the collection + OwnerId MessageSender `json:"owner_id"` + // New order of gift collections + CollectionIds []int32 `json:"collection_ids"` +} + +// Changes order of gift collections. If the collections are owned by a channel chat, then requires can_post_messages administrator right in the channel chat +func (client *Client) ReorderGiftCollections(req *ReorderGiftCollectionsRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "reorderGiftCollections", + }, + Data: map[string]interface{}{ + "owner_id": req.OwnerId, + "collection_ids": req.CollectionIds, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type DeleteGiftCollectionRequest struct { + // Identifier of the user or the channel chat that owns the collection + OwnerId MessageSender `json:"owner_id"` + // Identifier of the gift collection + CollectionId int32 `json:"collection_id"` +} + +// Deletes a gift collection. If the collection is owned by a channel chat, then requires can_post_messages administrator right in the channel chat +func (client *Client) DeleteGiftCollection(req *DeleteGiftCollectionRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "deleteGiftCollection", + }, + Data: map[string]interface{}{ + "owner_id": req.OwnerId, + "collection_id": req.CollectionId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SetGiftCollectionNameRequest struct { + // Identifier of the user or the channel chat that owns the collection + OwnerId MessageSender `json:"owner_id"` + // Identifier of the gift collection + CollectionId int32 `json:"collection_id"` + // New name of the collection; 1-12 characters + Name string `json:"name"` +} + +// Changes name of a gift collection. If the collection is owned by a channel chat, then requires can_post_messages administrator right in the channel chat. Returns the changed collection +func (client *Client) SetGiftCollectionName(req *SetGiftCollectionNameRequest) (*GiftCollection, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setGiftCollectionName", + }, + Data: map[string]interface{}{ + "owner_id": req.OwnerId, + "collection_id": req.CollectionId, + "name": req.Name, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalGiftCollection(result.Data) +} + +type AddGiftCollectionGiftsRequest struct { + // Identifier of the user or the channel chat that owns the collection + OwnerId MessageSender `json:"owner_id"` + // Identifier of the gift collection + CollectionId int32 `json:"collection_id"` + // Identifier of the gifts to add to the collection; 1-getOption("gift_collection_size_max") identifiers. If after addition the collection has more than getOption("gift_collection_size_max") gifts, then the last one are removed from the collection + ReceivedGiftIds []string `json:"received_gift_ids"` +} + +// Adds gifts to the beginning of a previously created collection. If the collection is owned by a channel chat, then requires can_post_messages administrator right in the channel chat. Returns the changed collection +func (client *Client) AddGiftCollectionGifts(req *AddGiftCollectionGiftsRequest) (*GiftCollection, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "addGiftCollectionGifts", + }, + Data: map[string]interface{}{ + "owner_id": req.OwnerId, + "collection_id": req.CollectionId, + "received_gift_ids": req.ReceivedGiftIds, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalGiftCollection(result.Data) +} + +type RemoveGiftCollectionGiftsRequest struct { + // Identifier of the user or the channel chat that owns the collection + OwnerId MessageSender `json:"owner_id"` + // Identifier of the gift collection + CollectionId int32 `json:"collection_id"` + // Identifier of the gifts to remove from the collection + ReceivedGiftIds []string `json:"received_gift_ids"` +} + +// Removes gifts from a collection. If the collection is owned by a channel chat, then requires can_post_messages administrator right in the channel chat. Returns the changed collection +func (client *Client) RemoveGiftCollectionGifts(req *RemoveGiftCollectionGiftsRequest) (*GiftCollection, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "removeGiftCollectionGifts", + }, + Data: map[string]interface{}{ + "owner_id": req.OwnerId, + "collection_id": req.CollectionId, + "received_gift_ids": req.ReceivedGiftIds, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalGiftCollection(result.Data) +} + +type ReorderGiftCollectionGiftsRequest struct { + // Identifier of the user or the channel chat that owns the collection + OwnerId MessageSender `json:"owner_id"` + // Identifier of the gift collection + CollectionId int32 `json:"collection_id"` + // Identifier of the gifts to move to the beginning of the collection. All other gifts are placed in the current order after the specified gifts + ReceivedGiftIds []string `json:"received_gift_ids"` +} + +// Changes order of gifts in a collection. If the collection is owned by a channel chat, then requires can_post_messages administrator right in the channel chat. Returns the changed collection +func (client *Client) ReorderGiftCollectionGifts(req *ReorderGiftCollectionGiftsRequest) (*GiftCollection, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "reorderGiftCollectionGifts", + }, + Data: map[string]interface{}{ + "owner_id": req.OwnerId, + "collection_id": req.CollectionId, + "received_gift_ids": req.ReceivedGiftIds, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalGiftCollection(result.Data) +} + +type CreateInvoiceLinkRequest struct { + // Unique identifier of business connection on behalf of which to send the request + BusinessConnectionId string `json:"business_connection_id"` + // Information about the invoice of the type inputMessageInvoice + Invoice InputMessageContent `json:"invoice"` } // Creates a link for the given invoice; for bots only func (client *Client) CreateInvoiceLink(req *CreateInvoiceLinkRequest) (*HttpUrl, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "createInvoiceLink", - }, - Data: map[string]interface{}{ - "invoice": req.Invoice, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "createInvoiceLink", + }, + Data: map[string]interface{}{ + "business_connection_id": req.BusinessConnectionId, + "invoice": req.Invoice, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalHttpUrl(result.Data) + return UnmarshalHttpUrl(result.Data) } -// Returns a user that can be contacted to get support +type RefundStarPaymentRequest struct { + // Identifier of the user who did the payment + UserId int64 `json:"user_id"` + // Telegram payment identifier + TelegramPaymentChargeId string `json:"telegram_payment_charge_id"` +} + +// Refunds a previously done payment in Telegram Stars; for bots only +func (client *Client) RefundStarPayment(req *RefundStarPaymentRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "refundStarPayment", + }, + Data: map[string]interface{}{ + "user_id": req.UserId, + "telegram_payment_charge_id": req.TelegramPaymentChargeId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +// Returns a user who can be contacted to get support func (client *Client) GetSupportUser() (*User, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getSupportUser", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getSupportUser", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalUser(result.Data) + return UnmarshalUser(result.Data) } -type GetBackgroundsRequest struct { - // Pass true to order returned backgrounds for a dark theme - ForDarkTheme bool `json:"for_dark_theme"` -} - -// Returns backgrounds installed by the user -func (client *Client) GetBackgrounds(req *GetBackgroundsRequest) (*Backgrounds, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getBackgrounds", - }, - Data: map[string]interface{}{ - "for_dark_theme": req.ForDarkTheme, - }, - }) - if err != nil { - return nil, err - } - - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } - - return UnmarshalBackgrounds(result.Data) -} - -type GetBackgroundUrlRequest struct { - // Background name - Name string `json:"name"` - // Background type - Type BackgroundType `json:"type"` +type GetBackgroundUrlRequest struct { + // Background name + Name string `json:"name"` + // Background type; backgroundTypeChatTheme isn't supported + Type BackgroundType `json:"type"` } // Constructs a persistent HTTP URL for a background func (client *Client) GetBackgroundUrl(req *GetBackgroundUrlRequest) (*HttpUrl, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getBackgroundUrl", - }, - Data: map[string]interface{}{ - "name": req.Name, - "type": req.Type, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getBackgroundUrl", + }, + Data: map[string]interface{}{ + "name": req.Name, + "type": req.Type, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalHttpUrl(result.Data) + return UnmarshalHttpUrl(result.Data) } -type SearchBackgroundRequest struct { - // The name of the background - Name string `json:"name"` +type SearchBackgroundRequest struct { + // The name of the background + Name string `json:"name"` } // Searches for a background by its name func (client *Client) SearchBackground(req *SearchBackgroundRequest) (*Background, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "searchBackground", - }, - Data: map[string]interface{}{ - "name": req.Name, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "searchBackground", + }, + Data: map[string]interface{}{ + "name": req.Name, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalBackground(result.Data) + return UnmarshalBackground(result.Data) } -type SetBackgroundRequest struct { - // The input background to use; pass null to create a new filled backgrounds or to remove the current background - Background InputBackground `json:"background"` - // Background type; pass null to use the default type of the remote background or to remove the current background - Type BackgroundType `json:"type"` - // Pass true if the background is changed for a dark theme - ForDarkTheme bool `json:"for_dark_theme"` +type SetDefaultBackgroundRequest struct { + // The input background to use; pass null to create a new filled background + Background InputBackground `json:"background"` + // Background type; pass null to use the default type of the remote background; backgroundTypeChatTheme isn't supported + Type BackgroundType `json:"type"` + // Pass true if the background is set for a dark theme + ForDarkTheme bool `json:"for_dark_theme"` } -// Changes the background selected by the user; adds background to the list of installed backgrounds -func (client *Client) SetBackground(req *SetBackgroundRequest) (*Background, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setBackground", - }, - Data: map[string]interface{}{ - "background": req.Background, - "type": req.Type, - "for_dark_theme": req.ForDarkTheme, - }, - }) - if err != nil { - return nil, err - } +// Sets default background for chats; adds the background to the list of installed backgrounds +func (client *Client) SetDefaultBackground(req *SetDefaultBackgroundRequest) (*Background, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setDefaultBackground", + }, + Data: map[string]interface{}{ + "background": req.Background, + "type": req.Type, + "for_dark_theme": req.ForDarkTheme, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalBackground(result.Data) + return UnmarshalBackground(result.Data) } -type RemoveBackgroundRequest struct { - // The background identifier - BackgroundId JsonInt64 `json:"background_id"` +type DeleteDefaultBackgroundRequest struct { + // Pass true if the background is deleted for a dark theme + ForDarkTheme bool `json:"for_dark_theme"` +} + +// Deletes default background for chats +func (client *Client) DeleteDefaultBackground(req *DeleteDefaultBackgroundRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "deleteDefaultBackground", + }, + Data: map[string]interface{}{ + "for_dark_theme": req.ForDarkTheme, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type GetInstalledBackgroundsRequest struct { + // Pass true to order returned backgrounds for a dark theme + ForDarkTheme bool `json:"for_dark_theme"` +} + +// Returns backgrounds installed by the user +func (client *Client) GetInstalledBackgrounds(req *GetInstalledBackgroundsRequest) (*Backgrounds, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getInstalledBackgrounds", + }, + Data: map[string]interface{}{ + "for_dark_theme": req.ForDarkTheme, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalBackgrounds(result.Data) +} + +type RemoveInstalledBackgroundRequest struct { + // The background identifier + BackgroundId JsonInt64 `json:"background_id"` } // Removes background from the list of installed backgrounds -func (client *Client) RemoveBackground(req *RemoveBackgroundRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "removeBackground", - }, - Data: map[string]interface{}{ - "background_id": req.BackgroundId, - }, - }) - if err != nil { - return nil, err - } +func (client *Client) RemoveInstalledBackground(req *RemoveInstalledBackgroundRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "removeInstalledBackground", + }, + Data: map[string]interface{}{ + "background_id": req.BackgroundId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } // Resets list of installed backgrounds to its default value -func (client *Client) ResetBackgrounds() (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "resetBackgrounds", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } +func (client *Client) ResetInstalledBackgrounds() (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "resetInstalledBackgrounds", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type GetLocalizationTargetInfoRequest struct { - // Pass true to get only locally available information without sending network requests - OnlyLocal bool `json:"only_local"` +type GetLocalizationTargetInfoRequest struct { + // Pass true to get only locally available information without sending network requests + OnlyLocal bool `json:"only_local"` } -// Returns information about the current localization target. This is an offline request if only_local is true. Can be called before authorization +// Returns information about the current localization target. This is an offline method if only_local is true. Can be called before authorization func (client *Client) GetLocalizationTargetInfo(req *GetLocalizationTargetInfoRequest) (*LocalizationTargetInfo, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getLocalizationTargetInfo", - }, - Data: map[string]interface{}{ - "only_local": req.OnlyLocal, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getLocalizationTargetInfo", + }, + Data: map[string]interface{}{ + "only_local": req.OnlyLocal, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalLocalizationTargetInfo(result.Data) + return UnmarshalLocalizationTargetInfo(result.Data) } -type GetLanguagePackInfoRequest struct { - // Language pack identifier - LanguagePackId string `json:"language_pack_id"` +type GetLanguagePackInfoRequest struct { + // Language pack identifier + LanguagePackId string `json:"language_pack_id"` } // Returns information about a language pack. Returned language pack identifier may be different from a provided one. Can be called before authorization func (client *Client) GetLanguagePackInfo(req *GetLanguagePackInfoRequest) (*LanguagePackInfo, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getLanguagePackInfo", - }, - Data: map[string]interface{}{ - "language_pack_id": req.LanguagePackId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getLanguagePackInfo", + }, + Data: map[string]interface{}{ + "language_pack_id": req.LanguagePackId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalLanguagePackInfo(result.Data) + return UnmarshalLanguagePackInfo(result.Data) } -type GetLanguagePackStringsRequest struct { - // Language pack identifier of the strings to be returned - LanguagePackId string `json:"language_pack_id"` - // Language pack keys of the strings to be returned; leave empty to request all available strings - Keys []string `json:"keys"` +type GetLanguagePackStringsRequest struct { + // Language pack identifier of the strings to be returned + LanguagePackId string `json:"language_pack_id"` + // Language pack keys of the strings to be returned; leave empty to request all available strings + Keys []string `json:"keys"` } // Returns strings from a language pack in the current localization target by their keys. Can be called before authorization func (client *Client) GetLanguagePackStrings(req *GetLanguagePackStringsRequest) (*LanguagePackStrings, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getLanguagePackStrings", - }, - Data: map[string]interface{}{ - "language_pack_id": req.LanguagePackId, - "keys": req.Keys, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getLanguagePackStrings", + }, + Data: map[string]interface{}{ + "language_pack_id": req.LanguagePackId, + "keys": req.Keys, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalLanguagePackStrings(result.Data) + return UnmarshalLanguagePackStrings(result.Data) } -type SynchronizeLanguagePackRequest struct { - // Language pack identifier - LanguagePackId string `json:"language_pack_id"` +type SynchronizeLanguagePackRequest struct { + // Language pack identifier + LanguagePackId string `json:"language_pack_id"` } // Fetches the latest versions of all strings from a language pack in the current localization target from the server. This method doesn't need to be called explicitly for the current used/base language packs. Can be called before authorization func (client *Client) SynchronizeLanguagePack(req *SynchronizeLanguagePackRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "synchronizeLanguagePack", - }, - Data: map[string]interface{}{ - "language_pack_id": req.LanguagePackId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "synchronizeLanguagePack", + }, + Data: map[string]interface{}{ + "language_pack_id": req.LanguagePackId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type AddCustomServerLanguagePackRequest struct { - // Identifier of a language pack to be added - LanguagePackId string `json:"language_pack_id"` +type AddCustomServerLanguagePackRequest struct { + // Identifier of a language pack to be added + LanguagePackId string `json:"language_pack_id"` } // Adds a custom server language pack to the list of installed language packs in current localization target. Can be called before authorization func (client *Client) AddCustomServerLanguagePack(req *AddCustomServerLanguagePackRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "addCustomServerLanguagePack", - }, - Data: map[string]interface{}{ - "language_pack_id": req.LanguagePackId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "addCustomServerLanguagePack", + }, + Data: map[string]interface{}{ + "language_pack_id": req.LanguagePackId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SetCustomLanguagePackRequest struct { - // Information about the language pack. Language pack ID must start with 'X', consist only of English letters, digits and hyphens, and must not exceed 64 characters. Can be called before authorization - Info *LanguagePackInfo `json:"info"` - // Strings of the new language pack - Strings []*LanguagePackString `json:"strings"` +type SetCustomLanguagePackRequest struct { + // Information about the language pack. Language pack identifier must start with 'X', consist only of English letters, digits and hyphens, and must not exceed 64 characters. Can be called before authorization + Info *LanguagePackInfo `json:"info"` + // Strings of the new language pack + Strings []*LanguagePackString `json:"strings"` } // Adds or changes a custom local language pack to the current localization target func (client *Client) SetCustomLanguagePack(req *SetCustomLanguagePackRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setCustomLanguagePack", - }, - Data: map[string]interface{}{ - "info": req.Info, - "strings": req.Strings, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setCustomLanguagePack", + }, + Data: map[string]interface{}{ + "info": req.Info, + "strings": req.Strings, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type EditCustomLanguagePackInfoRequest struct { - // New information about the custom local language pack - Info *LanguagePackInfo `json:"info"` +type EditCustomLanguagePackInfoRequest struct { + // New information about the custom local language pack + Info *LanguagePackInfo `json:"info"` } // Edits information about a custom local language pack in the current localization target. Can be called before authorization func (client *Client) EditCustomLanguagePackInfo(req *EditCustomLanguagePackInfoRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "editCustomLanguagePackInfo", - }, - Data: map[string]interface{}{ - "info": req.Info, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "editCustomLanguagePackInfo", + }, + Data: map[string]interface{}{ + "info": req.Info, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SetCustomLanguagePackStringRequest struct { - // Identifier of a previously added custom local language pack in the current localization target - LanguagePackId string `json:"language_pack_id"` - // New language pack string - NewString *LanguagePackString `json:"new_string"` +type SetCustomLanguagePackStringRequest struct { + // Identifier of a previously added custom local language pack in the current localization target + LanguagePackId string `json:"language_pack_id"` + // New language pack string + NewString *LanguagePackString `json:"new_string"` } // Adds, edits or deletes a string in a custom local language pack. Can be called before authorization func (client *Client) SetCustomLanguagePackString(req *SetCustomLanguagePackStringRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setCustomLanguagePackString", - }, - Data: map[string]interface{}{ - "language_pack_id": req.LanguagePackId, - "new_string": req.NewString, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setCustomLanguagePackString", + }, + Data: map[string]interface{}{ + "language_pack_id": req.LanguagePackId, + "new_string": req.NewString, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type DeleteLanguagePackRequest struct { - // Identifier of the language pack to delete - LanguagePackId string `json:"language_pack_id"` +type DeleteLanguagePackRequest struct { + // Identifier of the language pack to delete + LanguagePackId string `json:"language_pack_id"` } // Deletes all information about a language pack in the current localization target. The language pack which is currently in use (including base language pack) or is being synchronized can't be deleted. Can be called before authorization func (client *Client) DeleteLanguagePack(req *DeleteLanguagePackRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "deleteLanguagePack", - }, - Data: map[string]interface{}{ - "language_pack_id": req.LanguagePackId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "deleteLanguagePack", + }, + Data: map[string]interface{}{ + "language_pack_id": req.LanguagePackId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type RegisterDeviceRequest struct { - // Device token - DeviceToken DeviceToken `json:"device_token"` - // List of user identifiers of other users currently using the application - OtherUserIds []int64 `json:"other_user_ids"` +type RegisterDeviceRequest struct { + // Device token + DeviceToken DeviceToken `json:"device_token"` + // List of user identifiers of other users currently using the application + OtherUserIds []int64 `json:"other_user_ids"` } // Registers the currently used device for receiving push notifications. Returns a globally unique identifier of the push notification subscription func (client *Client) RegisterDevice(req *RegisterDeviceRequest) (*PushReceiverId, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "registerDevice", - }, - Data: map[string]interface{}{ - "device_token": req.DeviceToken, - "other_user_ids": req.OtherUserIds, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "registerDevice", + }, + Data: map[string]interface{}{ + "device_token": req.DeviceToken, + "other_user_ids": req.OtherUserIds, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalPushReceiverId(result.Data) + return UnmarshalPushReceiverId(result.Data) } -type ProcessPushNotificationRequest struct { - // JSON-encoded push notification payload with all fields sent by the server, and "google.sent_time" and "google.notification.sound" fields added - Payload string `json:"payload"` +type ProcessPushNotificationRequest struct { + // JSON-encoded push notification payload with all fields sent by the server, and "google.sent_time" and "google.notification.sound" fields added + Payload string `json:"payload"` } // Handles a push notification. Returns error with code 406 if the push notification is not supported and connection to the server is required to fetch new data. Can be called before authorization func (client *Client) ProcessPushNotification(req *ProcessPushNotificationRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "processPushNotification", - }, - Data: map[string]interface{}{ - "payload": req.Payload, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "processPushNotification", + }, + Data: map[string]interface{}{ + "payload": req.Payload, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type GetPushReceiverIdRequest struct { - // JSON-encoded push notification payload - Payload string `json:"payload"` +type GetPushReceiverIdRequest struct { + // JSON-encoded push notification payload + Payload string `json:"payload"` } // Returns a globally unique push notification subscription identifier for identification of an account, which has received a push notification. Can be called synchronously func GetPushReceiverId(req *GetPushReceiverIdRequest) (*PushReceiverId, error) { - result, err := Execute(Request{ - meta: meta{ - Type: "getPushReceiverId", - }, - Data: map[string]interface{}{ - "payload": req.Payload, - }, - }) - if err != nil { - return nil, err - } + result, err := Execute(Request{ + meta: meta{ + Type: "getPushReceiverId", + }, + Data: map[string]interface{}{ + "payload": req.Payload, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalPushReceiverId(result.Data) + return UnmarshalPushReceiverId(result.Data) } // deprecated // Returns a globally unique push notification subscription identifier for identification of an account, which has received a push notification. Can be called synchronously func (client *Client) GetPushReceiverId(req *GetPushReceiverIdRequest) (*PushReceiverId, error) { - return GetPushReceiverId(req) -} + return GetPushReceiverId(req)} -type GetRecentlyVisitedTMeUrlsRequest struct { - // Google Play referrer to identify the user - Referrer string `json:"referrer"` +type GetRecentlyVisitedTMeUrlsRequest struct { + // Google Play referrer to identify the user + Referrer string `json:"referrer"` } // Returns t.me URLs recently visited by a newly registered user func (client *Client) GetRecentlyVisitedTMeUrls(req *GetRecentlyVisitedTMeUrlsRequest) (*TMeUrls, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getRecentlyVisitedTMeUrls", - }, - Data: map[string]interface{}{ - "referrer": req.Referrer, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getRecentlyVisitedTMeUrls", + }, + Data: map[string]interface{}{ + "referrer": req.Referrer, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalTMeUrls(result.Data) + return UnmarshalTMeUrls(result.Data) } -type SetUserPrivacySettingRulesRequest struct { - // The privacy setting - Setting UserPrivacySetting `json:"setting"` - // The new privacy rules - Rules *UserPrivacySettingRules `json:"rules"` +type SetUserPrivacySettingRulesRequest struct { + // The privacy setting + Setting UserPrivacySetting `json:"setting"` + // The new privacy rules + Rules *UserPrivacySettingRules `json:"rules"` } // Changes user privacy settings func (client *Client) SetUserPrivacySettingRules(req *SetUserPrivacySettingRulesRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setUserPrivacySettingRules", - }, - Data: map[string]interface{}{ - "setting": req.Setting, - "rules": req.Rules, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setUserPrivacySettingRules", + }, + Data: map[string]interface{}{ + "setting": req.Setting, + "rules": req.Rules, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type GetUserPrivacySettingRulesRequest struct { - // The privacy setting - Setting UserPrivacySetting `json:"setting"` +type GetUserPrivacySettingRulesRequest struct { + // The privacy setting + Setting UserPrivacySetting `json:"setting"` } // Returns the current privacy settings func (client *Client) GetUserPrivacySettingRules(req *GetUserPrivacySettingRulesRequest) (*UserPrivacySettingRules, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getUserPrivacySettingRules", - }, - Data: map[string]interface{}{ - "setting": req.Setting, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getUserPrivacySettingRules", + }, + Data: map[string]interface{}{ + "setting": req.Setting, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalUserPrivacySettingRules(result.Data) + return UnmarshalUserPrivacySettingRules(result.Data) } -type GetOptionRequest struct { - // The name of the option - Name string `json:"name"` +type SetReadDatePrivacySettingsRequest struct { + // New settings + Settings *ReadDatePrivacySettings `json:"settings"` +} + +// Changes privacy settings for message read date +func (client *Client) SetReadDatePrivacySettings(req *SetReadDatePrivacySettingsRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setReadDatePrivacySettings", + }, + Data: map[string]interface{}{ + "settings": req.Settings, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +// Returns privacy settings for message read date +func (client *Client) GetReadDatePrivacySettings() (*ReadDatePrivacySettings, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getReadDatePrivacySettings", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalReadDatePrivacySettings(result.Data) +} + +type SetNewChatPrivacySettingsRequest struct { + // New settings + Settings *NewChatPrivacySettings `json:"settings"` +} + +// Changes privacy settings for new chat creation; can be used only if getOption("can_set_new_chat_privacy_settings") +func (client *Client) SetNewChatPrivacySettings(req *SetNewChatPrivacySettingsRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setNewChatPrivacySettings", + }, + Data: map[string]interface{}{ + "settings": req.Settings, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +// Returns privacy settings for new chat creation +func (client *Client) GetNewChatPrivacySettings() (*NewChatPrivacySettings, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getNewChatPrivacySettings", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalNewChatPrivacySettings(result.Data) +} + +type GetPaidMessageRevenueRequest struct { + // Identifier of the user + UserId int64 `json:"user_id"` +} + +// Returns the total number of Telegram Stars received by the current user for paid messages from the given user +func (client *Client) GetPaidMessageRevenue(req *GetPaidMessageRevenueRequest) (*StarCount, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getPaidMessageRevenue", + }, + Data: map[string]interface{}{ + "user_id": req.UserId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalStarCount(result.Data) +} + +type AllowUnpaidMessagesFromUserRequest struct { + // Identifier of the user + UserId int64 `json:"user_id"` + // Pass true to refund the user previously paid messages + RefundPayments bool `json:"refund_payments"` +} + +// Allows the specified user to send unpaid private messages to the current user by adding a rule to userPrivacySettingAllowUnpaidMessages +func (client *Client) AllowUnpaidMessagesFromUser(req *AllowUnpaidMessagesFromUserRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "allowUnpaidMessagesFromUser", + }, + Data: map[string]interface{}{ + "user_id": req.UserId, + "refund_payments": req.RefundPayments, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SetChatPaidMessageStarCountRequest struct { + // Identifier of the supergroup chat + ChatId int64 `json:"chat_id"` + // The new number of Telegram Stars that must be paid for each message that is sent to the supergroup chat unless the sender is an administrator of the chat; 0-getOption("paid_message_star_count_max"). The supergroup will receive getOption("paid_message_earnings_per_mille") Telegram Stars for each 1000 Telegram Stars paid for message sending + PaidMessageStarCount int64 `json:"paid_message_star_count"` +} + +// Changes the Telegram Star amount that must be paid to send a message to a supergroup chat; requires can_restrict_members administrator right and supergroupFullInfo.can_enable_paid_messages +func (client *Client) SetChatPaidMessageStarCount(req *SetChatPaidMessageStarCountRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setChatPaidMessageStarCount", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "paid_message_star_count": req.PaidMessageStarCount, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type CanSendMessageToUserRequest struct { + // Identifier of the other user + UserId int64 `json:"user_id"` + // Pass true to get only locally available information without sending network requests + OnlyLocal bool `json:"only_local"` +} + +// Checks whether the current user can message another user or try to create a chat with them +func (client *Client) CanSendMessageToUser(req *CanSendMessageToUserRequest) (CanSendMessageToUserResult, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "canSendMessageToUser", + }, + Data: map[string]interface{}{ + "user_id": req.UserId, + "only_local": req.OnlyLocal, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + switch result.Type { + case TypeCanSendMessageToUserResultOk: + return UnmarshalCanSendMessageToUserResultOk(result.Data) + + case TypeCanSendMessageToUserResultUserHasPaidMessages: + return UnmarshalCanSendMessageToUserResultUserHasPaidMessages(result.Data) + + case TypeCanSendMessageToUserResultUserIsDeleted: + return UnmarshalCanSendMessageToUserResultUserIsDeleted(result.Data) + + case TypeCanSendMessageToUserResultUserRestrictsNewChats: + return UnmarshalCanSendMessageToUserResultUserRestrictsNewChats(result.Data) + + default: + return nil, errors.New("invalid type") + } +} + +type GetOptionRequest struct { + // The name of the option + Name string `json:"name"` } // Returns the value of an option by its name. (Check the list of available options on https://core.telegram.org/tdlib/options.) Can be called before authorization. Can be called synchronously for options "version" and "commit_hash" func GetOption(req *GetOptionRequest) (OptionValue, error) { - result, err := Execute(Request{ - meta: meta{ - Type: "getOption", - }, - Data: map[string]interface{}{ - "name": req.Name, - }, - }) - if err != nil { - return nil, err - } + result, err := Execute(Request{ + meta: meta{ + Type: "getOption", + }, + Data: map[string]interface{}{ + "name": req.Name, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - switch result.Type { - case TypeOptionValueBoolean: - return UnmarshalOptionValueBoolean(result.Data) + switch result.Type { + case TypeOptionValueBoolean: + return UnmarshalOptionValueBoolean(result.Data) - case TypeOptionValueEmpty: - return UnmarshalOptionValueEmpty(result.Data) + case TypeOptionValueEmpty: + return UnmarshalOptionValueEmpty(result.Data) - case TypeOptionValueInteger: - return UnmarshalOptionValueInteger(result.Data) + case TypeOptionValueInteger: + return UnmarshalOptionValueInteger(result.Data) - case TypeOptionValueString: - return UnmarshalOptionValueString(result.Data) + case TypeOptionValueString: + return UnmarshalOptionValueString(result.Data) - default: - return nil, errors.New("invalid type") - } + default: + return nil, errors.New("invalid type") + } } // deprecated // Returns the value of an option by its name. (Check the list of available options on https://core.telegram.org/tdlib/options.) Can be called before authorization. Can be called synchronously for options "version" and "commit_hash" func (client *Client) GetOption(req *GetOptionRequest) (OptionValue, error) { - return GetOption(req) -} + return GetOption(req)} -type SetOptionRequest struct { - // The name of the option - Name string `json:"name"` - // The new value of the option; pass null to reset option value to a default value - Value OptionValue `json:"value"` +type SetOptionRequest struct { + // The name of the option + Name string `json:"name"` + // The new value of the option; pass null to reset option value to a default value + Value OptionValue `json:"value"` } // Sets the value of an option. (Check the list of available options on https://core.telegram.org/tdlib/options.) Only writable options can be set. Can be called before authorization func (client *Client) SetOption(req *SetOptionRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setOption", - }, - Data: map[string]interface{}{ - "name": req.Name, - "value": req.Value, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setOption", + }, + Data: map[string]interface{}{ + "name": req.Name, + "value": req.Value, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SetAccountTtlRequest struct { - // New account TTL - Ttl *AccountTtl `json:"ttl"` +type SetAccountTtlRequest struct { + // New account TTL + Ttl *AccountTtl `json:"ttl"` } // Changes the period of inactivity after which the account of the current user will automatically be deleted func (client *Client) SetAccountTtl(req *SetAccountTtlRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setAccountTtl", - }, - Data: map[string]interface{}{ - "ttl": req.Ttl, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setAccountTtl", + }, + Data: map[string]interface{}{ + "ttl": req.Ttl, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } // Returns the period of inactivity after which the account of the current user will automatically be deleted func (client *Client) GetAccountTtl() (*AccountTtl, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getAccountTtl", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getAccountTtl", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalAccountTtl(result.Data) + return UnmarshalAccountTtl(result.Data) } -type DeleteAccountRequest struct { - // The reason why the account was deleted; optional - Reason string `json:"reason"` - // The 2-step verification password of the current user. If not specified, account deletion can be canceled within one week - Password string `json:"password"` +type DeleteAccountRequest struct { + // The reason why the account was deleted; optional + Reason string `json:"reason"` + // The 2-step verification password of the current user. If the current user isn't authorized, then an empty string can be passed and account deletion can be canceled within one week + Password string `json:"password"` } // Deletes the account of the current user, deleting all information associated with the user from the server. The phone number of the account can be used to create a new account. Can be called before authorization when the current authorization state is authorizationStateWaitPassword func (client *Client) DeleteAccount(req *DeleteAccountRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "deleteAccount", - }, - Data: map[string]interface{}{ - "reason": req.Reason, - "password": req.Password, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "deleteAccount", + }, + Data: map[string]interface{}{ + "reason": req.Reason, + "password": req.Password, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SetDefaultMessageAutoDeleteTimeRequest struct { - // New default message auto-delete time; must be from 0 up to 365 * 86400 and be divisible by 86400. If 0, then messages aren't deleted automatically - MessageAutoDeleteTime *MessageAutoDeleteTime `json:"message_auto_delete_time"` +type SetDefaultMessageAutoDeleteTimeRequest struct { + // New default message auto-delete time; must be from 0 up to 365 * 86400 and be divisible by 86400. If 0, then messages aren't deleted automatically + MessageAutoDeleteTime *MessageAutoDeleteTime `json:"message_auto_delete_time"` } // Changes the default message auto-delete time for new chats func (client *Client) SetDefaultMessageAutoDeleteTime(req *SetDefaultMessageAutoDeleteTimeRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setDefaultMessageAutoDeleteTime", - }, - Data: map[string]interface{}{ - "message_auto_delete_time": req.MessageAutoDeleteTime, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setDefaultMessageAutoDeleteTime", + }, + Data: map[string]interface{}{ + "message_auto_delete_time": req.MessageAutoDeleteTime, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } // Returns default message auto-delete time setting for new chats func (client *Client) GetDefaultMessageAutoDeleteTime() (*MessageAutoDeleteTime, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getDefaultMessageAutoDeleteTime", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getDefaultMessageAutoDeleteTime", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalMessageAutoDeleteTime(result.Data) + return UnmarshalMessageAutoDeleteTime(result.Data) } -type RemoveChatActionBarRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` +type RemoveChatActionBarRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` } // Removes a chat action bar without any other action func (client *Client) RemoveChatActionBar(req *RemoveChatActionBarRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "removeChatActionBar", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "removeChatActionBar", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type ReportChatRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // Identifiers of reported messages; may be empty to report the whole chat - MessageIds []int64 `json:"message_ids"` - // The reason for reporting the chat - Reason ChatReportReason `json:"reason"` - // Additional report details; 0-1024 characters - Text string `json:"text"` +type ReportChatRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Option identifier chosen by the user; leave empty for the initial request + OptionId []byte `json:"option_id"` + // Identifiers of reported messages. Use messageProperties.can_report_chat to check whether the message can be reported + MessageIds []int64 `json:"message_ids"` + // Additional report details if asked by the server; 0-1024 characters; leave empty for the initial request + Text string `json:"text"` } // Reports a chat to the Telegram moderators. A chat can be reported only from the chat action bar, or if chat.can_be_reported -func (client *Client) ReportChat(req *ReportChatRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "reportChat", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_ids": req.MessageIds, - "reason": req.Reason, - "text": req.Text, - }, - }) - if err != nil { - return nil, err - } +func (client *Client) ReportChat(req *ReportChatRequest) (ReportChatResult, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "reportChat", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "option_id": req.OptionId, + "message_ids": req.MessageIds, + "text": req.Text, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + switch result.Type { + case TypeReportChatResultOk: + return UnmarshalReportChatResultOk(result.Data) + + case TypeReportChatResultOptionRequired: + return UnmarshalReportChatResultOptionRequired(result.Data) + + case TypeReportChatResultTextRequired: + return UnmarshalReportChatResultTextRequired(result.Data) + + case TypeReportChatResultMessagesRequired: + return UnmarshalReportChatResultMessagesRequired(result.Data) + + default: + return nil, errors.New("invalid type") + } } -type ReportChatPhotoRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // Identifier of the photo to report. Only full photos from chatPhoto can be reported - FileId int32 `json:"file_id"` - // The reason for reporting the chat photo - Reason ChatReportReason `json:"reason"` - // Additional report details; 0-1024 characters - Text string `json:"text"` +type ReportChatPhotoRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Identifier of the photo to report. Only full photos from chatPhoto can be reported + FileId int32 `json:"file_id"` + // The reason for reporting the chat photo + Reason ReportReason `json:"reason"` + // Additional report details; 0-1024 characters + Text string `json:"text"` } // Reports a chat photo to the Telegram moderators. A chat photo can be reported only if chat.can_be_reported func (client *Client) ReportChatPhoto(req *ReportChatPhotoRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "reportChatPhoto", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "file_id": req.FileId, - "reason": req.Reason, - "text": req.Text, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "reportChatPhoto", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "file_id": req.FileId, + "reason": req.Reason, + "text": req.Text, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type ReportMessageReactionsRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // Message identifier - MessageId int64 `json:"message_id"` - // Identifier of the sender, which added the reaction - SenderId MessageSender `json:"sender_id"` +type ReportMessageReactionsRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Message identifier + MessageId int64 `json:"message_id"` + // Identifier of the sender, which added the reaction + SenderId MessageSender `json:"sender_id"` } -// Reports reactions set on a message to the Telegram moderators. Reactions on a message can be reported only if message.can_report_reactions +// Reports reactions set on a message to the Telegram moderators. Reactions on a message can be reported only if messageProperties.can_report_reactions func (client *Client) ReportMessageReactions(req *ReportMessageReactionsRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "reportMessageReactions", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_id": req.MessageId, - "sender_id": req.SenderId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "reportMessageReactions", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + "sender_id": req.SenderId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type GetChatStatisticsRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // Pass true if a dark theme is used by the application - IsDark bool `json:"is_dark"` +type GetChatRevenueStatisticsRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Pass true if a dark theme is used by the application + IsDark bool `json:"is_dark"` +} + +// Returns detailed revenue statistics about a chat. Currently, this method can be used only for channels if supergroupFullInfo.can_get_revenue_statistics == true or bots if userFullInfo.bot_info.can_get_revenue_statistics == true +func (client *Client) GetChatRevenueStatistics(req *GetChatRevenueStatisticsRequest) (*ChatRevenueStatistics, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getChatRevenueStatistics", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "is_dark": req.IsDark, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalChatRevenueStatistics(result.Data) +} + +type GetChatRevenueWithdrawalUrlRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // The 2-step verification password of the current user + Password string `json:"password"` +} + +// Returns a URL for chat revenue withdrawal; requires owner privileges in the channel chat or the bot. Currently, this method can be used only if getOption("can_withdraw_chat_revenue") for channels with supergroupFullInfo.can_get_revenue_statistics == true or bots with userFullInfo.bot_info.can_get_revenue_statistics == true +func (client *Client) GetChatRevenueWithdrawalUrl(req *GetChatRevenueWithdrawalUrlRequest) (*HttpUrl, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getChatRevenueWithdrawalUrl", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "password": req.Password, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalHttpUrl(result.Data) +} + +type GetChatRevenueTransactionsRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Offset of the first transaction to return as received from the previous request; use empty string to get the first chunk of results + Offset string `json:"offset"` + // The maximum number of transactions to be returned; up to 100 + Limit int32 `json:"limit"` +} + +// Returns the list of revenue transactions for a chat. Currently, this method can be used only for channels if supergroupFullInfo.can_get_revenue_statistics == true or bots if userFullInfo.bot_info.can_get_revenue_statistics == true +func (client *Client) GetChatRevenueTransactions(req *GetChatRevenueTransactionsRequest) (*ChatRevenueTransactions, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getChatRevenueTransactions", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "offset": req.Offset, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalChatRevenueTransactions(result.Data) +} + +type GetTonTransactionsRequest struct { + // Direction of the transactions to receive; pass null to get all transactions + Direction TransactionDirection `json:"direction"` + // Offset of the first transaction to return as received from the previous request; use empty string to get the first chunk of results + Offset string `json:"offset"` + // The maximum number of transactions to return + Limit int32 `json:"limit"` +} + +// Returns the list of Toncoin transactions of the current user +func (client *Client) GetTonTransactions(req *GetTonTransactionsRequest) (*TonTransactions, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getTonTransactions", + }, + Data: map[string]interface{}{ + "direction": req.Direction, + "offset": req.Offset, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalTonTransactions(result.Data) +} + +type GetStarRevenueStatisticsRequest struct { + // Identifier of the owner of the Telegram Stars; can be identifier of the current user, an owned bot, or a supergroup or a channel chat with supergroupFullInfo.can_get_star_revenue_statistics == true + OwnerId MessageSender `json:"owner_id"` + // Pass true if a dark theme is used by the application + IsDark bool `json:"is_dark"` +} + +// Returns detailed Telegram Star revenue statistics +func (client *Client) GetStarRevenueStatistics(req *GetStarRevenueStatisticsRequest) (*StarRevenueStatistics, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getStarRevenueStatistics", + }, + Data: map[string]interface{}{ + "owner_id": req.OwnerId, + "is_dark": req.IsDark, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalStarRevenueStatistics(result.Data) +} + +type GetStarWithdrawalUrlRequest struct { + // Identifier of the owner of the Telegram Stars; can be identifier of the current user, an owned bot, or an owned supergroup or channel chat + OwnerId MessageSender `json:"owner_id"` + // The number of Telegram Stars to withdraw; must be between getOption("star_withdrawal_count_min") and getOption("star_withdrawal_count_max") + StarCount int64 `json:"star_count"` + // The 2-step verification password of the current user + Password string `json:"password"` +} + +// Returns a URL for Telegram Star withdrawal +func (client *Client) GetStarWithdrawalUrl(req *GetStarWithdrawalUrlRequest) (*HttpUrl, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getStarWithdrawalUrl", + }, + Data: map[string]interface{}{ + "owner_id": req.OwnerId, + "star_count": req.StarCount, + "password": req.Password, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalHttpUrl(result.Data) +} + +type GetStarAdAccountUrlRequest struct { + // Identifier of the owner of the Telegram Stars; can be identifier of an owned bot, or identifier of an owned channel chat + OwnerId MessageSender `json:"owner_id"` +} + +// Returns a URL for a Telegram Ad platform account that can be used to set up advertisements for the chat paid in the owned Telegram Stars +func (client *Client) GetStarAdAccountUrl(req *GetStarAdAccountUrlRequest) (*HttpUrl, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getStarAdAccountUrl", + }, + Data: map[string]interface{}{ + "owner_id": req.OwnerId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalHttpUrl(result.Data) +} + +type GetTonRevenueStatisticsRequest struct { + // Pass true if a dark theme is used by the application + IsDark bool `json:"is_dark"` +} + +// Returns detailed Toncoin revenue statistics of the current user +func (client *Client) GetTonRevenueStatistics(req *GetTonRevenueStatisticsRequest) (*TonRevenueStatistics, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getTonRevenueStatistics", + }, + Data: map[string]interface{}{ + "is_dark": req.IsDark, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalTonRevenueStatistics(result.Data) +} + +type GetTonWithdrawalUrlRequest struct { + // The 2-step verification password of the current user + Password string `json:"password"` +} + +// Returns a URL for Toncoin withdrawal from the current user's account. The user must have at least 10 toncoins to withdraw and can withdraw up to 100000 Toncoins in one transaction +func (client *Client) GetTonWithdrawalUrl(req *GetTonWithdrawalUrlRequest) (*HttpUrl, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getTonWithdrawalUrl", + }, + Data: map[string]interface{}{ + "password": req.Password, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalHttpUrl(result.Data) +} + +type GetChatStatisticsRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Pass true if a dark theme is used by the application + IsDark bool `json:"is_dark"` } // Returns detailed statistics about a chat. Currently, this method can be used only for supergroups and channels. Can be used only if supergroupFullInfo.can_get_statistics == true func (client *Client) GetChatStatistics(req *GetChatStatisticsRequest) (ChatStatistics, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getChatStatistics", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "is_dark": req.IsDark, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getChatStatistics", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "is_dark": req.IsDark, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - switch result.Type { - case TypeChatStatisticsSupergroup: - return UnmarshalChatStatisticsSupergroup(result.Data) + switch result.Type { + case TypeChatStatisticsSupergroup: + return UnmarshalChatStatisticsSupergroup(result.Data) - case TypeChatStatisticsChannel: - return UnmarshalChatStatisticsChannel(result.Data) + case TypeChatStatisticsChannel: + return UnmarshalChatStatisticsChannel(result.Data) - default: - return nil, errors.New("invalid type") - } + default: + return nil, errors.New("invalid type") + } } -type GetMessageStatisticsRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // Message identifier - MessageId int64 `json:"message_id"` - // Pass true if a dark theme is used by the application - IsDark bool `json:"is_dark"` +type GetMessageStatisticsRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Message identifier + MessageId int64 `json:"message_id"` + // Pass true if a dark theme is used by the application + IsDark bool `json:"is_dark"` } -// Returns detailed statistics about a message. Can be used only if message.can_get_statistics == true +// Returns detailed statistics about a message. Can be used only if messageProperties.can_get_statistics == true func (client *Client) GetMessageStatistics(req *GetMessageStatisticsRequest) (*MessageStatistics, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getMessageStatistics", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "message_id": req.MessageId, - "is_dark": req.IsDark, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getMessageStatistics", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + "is_dark": req.IsDark, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalMessageStatistics(result.Data) + return UnmarshalMessageStatistics(result.Data) } -type GetStatisticalGraphRequest struct { - // Chat identifier - ChatId int64 `json:"chat_id"` - // The token for graph loading - Token string `json:"token"` - // X-value for zoomed in graph or 0 otherwise - X int64 `json:"x"` +type GetMessagePublicForwardsRequest struct { + // Chat identifier of the message + ChatId int64 `json:"chat_id"` + // Message identifier + MessageId int64 `json:"message_id"` + // Offset of the first entry to return as received from the previous request; use empty string to get the first chunk of results + Offset string `json:"offset"` + // The maximum number of messages and stories to be returned; must be positive and can't be greater than 100. For optimal performance, the number of returned objects is chosen by TDLib and can be smaller than the specified limit + Limit int32 `json:"limit"` +} + +// Returns forwarded copies of a channel message to different public channels and public reposts as a story. Can be used only if messageProperties.can_get_statistics == true. For optimal performance, the number of returned messages and stories is chosen by TDLib +func (client *Client) GetMessagePublicForwards(req *GetMessagePublicForwardsRequest) (*PublicForwards, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getMessagePublicForwards", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + "offset": req.Offset, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalPublicForwards(result.Data) +} + +type GetStoryStatisticsRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // Story identifier + StoryId int32 `json:"story_id"` + // Pass true if a dark theme is used by the application + IsDark bool `json:"is_dark"` +} + +// Returns detailed statistics about a story. Can be used only if story.can_get_statistics == true +func (client *Client) GetStoryStatistics(req *GetStoryStatisticsRequest) (*StoryStatistics, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getStoryStatistics", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "story_id": req.StoryId, + "is_dark": req.IsDark, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalStoryStatistics(result.Data) +} + +type GetStatisticalGraphRequest struct { + // Chat identifier + ChatId int64 `json:"chat_id"` + // The token for graph loading + Token string `json:"token"` + // X-value for zoomed in graph or 0 otherwise + X int64 `json:"x"` } // Loads an asynchronous or a zoomed in statistical graph func (client *Client) GetStatisticalGraph(req *GetStatisticalGraphRequest) (StatisticalGraph, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getStatisticalGraph", - }, - Data: map[string]interface{}{ - "chat_id": req.ChatId, - "token": req.Token, - "x": req.X, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getStatisticalGraph", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "token": req.Token, + "x": req.X, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - switch result.Type { - case TypeStatisticalGraphData: - return UnmarshalStatisticalGraphData(result.Data) + switch result.Type { + case TypeStatisticalGraphData: + return UnmarshalStatisticalGraphData(result.Data) - case TypeStatisticalGraphAsync: - return UnmarshalStatisticalGraphAsync(result.Data) + case TypeStatisticalGraphAsync: + return UnmarshalStatisticalGraphAsync(result.Data) - case TypeStatisticalGraphError: - return UnmarshalStatisticalGraphError(result.Data) + case TypeStatisticalGraphError: + return UnmarshalStatisticalGraphError(result.Data) - default: - return nil, errors.New("invalid type") - } + default: + return nil, errors.New("invalid type") + } } -type GetStorageStatisticsRequest struct { - // The maximum number of chats with the largest storage usage for which separate statistics need to be returned. All other chats will be grouped in entries with chat_id == 0. If the chat info database is not used, the chat_limit is ignored and is always set to 0 - ChatLimit int32 `json:"chat_limit"` +type GetStorageStatisticsRequest struct { + // The maximum number of chats with the largest storage usage for which separate statistics need to be returned. All other chats will be grouped in entries with chat_id == 0. If the chat info database is not used, the chat_limit is ignored and is always set to 0 + ChatLimit int32 `json:"chat_limit"` } // Returns storage usage statistics. Can be called before authorization func (client *Client) GetStorageStatistics(req *GetStorageStatisticsRequest) (*StorageStatistics, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getStorageStatistics", - }, - Data: map[string]interface{}{ - "chat_limit": req.ChatLimit, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getStorageStatistics", + }, + Data: map[string]interface{}{ + "chat_limit": req.ChatLimit, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalStorageStatistics(result.Data) + return UnmarshalStorageStatistics(result.Data) } // Quickly returns approximate storage usage statistics. Can be called before authorization func (client *Client) GetStorageStatisticsFast() (*StorageStatisticsFast, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getStorageStatisticsFast", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getStorageStatisticsFast", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalStorageStatisticsFast(result.Data) + return UnmarshalStorageStatisticsFast(result.Data) } // Returns database statistics func (client *Client) GetDatabaseStatistics() (*DatabaseStatistics, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getDatabaseStatistics", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getDatabaseStatistics", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalDatabaseStatistics(result.Data) + return UnmarshalDatabaseStatistics(result.Data) } -type OptimizeStorageRequest struct { - // Limit on the total size of files after deletion, in bytes. Pass -1 to use the default limit - Size int64 `json:"size"` - // Limit on the time that has passed since the last time a file was accessed (or creation time for some filesystems). Pass -1 to use the default limit - Ttl int32 `json:"ttl"` - // Limit on the total number of files after deletion. Pass -1 to use the default limit - Count int32 `json:"count"` - // The amount of time after the creation of a file during which it can't be deleted, in seconds. Pass -1 to use the default value - ImmunityDelay int32 `json:"immunity_delay"` - // If non-empty, only files with the given types are considered. By default, all types except thumbnails, profile photos, stickers and wallpapers are deleted - FileTypes []FileType `json:"file_types"` - // If non-empty, only files from the given chats are considered. Use 0 as chat identifier to delete files not belonging to any chat (e.g., profile photos) - ChatIds []int64 `json:"chat_ids"` - // If non-empty, files from the given chats are excluded. Use 0 as chat identifier to exclude all files not belonging to any chat (e.g., profile photos) - ExcludeChatIds []int64 `json:"exclude_chat_ids"` - // Pass true if statistics about the files that were deleted must be returned instead of the whole storage usage statistics. Affects only returned statistics - ReturnDeletedFileStatistics bool `json:"return_deleted_file_statistics"` - // Same as in getStorageStatistics. Affects only returned statistics - ChatLimit int32 `json:"chat_limit"` +type OptimizeStorageRequest struct { + // Limit on the total size of files after deletion, in bytes. Pass -1 to use the default limit + Size int64 `json:"size"` + // Limit on the time that has passed since the last time a file was accessed (or creation time for some filesystems). Pass -1 to use the default limit + Ttl int32 `json:"ttl"` + // Limit on the total number of files after deletion. Pass -1 to use the default limit + Count int32 `json:"count"` + // The amount of time after the creation of a file during which it can't be deleted, in seconds. Pass -1 to use the default value + ImmunityDelay int32 `json:"immunity_delay"` + // If non-empty, only files with the given types are considered. By default, all types except thumbnails, profile photos, stickers and wallpapers are deleted + FileTypes []FileType `json:"file_types"` + // If non-empty, only files from the given chats are considered. Use 0 as chat identifier to delete files not belonging to any chat (e.g., profile photos) + ChatIds []int64 `json:"chat_ids"` + // If non-empty, files from the given chats are excluded. Use 0 as chat identifier to exclude all files not belonging to any chat (e.g., profile photos) + ExcludeChatIds []int64 `json:"exclude_chat_ids"` + // Pass true if statistics about the files that were deleted must be returned instead of the whole storage usage statistics. Affects only returned statistics + ReturnDeletedFileStatistics bool `json:"return_deleted_file_statistics"` + // Same as in getStorageStatistics. Affects only returned statistics + ChatLimit int32 `json:"chat_limit"` } // Optimizes storage usage, i.e. deletes some files and returns new storage usage statistics. Secret thumbnails can't be deleted func (client *Client) OptimizeStorage(req *OptimizeStorageRequest) (*StorageStatistics, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "optimizeStorage", - }, - Data: map[string]interface{}{ - "size": req.Size, - "ttl": req.Ttl, - "count": req.Count, - "immunity_delay": req.ImmunityDelay, - "file_types": req.FileTypes, - "chat_ids": req.ChatIds, - "exclude_chat_ids": req.ExcludeChatIds, - "return_deleted_file_statistics": req.ReturnDeletedFileStatistics, - "chat_limit": req.ChatLimit, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "optimizeStorage", + }, + Data: map[string]interface{}{ + "size": req.Size, + "ttl": req.Ttl, + "count": req.Count, + "immunity_delay": req.ImmunityDelay, + "file_types": req.FileTypes, + "chat_ids": req.ChatIds, + "exclude_chat_ids": req.ExcludeChatIds, + "return_deleted_file_statistics": req.ReturnDeletedFileStatistics, + "chat_limit": req.ChatLimit, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalStorageStatistics(result.Data) + return UnmarshalStorageStatistics(result.Data) } -type SetNetworkTypeRequest struct { - // The new network type; pass null to set network type to networkTypeOther - Type NetworkType `json:"type"` +type SetNetworkTypeRequest struct { + // The new network type; pass null to set network type to networkTypeOther + Type NetworkType `json:"type"` } // Sets the current network type. Can be called before authorization. Calling this method forces all network connections to reopen, mitigating the delay in switching between different networks, so it must be called whenever the network is changed, even if the network type remains the same. Network type is used to check whether the library can use the network at all and also for collecting detailed network data usage statistics func (client *Client) SetNetworkType(req *SetNetworkTypeRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setNetworkType", - }, - Data: map[string]interface{}{ - "type": req.Type, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setNetworkType", + }, + Data: map[string]interface{}{ + "type": req.Type, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type GetNetworkStatisticsRequest struct { - // Pass true to get statistics only for the current library launch - OnlyCurrent bool `json:"only_current"` +type GetNetworkStatisticsRequest struct { + // Pass true to get statistics only for the current library launch + OnlyCurrent bool `json:"only_current"` } // Returns network data usage statistics. Can be called before authorization func (client *Client) GetNetworkStatistics(req *GetNetworkStatisticsRequest) (*NetworkStatistics, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getNetworkStatistics", - }, - Data: map[string]interface{}{ - "only_current": req.OnlyCurrent, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getNetworkStatistics", + }, + Data: map[string]interface{}{ + "only_current": req.OnlyCurrent, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalNetworkStatistics(result.Data) + return UnmarshalNetworkStatistics(result.Data) } -type AddNetworkStatisticsRequest struct { - // The network statistics entry with the data to be added to statistics - Entry NetworkStatisticsEntry `json:"entry"` +type AddNetworkStatisticsRequest struct { + // The network statistics entry with the data to be added to statistics + Entry NetworkStatisticsEntry `json:"entry"` } // Adds the specified data to data usage statistics. Can be called before authorization func (client *Client) AddNetworkStatistics(req *AddNetworkStatisticsRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "addNetworkStatistics", - }, - Data: map[string]interface{}{ - "entry": req.Entry, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "addNetworkStatistics", + }, + Data: map[string]interface{}{ + "entry": req.Entry, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } // Resets all network data usage statistics to zero. Can be called before authorization func (client *Client) ResetNetworkStatistics() (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "resetNetworkStatistics", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "resetNetworkStatistics", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } // Returns auto-download settings presets for the current user func (client *Client) GetAutoDownloadSettingsPresets() (*AutoDownloadSettingsPresets, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getAutoDownloadSettingsPresets", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getAutoDownloadSettingsPresets", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalAutoDownloadSettingsPresets(result.Data) + return UnmarshalAutoDownloadSettingsPresets(result.Data) } -type SetAutoDownloadSettingsRequest struct { - // New user auto-download settings - Settings *AutoDownloadSettings `json:"settings"` - // Type of the network for which the new settings are relevant - Type NetworkType `json:"type"` +type SetAutoDownloadSettingsRequest struct { + // New user auto-download settings + Settings *AutoDownloadSettings `json:"settings"` + // Type of the network for which the new settings are relevant + Type NetworkType `json:"type"` } // Sets auto-download settings func (client *Client) SetAutoDownloadSettings(req *SetAutoDownloadSettingsRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setAutoDownloadSettings", - }, - Data: map[string]interface{}{ - "settings": req.Settings, - "type": req.Type, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setAutoDownloadSettings", + }, + Data: map[string]interface{}{ + "settings": req.Settings, + "type": req.Type, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } // Returns autosave settings for the current user func (client *Client) GetAutosaveSettings() (*AutosaveSettings, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getAutosaveSettings", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getAutosaveSettings", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalAutosaveSettings(result.Data) + return UnmarshalAutosaveSettings(result.Data) } -type SetAutosaveSettingsRequest struct { - // Autosave settings scope - Scope AutosaveSettingsScope `json:"scope"` - // New autosave settings for the scope; pass null to set autosave settings to default - Settings *ScopeAutosaveSettings `json:"settings"` +type SetAutosaveSettingsRequest struct { + // Autosave settings scope + Scope AutosaveSettingsScope `json:"scope"` + // New autosave settings for the scope; pass null to set autosave settings to default + Settings *ScopeAutosaveSettings `json:"settings"` } // Sets autosave settings for the given scope. The method is guaranteed to work only after at least one call to getAutosaveSettings func (client *Client) SetAutosaveSettings(req *SetAutosaveSettingsRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setAutosaveSettings", - }, - Data: map[string]interface{}{ - "scope": req.Scope, - "settings": req.Settings, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setAutosaveSettings", + }, + Data: map[string]interface{}{ + "scope": req.Scope, + "settings": req.Settings, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } // Clears the list of all autosave settings exceptions. The method is guaranteed to work only after at least one call to getAutosaveSettings func (client *Client) ClearAutosaveSettingsExceptions() (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "clearAutosaveSettingsExceptions", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "clearAutosaveSettingsExceptions", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type GetBankCardInfoRequest struct { - // The bank card number - BankCardNumber string `json:"bank_card_number"` +type GetBankCardInfoRequest struct { + // The bank card number + BankCardNumber string `json:"bank_card_number"` } // Returns information about a bank card func (client *Client) GetBankCardInfo(req *GetBankCardInfoRequest) (*BankCardInfo, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getBankCardInfo", - }, - Data: map[string]interface{}{ - "bank_card_number": req.BankCardNumber, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getBankCardInfo", + }, + Data: map[string]interface{}{ + "bank_card_number": req.BankCardNumber, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalBankCardInfo(result.Data) + return UnmarshalBankCardInfo(result.Data) } -type GetPassportElementRequest struct { - // Telegram Passport element type - Type PassportElementType `json:"type"` - // The 2-step verification password of the current user - Password string `json:"password"` +type GetPassportElementRequest struct { + // Telegram Passport element type + Type PassportElementType `json:"type"` + // The 2-step verification password of the current user + Password string `json:"password"` } // Returns one of the available Telegram Passport elements func (client *Client) GetPassportElement(req *GetPassportElementRequest) (PassportElement, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getPassportElement", - }, - Data: map[string]interface{}{ - "type": req.Type, - "password": req.Password, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getPassportElement", + }, + Data: map[string]interface{}{ + "type": req.Type, + "password": req.Password, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - switch result.Type { - case TypePassportElementPersonalDetails: - return UnmarshalPassportElementPersonalDetails(result.Data) + switch result.Type { + case TypePassportElementPersonalDetails: + return UnmarshalPassportElementPersonalDetails(result.Data) - case TypePassportElementPassport: - return UnmarshalPassportElementPassport(result.Data) + case TypePassportElementPassport: + return UnmarshalPassportElementPassport(result.Data) - case TypePassportElementDriverLicense: - return UnmarshalPassportElementDriverLicense(result.Data) + case TypePassportElementDriverLicense: + return UnmarshalPassportElementDriverLicense(result.Data) - case TypePassportElementIdentityCard: - return UnmarshalPassportElementIdentityCard(result.Data) + case TypePassportElementIdentityCard: + return UnmarshalPassportElementIdentityCard(result.Data) - case TypePassportElementInternalPassport: - return UnmarshalPassportElementInternalPassport(result.Data) + case TypePassportElementInternalPassport: + return UnmarshalPassportElementInternalPassport(result.Data) - case TypePassportElementAddress: - return UnmarshalPassportElementAddress(result.Data) + case TypePassportElementAddress: + return UnmarshalPassportElementAddress(result.Data) - case TypePassportElementUtilityBill: - return UnmarshalPassportElementUtilityBill(result.Data) + case TypePassportElementUtilityBill: + return UnmarshalPassportElementUtilityBill(result.Data) - case TypePassportElementBankStatement: - return UnmarshalPassportElementBankStatement(result.Data) + case TypePassportElementBankStatement: + return UnmarshalPassportElementBankStatement(result.Data) - case TypePassportElementRentalAgreement: - return UnmarshalPassportElementRentalAgreement(result.Data) + case TypePassportElementRentalAgreement: + return UnmarshalPassportElementRentalAgreement(result.Data) - case TypePassportElementPassportRegistration: - return UnmarshalPassportElementPassportRegistration(result.Data) + case TypePassportElementPassportRegistration: + return UnmarshalPassportElementPassportRegistration(result.Data) - case TypePassportElementTemporaryRegistration: - return UnmarshalPassportElementTemporaryRegistration(result.Data) + case TypePassportElementTemporaryRegistration: + return UnmarshalPassportElementTemporaryRegistration(result.Data) - case TypePassportElementPhoneNumber: - return UnmarshalPassportElementPhoneNumber(result.Data) + case TypePassportElementPhoneNumber: + return UnmarshalPassportElementPhoneNumber(result.Data) - case TypePassportElementEmailAddress: - return UnmarshalPassportElementEmailAddress(result.Data) + case TypePassportElementEmailAddress: + return UnmarshalPassportElementEmailAddress(result.Data) - default: - return nil, errors.New("invalid type") - } + default: + return nil, errors.New("invalid type") + } } -type GetAllPassportElementsRequest struct { - // The 2-step verification password of the current user - Password string `json:"password"` +type GetAllPassportElementsRequest struct { + // The 2-step verification password of the current user + Password string `json:"password"` } // Returns all available Telegram Passport elements func (client *Client) GetAllPassportElements(req *GetAllPassportElementsRequest) (*PassportElements, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getAllPassportElements", - }, - Data: map[string]interface{}{ - "password": req.Password, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getAllPassportElements", + }, + Data: map[string]interface{}{ + "password": req.Password, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalPassportElements(result.Data) + return UnmarshalPassportElements(result.Data) } -type SetPassportElementRequest struct { - // Input Telegram Passport element - Element InputPassportElement `json:"element"` - // The 2-step verification password of the current user - Password string `json:"password"` +type SetPassportElementRequest struct { + // Input Telegram Passport element + Element InputPassportElement `json:"element"` + // The 2-step verification password of the current user + Password string `json:"password"` } // Adds an element to the user's Telegram Passport. May return an error with a message "PHONE_VERIFICATION_NEEDED" or "EMAIL_VERIFICATION_NEEDED" if the chosen phone number or the chosen email address must be verified first func (client *Client) SetPassportElement(req *SetPassportElementRequest) (PassportElement, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setPassportElement", - }, - Data: map[string]interface{}{ - "element": req.Element, - "password": req.Password, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setPassportElement", + }, + Data: map[string]interface{}{ + "element": req.Element, + "password": req.Password, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - switch result.Type { - case TypePassportElementPersonalDetails: - return UnmarshalPassportElementPersonalDetails(result.Data) + switch result.Type { + case TypePassportElementPersonalDetails: + return UnmarshalPassportElementPersonalDetails(result.Data) - case TypePassportElementPassport: - return UnmarshalPassportElementPassport(result.Data) + case TypePassportElementPassport: + return UnmarshalPassportElementPassport(result.Data) - case TypePassportElementDriverLicense: - return UnmarshalPassportElementDriverLicense(result.Data) + case TypePassportElementDriverLicense: + return UnmarshalPassportElementDriverLicense(result.Data) - case TypePassportElementIdentityCard: - return UnmarshalPassportElementIdentityCard(result.Data) + case TypePassportElementIdentityCard: + return UnmarshalPassportElementIdentityCard(result.Data) - case TypePassportElementInternalPassport: - return UnmarshalPassportElementInternalPassport(result.Data) + case TypePassportElementInternalPassport: + return UnmarshalPassportElementInternalPassport(result.Data) - case TypePassportElementAddress: - return UnmarshalPassportElementAddress(result.Data) + case TypePassportElementAddress: + return UnmarshalPassportElementAddress(result.Data) - case TypePassportElementUtilityBill: - return UnmarshalPassportElementUtilityBill(result.Data) + case TypePassportElementUtilityBill: + return UnmarshalPassportElementUtilityBill(result.Data) - case TypePassportElementBankStatement: - return UnmarshalPassportElementBankStatement(result.Data) + case TypePassportElementBankStatement: + return UnmarshalPassportElementBankStatement(result.Data) - case TypePassportElementRentalAgreement: - return UnmarshalPassportElementRentalAgreement(result.Data) + case TypePassportElementRentalAgreement: + return UnmarshalPassportElementRentalAgreement(result.Data) - case TypePassportElementPassportRegistration: - return UnmarshalPassportElementPassportRegistration(result.Data) + case TypePassportElementPassportRegistration: + return UnmarshalPassportElementPassportRegistration(result.Data) - case TypePassportElementTemporaryRegistration: - return UnmarshalPassportElementTemporaryRegistration(result.Data) + case TypePassportElementTemporaryRegistration: + return UnmarshalPassportElementTemporaryRegistration(result.Data) - case TypePassportElementPhoneNumber: - return UnmarshalPassportElementPhoneNumber(result.Data) + case TypePassportElementPhoneNumber: + return UnmarshalPassportElementPhoneNumber(result.Data) - case TypePassportElementEmailAddress: - return UnmarshalPassportElementEmailAddress(result.Data) + case TypePassportElementEmailAddress: + return UnmarshalPassportElementEmailAddress(result.Data) - default: - return nil, errors.New("invalid type") - } + default: + return nil, errors.New("invalid type") + } } -type DeletePassportElementRequest struct { - // Element type - Type PassportElementType `json:"type"` +type DeletePassportElementRequest struct { + // Element type + Type PassportElementType `json:"type"` } // Deletes a Telegram Passport element func (client *Client) DeletePassportElement(req *DeletePassportElementRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "deletePassportElement", - }, - Data: map[string]interface{}{ - "type": req.Type, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "deletePassportElement", + }, + Data: map[string]interface{}{ + "type": req.Type, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SetPassportElementErrorsRequest struct { - // User identifier - UserId int64 `json:"user_id"` - // The errors - Errors []*InputPassportElementError `json:"errors"` +type SetPassportElementErrorsRequest struct { + // User identifier + UserId int64 `json:"user_id"` + // The errors + Errors []*InputPassportElementError `json:"errors"` } -// Informs the user that some of the elements in their Telegram Passport contain errors; for bots only. The user will not be able to resend the elements, until the errors are fixed +// Informs the user who some of the elements in their Telegram Passport contain errors; for bots only. The user will not be able to resend the elements, until the errors are fixed func (client *Client) SetPassportElementErrors(req *SetPassportElementErrorsRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setPassportElementErrors", - }, - Data: map[string]interface{}{ - "user_id": req.UserId, - "errors": req.Errors, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setPassportElementErrors", + }, + Data: map[string]interface{}{ + "user_id": req.UserId, + "errors": req.Errors, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type GetPreferredCountryLanguageRequest struct { - // A two-letter ISO 3166-1 alpha-2 country code - CountryCode string `json:"country_code"` +type GetPreferredCountryLanguageRequest struct { + // A two-letter ISO 3166-1 alpha-2 country code + CountryCode string `json:"country_code"` } // Returns an IETF language tag of the language preferred in the country, which must be used to fill native fields in Telegram Passport personal details. Returns a 404 error if unknown func (client *Client) GetPreferredCountryLanguage(req *GetPreferredCountryLanguageRequest) (*Text, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getPreferredCountryLanguage", - }, - Data: map[string]interface{}{ - "country_code": req.CountryCode, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getPreferredCountryLanguage", + }, + Data: map[string]interface{}{ + "country_code": req.CountryCode, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalText(result.Data) + return UnmarshalText(result.Data) } -type SendPhoneNumberVerificationCodeRequest struct { - // The phone number of the user, in international format - PhoneNumber string `json:"phone_number"` - // Settings for the authentication of the user's phone number; pass null to use default settings - Settings *PhoneNumberAuthenticationSettings `json:"settings"` -} - -// Sends a code to verify a phone number to be added to a user's Telegram Passport -func (client *Client) SendPhoneNumberVerificationCode(req *SendPhoneNumberVerificationCodeRequest) (*AuthenticationCodeInfo, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "sendPhoneNumberVerificationCode", - }, - Data: map[string]interface{}{ - "phone_number": req.PhoneNumber, - "settings": req.Settings, - }, - }) - if err != nil { - return nil, err - } - - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } - - return UnmarshalAuthenticationCodeInfo(result.Data) -} - -// Resends the code to verify a phone number to be added to a user's Telegram Passport -func (client *Client) ResendPhoneNumberVerificationCode() (*AuthenticationCodeInfo, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "resendPhoneNumberVerificationCode", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } - - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } - - return UnmarshalAuthenticationCodeInfo(result.Data) -} - -type CheckPhoneNumberVerificationCodeRequest struct { - // Verification code to check - Code string `json:"code"` -} - -// Checks the phone number verification code for Telegram Passport -func (client *Client) CheckPhoneNumberVerificationCode(req *CheckPhoneNumberVerificationCodeRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "checkPhoneNumberVerificationCode", - }, - Data: map[string]interface{}{ - "code": req.Code, - }, - }) - if err != nil { - return nil, err - } - - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } - - return UnmarshalOk(result.Data) -} - -type SendEmailAddressVerificationCodeRequest struct { - // Email address - EmailAddress string `json:"email_address"` +type SendEmailAddressVerificationCodeRequest struct { + // Email address + EmailAddress string `json:"email_address"` } // Sends a code to verify an email address to be added to a user's Telegram Passport func (client *Client) SendEmailAddressVerificationCode(req *SendEmailAddressVerificationCodeRequest) (*EmailAddressAuthenticationCodeInfo, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "sendEmailAddressVerificationCode", - }, - Data: map[string]interface{}{ - "email_address": req.EmailAddress, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "sendEmailAddressVerificationCode", + }, + Data: map[string]interface{}{ + "email_address": req.EmailAddress, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalEmailAddressAuthenticationCodeInfo(result.Data) + return UnmarshalEmailAddressAuthenticationCodeInfo(result.Data) } // Resends the code to verify an email address to be added to a user's Telegram Passport func (client *Client) ResendEmailAddressVerificationCode() (*EmailAddressAuthenticationCodeInfo, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "resendEmailAddressVerificationCode", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "resendEmailAddressVerificationCode", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalEmailAddressAuthenticationCodeInfo(result.Data) + return UnmarshalEmailAddressAuthenticationCodeInfo(result.Data) } -type CheckEmailAddressVerificationCodeRequest struct { - // Verification code to check - Code string `json:"code"` +type CheckEmailAddressVerificationCodeRequest struct { + // Verification code to check + Code string `json:"code"` } // Checks the email address verification code for Telegram Passport func (client *Client) CheckEmailAddressVerificationCode(req *CheckEmailAddressVerificationCodeRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "checkEmailAddressVerificationCode", - }, - Data: map[string]interface{}{ - "code": req.Code, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "checkEmailAddressVerificationCode", + }, + Data: map[string]interface{}{ + "code": req.Code, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type GetPassportAuthorizationFormRequest struct { - // User identifier of the service's bot - BotUserId int64 `json:"bot_user_id"` - // Telegram Passport element types requested by the service - Scope string `json:"scope"` - // Service's public key - PublicKey string `json:"public_key"` - // Unique request identifier provided by the service - Nonce string `json:"nonce"` +type GetPassportAuthorizationFormRequest struct { + // User identifier of the service's bot + BotUserId int64 `json:"bot_user_id"` + // Telegram Passport element types requested by the service + Scope string `json:"scope"` + // Service's public key + PublicKey string `json:"public_key"` + // Unique request identifier provided by the service + Nonce string `json:"nonce"` } // Returns a Telegram Passport authorization form for sharing data with a service func (client *Client) GetPassportAuthorizationForm(req *GetPassportAuthorizationFormRequest) (*PassportAuthorizationForm, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getPassportAuthorizationForm", - }, - Data: map[string]interface{}{ - "bot_user_id": req.BotUserId, - "scope": req.Scope, - "public_key": req.PublicKey, - "nonce": req.Nonce, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getPassportAuthorizationForm", + }, + Data: map[string]interface{}{ + "bot_user_id": req.BotUserId, + "scope": req.Scope, + "public_key": req.PublicKey, + "nonce": req.Nonce, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalPassportAuthorizationForm(result.Data) + return UnmarshalPassportAuthorizationForm(result.Data) } -type GetPassportAuthorizationFormAvailableElementsRequest struct { - // Authorization form identifier - AuthorizationFormId int32 `json:"authorization_form_id"` - // The 2-step verification password of the current user - Password string `json:"password"` +type GetPassportAuthorizationFormAvailableElementsRequest struct { + // Authorization form identifier + AuthorizationFormId int32 `json:"authorization_form_id"` + // The 2-step verification password of the current user + Password string `json:"password"` } // Returns already available Telegram Passport elements suitable for completing a Telegram Passport authorization form. Result can be received only once for each authorization form func (client *Client) GetPassportAuthorizationFormAvailableElements(req *GetPassportAuthorizationFormAvailableElementsRequest) (*PassportElementsWithErrors, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getPassportAuthorizationFormAvailableElements", - }, - Data: map[string]interface{}{ - "authorization_form_id": req.AuthorizationFormId, - "password": req.Password, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getPassportAuthorizationFormAvailableElements", + }, + Data: map[string]interface{}{ + "authorization_form_id": req.AuthorizationFormId, + "password": req.Password, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalPassportElementsWithErrors(result.Data) + return UnmarshalPassportElementsWithErrors(result.Data) } -type SendPassportAuthorizationFormRequest struct { - // Authorization form identifier - AuthorizationFormId int32 `json:"authorization_form_id"` - // Types of Telegram Passport elements chosen by user to complete the authorization form - Types []PassportElementType `json:"types"` +type SendPassportAuthorizationFormRequest struct { + // Authorization form identifier + AuthorizationFormId int32 `json:"authorization_form_id"` + // Types of Telegram Passport elements chosen by user to complete the authorization form + Types []PassportElementType `json:"types"` } // Sends a Telegram Passport authorization form, effectively sharing data with the service. This method must be called after getPassportAuthorizationFormAvailableElements if some previously available elements are going to be reused func (client *Client) SendPassportAuthorizationForm(req *SendPassportAuthorizationFormRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "sendPassportAuthorizationForm", - }, - Data: map[string]interface{}{ - "authorization_form_id": req.AuthorizationFormId, - "types": req.Types, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "sendPassportAuthorizationForm", + }, + Data: map[string]interface{}{ + "authorization_form_id": req.AuthorizationFormId, + "types": req.Types, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SendPhoneNumberConfirmationCodeRequest struct { - // Hash value from the link - Hash string `json:"hash"` - // Phone number value from the link - PhoneNumber string `json:"phone_number"` - // Settings for the authentication of the user's phone number; pass null to use default settings - Settings *PhoneNumberAuthenticationSettings `json:"settings"` -} - -// Sends phone number confirmation code to handle links of the type internalLinkTypePhoneNumberConfirmation -func (client *Client) SendPhoneNumberConfirmationCode(req *SendPhoneNumberConfirmationCodeRequest) (*AuthenticationCodeInfo, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "sendPhoneNumberConfirmationCode", - }, - Data: map[string]interface{}{ - "hash": req.Hash, - "phone_number": req.PhoneNumber, - "settings": req.Settings, - }, - }) - if err != nil { - return nil, err - } - - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } - - return UnmarshalAuthenticationCodeInfo(result.Data) -} - -// Resends phone number confirmation code -func (client *Client) ResendPhoneNumberConfirmationCode() (*AuthenticationCodeInfo, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "resendPhoneNumberConfirmationCode", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } - - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } - - return UnmarshalAuthenticationCodeInfo(result.Data) -} - -type CheckPhoneNumberConfirmationCodeRequest struct { - // Confirmation code to check - Code string `json:"code"` -} - -// Checks phone number confirmation code -func (client *Client) CheckPhoneNumberConfirmationCode(req *CheckPhoneNumberConfirmationCodeRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "checkPhoneNumberConfirmationCode", - }, - Data: map[string]interface{}{ - "code": req.Code, - }, - }) - if err != nil { - return nil, err - } - - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } - - return UnmarshalOk(result.Data) -} - -type SetBotUpdatesStatusRequest struct { - // The number of pending updates - PendingUpdateCount int32 `json:"pending_update_count"` - // The last error message - ErrorMessage string `json:"error_message"` +type SetBotUpdatesStatusRequest struct { + // The number of pending updates + PendingUpdateCount int32 `json:"pending_update_count"` + // The last error message + ErrorMessage string `json:"error_message"` } // Informs the server about the number of pending bot updates if they haven't been processed for a long time; for bots only func (client *Client) SetBotUpdatesStatus(req *SetBotUpdatesStatusRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setBotUpdatesStatus", - }, - Data: map[string]interface{}{ - "pending_update_count": req.PendingUpdateCount, - "error_message": req.ErrorMessage, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setBotUpdatesStatus", + }, + Data: map[string]interface{}{ + "pending_update_count": req.PendingUpdateCount, + "error_message": req.ErrorMessage, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type UploadStickerFileRequest struct { - // Sticker file owner; ignored for regular users - UserId int64 `json:"user_id"` - // Sticker format - StickerFormat StickerFormat `json:"sticker_format"` - // File file to upload; must fit in a 512x512 square. For WEBP stickers the file must be in WEBP or PNG format, which will be converted to WEBP server-side. See https://core.telegram.org/animated_stickers#technical-requirements for technical requirements - Sticker InputFile `json:"sticker"` +type UploadStickerFileRequest struct { + // Sticker file owner; ignored for regular users + UserId int64 `json:"user_id"` + // Sticker format + StickerFormat StickerFormat `json:"sticker_format"` + // File file to upload; must fit in a 512x512 square. For WEBP stickers the file must be in WEBP or PNG format, which will be converted to WEBP server-side. See https://core.telegram.org/animated_stickers#technical-requirements for technical requirements + Sticker InputFile `json:"sticker"` } // Uploads a file with a sticker; returns the uploaded file func (client *Client) UploadStickerFile(req *UploadStickerFileRequest) (*File, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "uploadStickerFile", - }, - Data: map[string]interface{}{ - "user_id": req.UserId, - "sticker_format": req.StickerFormat, - "sticker": req.Sticker, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "uploadStickerFile", + }, + Data: map[string]interface{}{ + "user_id": req.UserId, + "sticker_format": req.StickerFormat, + "sticker": req.Sticker, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalFile(result.Data) + return UnmarshalFile(result.Data) } -type GetSuggestedStickerSetNameRequest struct { - // Sticker set title; 1-64 characters - Title string `json:"title"` +type GetSuggestedStickerSetNameRequest struct { + // Sticker set title; 1-64 characters + Title string `json:"title"` } // Returns a suggested name for a new sticker set with a given title func (client *Client) GetSuggestedStickerSetName(req *GetSuggestedStickerSetNameRequest) (*Text, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getSuggestedStickerSetName", - }, - Data: map[string]interface{}{ - "title": req.Title, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getSuggestedStickerSetName", + }, + Data: map[string]interface{}{ + "title": req.Title, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalText(result.Data) + return UnmarshalText(result.Data) } -type CheckStickerSetNameRequest struct { - // Name to be checked - Name string `json:"name"` +type CheckStickerSetNameRequest struct { + // Name to be checked + Name string `json:"name"` } // Checks whether a name can be used for a new sticker set func (client *Client) CheckStickerSetName(req *CheckStickerSetNameRequest) (CheckStickerSetNameResult, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "checkStickerSetName", - }, - Data: map[string]interface{}{ - "name": req.Name, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "checkStickerSetName", + }, + Data: map[string]interface{}{ + "name": req.Name, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - switch result.Type { - case TypeCheckStickerSetNameResultOk: - return UnmarshalCheckStickerSetNameResultOk(result.Data) + switch result.Type { + case TypeCheckStickerSetNameResultOk: + return UnmarshalCheckStickerSetNameResultOk(result.Data) - case TypeCheckStickerSetNameResultNameInvalid: - return UnmarshalCheckStickerSetNameResultNameInvalid(result.Data) + case TypeCheckStickerSetNameResultNameInvalid: + return UnmarshalCheckStickerSetNameResultNameInvalid(result.Data) - case TypeCheckStickerSetNameResultNameOccupied: - return UnmarshalCheckStickerSetNameResultNameOccupied(result.Data) + case TypeCheckStickerSetNameResultNameOccupied: + return UnmarshalCheckStickerSetNameResultNameOccupied(result.Data) - default: - return nil, errors.New("invalid type") - } + default: + return nil, errors.New("invalid type") + } } -type CreateNewStickerSetRequest struct { - // Sticker set owner; ignored for regular users - UserId int64 `json:"user_id"` - // Sticker set title; 1-64 characters - Title string `json:"title"` - // Sticker set name. Can contain only English letters, digits and underscores. Must end with *"_by_"* (** is case insensitive) for bots; 1-64 characters - Name string `json:"name"` - // Format of the stickers in the set - StickerFormat StickerFormat `json:"sticker_format"` - // Type of the stickers in the set - StickerType StickerType `json:"sticker_type"` - // Pass true if stickers in the sticker set must be repainted; for custom emoji sticker sets only - NeedsRepainting bool `json:"needs_repainting"` - // List of stickers to be added to the set; must be non-empty. All stickers must have the same format. For TGS stickers, uploadStickerFile must be used before the sticker is shown - Stickers []*InputSticker `json:"stickers"` - // Source of the sticker set; may be empty if unknown - Source string `json:"source"` +type CreateNewStickerSetRequest struct { + // Sticker set owner; ignored for regular users + UserId int64 `json:"user_id"` + // Sticker set title; 1-64 characters + Title string `json:"title"` + // Sticker set name. Can contain only English letters, digits and underscores. Must end with *"_by_"* (** is case insensitive) for bots; 0-64 characters. If empty, then the name returned by getSuggestedStickerSetName will be used automatically + Name string `json:"name"` + // Type of the stickers in the set + StickerType StickerType `json:"sticker_type"` + // Pass true if stickers in the sticker set must be repainted; for custom emoji sticker sets only + NeedsRepainting bool `json:"needs_repainting"` + // List of stickers to be added to the set; 1-200 stickers for custom emoji sticker sets, and 1-120 stickers otherwise. For TGS stickers, uploadStickerFile must be used before the sticker is shown + Stickers []*InputSticker `json:"stickers"` + // Source of the sticker set; may be empty if unknown + Source string `json:"source"` } // Creates a new sticker set. Returns the newly created sticker set func (client *Client) CreateNewStickerSet(req *CreateNewStickerSetRequest) (*StickerSet, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "createNewStickerSet", - }, - Data: map[string]interface{}{ - "user_id": req.UserId, - "title": req.Title, - "name": req.Name, - "sticker_format": req.StickerFormat, - "sticker_type": req.StickerType, - "needs_repainting": req.NeedsRepainting, - "stickers": req.Stickers, - "source": req.Source, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "createNewStickerSet", + }, + Data: map[string]interface{}{ + "user_id": req.UserId, + "title": req.Title, + "name": req.Name, + "sticker_type": req.StickerType, + "needs_repainting": req.NeedsRepainting, + "stickers": req.Stickers, + "source": req.Source, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalStickerSet(result.Data) + return UnmarshalStickerSet(result.Data) } -type AddStickerToSetRequest struct { - // Sticker set owner - UserId int64 `json:"user_id"` - // Sticker set name - Name string `json:"name"` - // Sticker to add to the set - Sticker *InputSticker `json:"sticker"` +type AddStickerToSetRequest struct { + // Sticker set owner; ignored for regular users + UserId int64 `json:"user_id"` + // Sticker set name. The sticker set must be owned by the current user, and contain less than 200 stickers for custom emoji sticker sets and less than 120 otherwise + Name string `json:"name"` + // Sticker to add to the set + Sticker *InputSticker `json:"sticker"` } -// Adds a new sticker to a set; for bots only +// Adds a new sticker to a set func (client *Client) AddStickerToSet(req *AddStickerToSetRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "addStickerToSet", - }, - Data: map[string]interface{}{ - "user_id": req.UserId, - "name": req.Name, - "sticker": req.Sticker, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "addStickerToSet", + }, + Data: map[string]interface{}{ + "user_id": req.UserId, + "name": req.Name, + "sticker": req.Sticker, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SetStickerSetThumbnailRequest struct { - // Sticker set owner - UserId int64 `json:"user_id"` - // Sticker set name - Name string `json:"name"` - // Thumbnail to set in PNG, TGS, or WEBM format; pass null to remove the sticker set thumbnail. Thumbnail format must match the format of stickers in the set - Thumbnail InputFile `json:"thumbnail"` +type ReplaceStickerInSetRequest struct { + // Sticker set owner; ignored for regular users + UserId int64 `json:"user_id"` + // Sticker set name. The sticker set must be owned by the current user + Name string `json:"name"` + // Sticker to remove from the set + OldSticker InputFile `json:"old_sticker"` + // Sticker to add to the set + NewSticker *InputSticker `json:"new_sticker"` } -// Sets a sticker set thumbnail; for bots only +// Replaces existing sticker in a set. The function is equivalent to removeStickerFromSet, then addStickerToSet, then setStickerPositionInSet +func (client *Client) ReplaceStickerInSet(req *ReplaceStickerInSetRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "replaceStickerInSet", + }, + Data: map[string]interface{}{ + "user_id": req.UserId, + "name": req.Name, + "old_sticker": req.OldSticker, + "new_sticker": req.NewSticker, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SetStickerSetThumbnailRequest struct { + // Sticker set owner; ignored for regular users + UserId int64 `json:"user_id"` + // Sticker set name. The sticker set must be owned by the current user + Name string `json:"name"` + // Thumbnail to set; pass null to remove the sticker set thumbnail + Thumbnail InputFile `json:"thumbnail"` + // Format of the thumbnail; pass null if thumbnail is removed + Format StickerFormat `json:"format"` +} + +// Sets a sticker set thumbnail func (client *Client) SetStickerSetThumbnail(req *SetStickerSetThumbnailRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setStickerSetThumbnail", - }, - Data: map[string]interface{}{ - "user_id": req.UserId, - "name": req.Name, - "thumbnail": req.Thumbnail, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setStickerSetThumbnail", + }, + Data: map[string]interface{}{ + "user_id": req.UserId, + "name": req.Name, + "thumbnail": req.Thumbnail, + "format": req.Format, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SetCustomEmojiStickerSetThumbnailRequest struct { - // Sticker set name - Name string `json:"name"` - // Identifier of the custom emoji from the sticker set, which will be set as sticker set thumbnail; pass 0 to remove the sticker set thumbnail - CustomEmojiId JsonInt64 `json:"custom_emoji_id"` +type SetCustomEmojiStickerSetThumbnailRequest struct { + // Sticker set name. The sticker set must be owned by the current user + Name string `json:"name"` + // Identifier of the custom emoji from the sticker set, which will be set as sticker set thumbnail; pass 0 to remove the sticker set thumbnail + CustomEmojiId JsonInt64 `json:"custom_emoji_id"` } -// Sets a custom emoji sticker set thumbnail; for bots only +// Sets a custom emoji sticker set thumbnail func (client *Client) SetCustomEmojiStickerSetThumbnail(req *SetCustomEmojiStickerSetThumbnailRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setCustomEmojiStickerSetThumbnail", - }, - Data: map[string]interface{}{ - "name": req.Name, - "custom_emoji_id": req.CustomEmojiId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setCustomEmojiStickerSetThumbnail", + }, + Data: map[string]interface{}{ + "name": req.Name, + "custom_emoji_id": req.CustomEmojiId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SetStickerSetTitleRequest struct { - // Sticker set name - Name string `json:"name"` - // New sticker set title - Title string `json:"title"` +type SetStickerSetTitleRequest struct { + // Sticker set name. The sticker set must be owned by the current user + Name string `json:"name"` + // New sticker set title + Title string `json:"title"` } -// Sets a sticker set title; for bots only +// Sets a sticker set title func (client *Client) SetStickerSetTitle(req *SetStickerSetTitleRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setStickerSetTitle", - }, - Data: map[string]interface{}{ - "name": req.Name, - "title": req.Title, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setStickerSetTitle", + }, + Data: map[string]interface{}{ + "name": req.Name, + "title": req.Title, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type DeleteStickerSetRequest struct { - // Sticker set name - Name string `json:"name"` +type DeleteStickerSetRequest struct { + // Sticker set name. The sticker set must be owned by the current user + Name string `json:"name"` } -// Deleted a sticker set; for bots only +// Completely deletes a sticker set func (client *Client) DeleteStickerSet(req *DeleteStickerSetRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "deleteStickerSet", - }, - Data: map[string]interface{}{ - "name": req.Name, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "deleteStickerSet", + }, + Data: map[string]interface{}{ + "name": req.Name, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SetStickerPositionInSetRequest struct { - // Sticker - Sticker InputFile `json:"sticker"` - // New position of the sticker in the set, 0-based - Position int32 `json:"position"` +type SetStickerPositionInSetRequest struct { + // Sticker + Sticker InputFile `json:"sticker"` + // New position of the sticker in the set, 0-based + Position int32 `json:"position"` } -// Changes the position of a sticker in the set to which it belongs; for bots only. The sticker set must have been created by the bot +// Changes the position of a sticker in the set to which it belongs. The sticker set must be owned by the current user func (client *Client) SetStickerPositionInSet(req *SetStickerPositionInSetRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setStickerPositionInSet", - }, - Data: map[string]interface{}{ - "sticker": req.Sticker, - "position": req.Position, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setStickerPositionInSet", + }, + Data: map[string]interface{}{ + "sticker": req.Sticker, + "position": req.Position, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type RemoveStickerFromSetRequest struct { - // Sticker - Sticker InputFile `json:"sticker"` +type RemoveStickerFromSetRequest struct { + // Sticker to remove from the set + Sticker InputFile `json:"sticker"` } -// Removes a sticker from the set to which it belongs; for bots only. The sticker set must have been created by the bot +// Removes a sticker from the set to which it belongs. The sticker set must be owned by the current user func (client *Client) RemoveStickerFromSet(req *RemoveStickerFromSetRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "removeStickerFromSet", - }, - Data: map[string]interface{}{ - "sticker": req.Sticker, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "removeStickerFromSet", + }, + Data: map[string]interface{}{ + "sticker": req.Sticker, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SetStickerEmojisRequest struct { - // Sticker - Sticker InputFile `json:"sticker"` - // New string with 1-20 emoji corresponding to the sticker - Emojis string `json:"emojis"` +type SetStickerEmojisRequest struct { + // Sticker + Sticker InputFile `json:"sticker"` + // New string with 1-20 emoji corresponding to the sticker + Emojis string `json:"emojis"` } -// Changes the list of emoji corresponding to a sticker; for bots only. The sticker must belong to a regular or custom emoji sticker set created by the bot +// Changes the list of emojis corresponding to a sticker. The sticker must belong to a regular or custom emoji sticker set that is owned by the current user func (client *Client) SetStickerEmojis(req *SetStickerEmojisRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setStickerEmojis", - }, - Data: map[string]interface{}{ - "sticker": req.Sticker, - "emojis": req.Emojis, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setStickerEmojis", + }, + Data: map[string]interface{}{ + "sticker": req.Sticker, + "emojis": req.Emojis, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SetStickerKeywordsRequest struct { - // Sticker - Sticker InputFile `json:"sticker"` - // List of up to 20 keywords with total length up to 64 characters, which can be used to find the sticker - Keywords []string `json:"keywords"` +type SetStickerKeywordsRequest struct { + // Sticker + Sticker InputFile `json:"sticker"` + // List of up to 20 keywords with total length up to 64 characters, which can be used to find the sticker + Keywords []string `json:"keywords"` } -// Changes the list of keywords of a sticker; for bots only. The sticker must belong to a regular or custom emoji sticker set created by the bot +// Changes the list of keywords of a sticker. The sticker must belong to a regular or custom emoji sticker set that is owned by the current user func (client *Client) SetStickerKeywords(req *SetStickerKeywordsRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setStickerKeywords", - }, - Data: map[string]interface{}{ - "sticker": req.Sticker, - "keywords": req.Keywords, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setStickerKeywords", + }, + Data: map[string]interface{}{ + "sticker": req.Sticker, + "keywords": req.Keywords, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SetStickerMaskPositionRequest struct { - // Sticker - Sticker InputFile `json:"sticker"` - // Position where the mask is placed; pass null to remove mask position - MaskPosition *MaskPosition `json:"mask_position"` +type SetStickerMaskPositionRequest struct { + // Sticker + Sticker InputFile `json:"sticker"` + // Position where the mask is placed; pass null to remove mask position + MaskPosition *MaskPosition `json:"mask_position"` } -// Changes the mask position of a mask sticker; for bots only. The sticker must belong to a mask sticker set created by the bot +// Changes the mask position of a mask sticker. The sticker must belong to a mask sticker set that is owned by the current user func (client *Client) SetStickerMaskPosition(req *SetStickerMaskPositionRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setStickerMaskPosition", - }, - Data: map[string]interface{}{ - "sticker": req.Sticker, - "mask_position": req.MaskPosition, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setStickerMaskPosition", + }, + Data: map[string]interface{}{ + "sticker": req.Sticker, + "mask_position": req.MaskPosition, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type GetMapThumbnailFileRequest struct { - // Location of the map center - Location *Location `json:"location"` - // Map zoom level; 13-20 - Zoom int32 `json:"zoom"` - // Map width in pixels before applying scale; 16-1024 - Width int32 `json:"width"` - // Map height in pixels before applying scale; 16-1024 - Height int32 `json:"height"` - // Map scale; 1-3 - Scale int32 `json:"scale"` - // Identifier of a chat in which the thumbnail will be shown. Use 0 if unknown - ChatId int64 `json:"chat_id"` +type GetOwnedStickerSetsRequest struct { + // Identifier of the sticker set from which to return owned sticker sets; use 0 to get results from the beginning + OffsetStickerSetId JsonInt64 `json:"offset_sticker_set_id"` + // The maximum number of sticker sets to be returned; must be positive and can't be greater than 100. For optimal performance, the number of returned objects is chosen by TDLib and can be smaller than the specified limit + Limit int32 `json:"limit"` +} + +// Returns sticker sets owned by the current user +func (client *Client) GetOwnedStickerSets(req *GetOwnedStickerSetsRequest) (*StickerSets, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getOwnedStickerSets", + }, + Data: map[string]interface{}{ + "offset_sticker_set_id": req.OffsetStickerSetId, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalStickerSets(result.Data) +} + +type GetMapThumbnailFileRequest struct { + // Location of the map center + Location *Location `json:"location"` + // Map zoom level; 13-20 + Zoom int32 `json:"zoom"` + // Map width in pixels before applying scale; 16-1024 + Width int32 `json:"width"` + // Map height in pixels before applying scale; 16-1024 + Height int32 `json:"height"` + // Map scale; 1-3 + Scale int32 `json:"scale"` + // Identifier of a chat in which the thumbnail will be shown. Use 0 if unknown + ChatId int64 `json:"chat_id"` } // Returns information about a file with a map thumbnail in PNG format. Only map thumbnail files with size less than 1MB can be downloaded func (client *Client) GetMapThumbnailFile(req *GetMapThumbnailFileRequest) (*File, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getMapThumbnailFile", - }, - Data: map[string]interface{}{ - "location": req.Location, - "zoom": req.Zoom, - "width": req.Width, - "height": req.Height, - "scale": req.Scale, - "chat_id": req.ChatId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getMapThumbnailFile", + }, + Data: map[string]interface{}{ + "location": req.Location, + "zoom": req.Zoom, + "width": req.Width, + "height": req.Height, + "scale": req.Scale, + "chat_id": req.ChatId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalFile(result.Data) + return UnmarshalFile(result.Data) } -type GetPremiumLimitRequest struct { - // Type of the limit - LimitType PremiumLimitType `json:"limit_type"` +type GetPremiumLimitRequest struct { + // Type of the limit + LimitType PremiumLimitType `json:"limit_type"` } // Returns information about a limit, increased for Premium users. Returns a 404 error if the limit is unknown func (client *Client) GetPremiumLimit(req *GetPremiumLimitRequest) (*PremiumLimit, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getPremiumLimit", - }, - Data: map[string]interface{}{ - "limit_type": req.LimitType, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getPremiumLimit", + }, + Data: map[string]interface{}{ + "limit_type": req.LimitType, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalPremiumLimit(result.Data) + return UnmarshalPremiumLimit(result.Data) } -type GetPremiumFeaturesRequest struct { - // Source of the request; pass null if the method is called from some non-standard source - Source PremiumSource `json:"source"` +type GetPremiumFeaturesRequest struct { + // Source of the request; pass null if the method is called from some non-standard source + Source PremiumSource `json:"source"` } // Returns information about features, available to Premium users func (client *Client) GetPremiumFeatures(req *GetPremiumFeaturesRequest) (*PremiumFeatures, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getPremiumFeatures", - }, - Data: map[string]interface{}{ - "source": req.Source, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getPremiumFeatures", + }, + Data: map[string]interface{}{ + "source": req.Source, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalPremiumFeatures(result.Data) + return UnmarshalPremiumFeatures(result.Data) } // Returns examples of premium stickers for demonstration purposes func (client *Client) GetPremiumStickerExamples() (*Stickers, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getPremiumStickerExamples", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getPremiumStickerExamples", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalStickers(result.Data) + return UnmarshalStickers(result.Data) } -type ViewPremiumFeatureRequest struct { - // The viewed premium feature - Feature PremiumFeature `json:"feature"` +type GetPremiumInfoStickerRequest struct { + // Number of months the Telegram Premium subscription will be active + MonthCount int32 `json:"month_count"` +} + +// Returns the sticker to be used as representation of the Telegram Premium subscription +func (client *Client) GetPremiumInfoSticker(req *GetPremiumInfoStickerRequest) (*Sticker, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getPremiumInfoSticker", + }, + Data: map[string]interface{}{ + "month_count": req.MonthCount, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalSticker(result.Data) +} + +type ViewPremiumFeatureRequest struct { + // The viewed premium feature + Feature PremiumFeature `json:"feature"` } // Informs TDLib that the user viewed detailed information about a Premium feature on the Premium features screen func (client *Client) ViewPremiumFeature(req *ViewPremiumFeatureRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "viewPremiumFeature", - }, - Data: map[string]interface{}{ - "feature": req.Feature, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "viewPremiumFeature", + }, + Data: map[string]interface{}{ + "feature": req.Feature, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } // Informs TDLib that the user clicked Premium subscription button on the Premium features screen func (client *Client) ClickPremiumSubscriptionButton() (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "clickPremiumSubscriptionButton", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "clickPremiumSubscriptionButton", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } // Returns state of Telegram Premium subscription and promotion videos for Premium features func (client *Client) GetPremiumState() (*PremiumState, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getPremiumState", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getPremiumState", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalPremiumState(result.Data) + return UnmarshalPremiumState(result.Data) } -type CanPurchasePremiumRequest struct { - // Transaction purpose - Purpose StorePaymentPurpose `json:"purpose"` +// Returns available options for gifting Telegram Premium to a user +func (client *Client) GetPremiumGiftPaymentOptions() (*PremiumGiftPaymentOptions, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getPremiumGiftPaymentOptions", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalPremiumGiftPaymentOptions(result.Data) } -// Checks whether Telegram Premium purchase is possible. Must be called before in-store Premium purchase -func (client *Client) CanPurchasePremium(req *CanPurchasePremiumRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "canPurchasePremium", - }, - Data: map[string]interface{}{ - "purpose": req.Purpose, - }, - }) - if err != nil { - return nil, err - } - - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } - - return UnmarshalOk(result.Data) +type GetPremiumGiveawayPaymentOptionsRequest struct { + // Identifier of the supergroup or channel chat, which will be automatically boosted by receivers of the gift codes and which is administered by the user + BoostedChatId int64 `json:"boosted_chat_id"` } -type AssignAppStoreTransactionRequest struct { - // App Store receipt - Receipt []byte `json:"receipt"` - // Transaction purpose - Purpose StorePaymentPurpose `json:"purpose"` +// Returns available options for creating of Telegram Premium giveaway or manual distribution of Telegram Premium among chat members +func (client *Client) GetPremiumGiveawayPaymentOptions(req *GetPremiumGiveawayPaymentOptionsRequest) (*PremiumGiveawayPaymentOptions, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getPremiumGiveawayPaymentOptions", + }, + Data: map[string]interface{}{ + "boosted_chat_id": req.BoostedChatId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalPremiumGiveawayPaymentOptions(result.Data) } -// Informs server about a purchase through App Store. For official applications only -func (client *Client) AssignAppStoreTransaction(req *AssignAppStoreTransactionRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "assignAppStoreTransaction", - }, - Data: map[string]interface{}{ - "receipt": req.Receipt, - "purpose": req.Purpose, - }, - }) - if err != nil { - return nil, err - } - - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } - - return UnmarshalOk(result.Data) +type CheckPremiumGiftCodeRequest struct { + // The code to check + Code string `json:"code"` } -type AssignGooglePlayTransactionRequest struct { - // Application package name - PackageName string `json:"package_name"` - // Identifier of the purchased store product - StoreProductId string `json:"store_product_id"` - // Google Play purchase token - PurchaseToken string `json:"purchase_token"` - // Transaction purpose - Purpose StorePaymentPurpose `json:"purpose"` +// Returns information about a Telegram Premium gift code +func (client *Client) CheckPremiumGiftCode(req *CheckPremiumGiftCodeRequest) (*PremiumGiftCodeInfo, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "checkPremiumGiftCode", + }, + Data: map[string]interface{}{ + "code": req.Code, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalPremiumGiftCodeInfo(result.Data) } -// Informs server about a purchase through Google Play. For official applications only -func (client *Client) AssignGooglePlayTransaction(req *AssignGooglePlayTransactionRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "assignGooglePlayTransaction", - }, - Data: map[string]interface{}{ - "package_name": req.PackageName, - "store_product_id": req.StoreProductId, - "purchase_token": req.PurchaseToken, - "purpose": req.Purpose, - }, - }) - if err != nil { - return nil, err - } - - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } - - return UnmarshalOk(result.Data) +type ApplyPremiumGiftCodeRequest struct { + // The code to apply + Code string `json:"code"` } -type AcceptTermsOfServiceRequest struct { - // Terms of service identifier - TermsOfServiceId string `json:"terms_of_service_id"` +// Applies a Telegram Premium gift code +func (client *Client) ApplyPremiumGiftCode(req *ApplyPremiumGiftCodeRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "applyPremiumGiftCode", + }, + Data: map[string]interface{}{ + "code": req.Code, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type GiftPremiumWithStarsRequest struct { + // Identifier of the user which will receive Telegram Premium + UserId int64 `json:"user_id"` + // The number of Telegram Stars to pay for subscription + StarCount int64 `json:"star_count"` + // Number of months the Telegram Premium subscription will be active for the user + MonthCount int32 `json:"month_count"` + // Text to show to the user receiving Telegram Premium; 0-getOption("gift_text_length_max") characters. Only Bold, Italic, Underline, Strikethrough, Spoiler, and CustomEmoji entities are allowed + Text *FormattedText `json:"text"` +} + +// Allows to buy a Telegram Premium subscription for another user with payment in Telegram Stars; for bots only +func (client *Client) GiftPremiumWithStars(req *GiftPremiumWithStarsRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "giftPremiumWithStars", + }, + Data: map[string]interface{}{ + "user_id": req.UserId, + "star_count": req.StarCount, + "month_count": req.MonthCount, + "text": req.Text, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type LaunchPrepaidGiveawayRequest struct { + // Unique identifier of the prepaid giveaway + GiveawayId JsonInt64 `json:"giveaway_id"` + // Giveaway parameters + Parameters *GiveawayParameters `json:"parameters"` + // The number of users to receive giveaway prize + WinnerCount int32 `json:"winner_count"` + // The number of Telegram Stars to be distributed through the giveaway; pass 0 for Telegram Premium giveaways + StarCount int64 `json:"star_count"` +} + +// Launches a prepaid giveaway +func (client *Client) LaunchPrepaidGiveaway(req *LaunchPrepaidGiveawayRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "launchPrepaidGiveaway", + }, + Data: map[string]interface{}{ + "giveaway_id": req.GiveawayId, + "parameters": req.Parameters, + "winner_count": req.WinnerCount, + "star_count": req.StarCount, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type GetGiveawayInfoRequest struct { + // Identifier of the channel chat which started the giveaway + ChatId int64 `json:"chat_id"` + // Identifier of the giveaway or a giveaway winners message in the chat + MessageId int64 `json:"message_id"` +} + +// Returns information about a giveaway +func (client *Client) GetGiveawayInfo(req *GetGiveawayInfoRequest) (GiveawayInfo, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getGiveawayInfo", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "message_id": req.MessageId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + switch result.Type { + case TypeGiveawayInfoOngoing: + return UnmarshalGiveawayInfoOngoing(result.Data) + + case TypeGiveawayInfoCompleted: + return UnmarshalGiveawayInfoCompleted(result.Data) + + default: + return nil, errors.New("invalid type") + } +} + +// Returns available options for Telegram Stars purchase +func (client *Client) GetStarPaymentOptions() (*StarPaymentOptions, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getStarPaymentOptions", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalStarPaymentOptions(result.Data) +} + +type GetStarGiftPaymentOptionsRequest struct { + // Identifier of the user who will receive Telegram Stars; pass 0 to get options for an unspecified user + UserId int64 `json:"user_id"` +} + +// Returns available options for Telegram Stars gifting +func (client *Client) GetStarGiftPaymentOptions(req *GetStarGiftPaymentOptionsRequest) (*StarPaymentOptions, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getStarGiftPaymentOptions", + }, + Data: map[string]interface{}{ + "user_id": req.UserId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalStarPaymentOptions(result.Data) +} + +// Returns available options for Telegram Star giveaway creation +func (client *Client) GetStarGiveawayPaymentOptions() (*StarGiveawayPaymentOptions, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getStarGiveawayPaymentOptions", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalStarGiveawayPaymentOptions(result.Data) +} + +type GetStarTransactionsRequest struct { + // Identifier of the owner of the Telegram Stars; can be the identifier of the current user, identifier of an owned bot, or identifier of a supergroup or a channel chat with supergroupFullInfo.can_get_star_revenue_statistics == true + OwnerId MessageSender `json:"owner_id"` + // If non-empty, only transactions related to the Star Subscription will be returned + SubscriptionId string `json:"subscription_id"` + // Direction of the transactions to receive; pass null to get all transactions + Direction TransactionDirection `json:"direction"` + // Offset of the first transaction to return as received from the previous request; use empty string to get the first chunk of results + Offset string `json:"offset"` + // The maximum number of transactions to return + Limit int32 `json:"limit"` +} + +// Returns the list of Telegram Star transactions for the specified owner +func (client *Client) GetStarTransactions(req *GetStarTransactionsRequest) (*StarTransactions, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getStarTransactions", + }, + Data: map[string]interface{}{ + "owner_id": req.OwnerId, + "subscription_id": req.SubscriptionId, + "direction": req.Direction, + "offset": req.Offset, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalStarTransactions(result.Data) +} + +type GetStarSubscriptionsRequest struct { + // Pass true to receive only expiring subscriptions for which there are no enough Telegram Stars to extend + OnlyExpiring bool `json:"only_expiring"` + // Offset of the first subscription to return as received from the previous request; use empty string to get the first chunk of results + Offset string `json:"offset"` +} + +// Returns the list of Telegram Star subscriptions for the current user +func (client *Client) GetStarSubscriptions(req *GetStarSubscriptionsRequest) (*StarSubscriptions, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getStarSubscriptions", + }, + Data: map[string]interface{}{ + "only_expiring": req.OnlyExpiring, + "offset": req.Offset, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalStarSubscriptions(result.Data) +} + +type CanPurchaseFromStoreRequest struct { + // Transaction purpose + Purpose StorePaymentPurpose `json:"purpose"` +} + +// Checks whether an in-store purchase is possible. Must be called before any in-store purchase. For official applications only +func (client *Client) CanPurchaseFromStore(req *CanPurchaseFromStoreRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "canPurchaseFromStore", + }, + Data: map[string]interface{}{ + "purpose": req.Purpose, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type AssignStoreTransactionRequest struct { + // Information about the transaction + Transaction StoreTransaction `json:"transaction"` + // Transaction purpose + Purpose StorePaymentPurpose `json:"purpose"` +} + +// Informs server about an in-store purchase. For official applications only +func (client *Client) AssignStoreTransaction(req *AssignStoreTransactionRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "assignStoreTransaction", + }, + Data: map[string]interface{}{ + "transaction": req.Transaction, + "purpose": req.Purpose, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type EditStarSubscriptionRequest struct { + // Identifier of the subscription to change + SubscriptionId string `json:"subscription_id"` + // New value of is_canceled + IsCanceled bool `json:"is_canceled"` +} + +// Cancels or re-enables Telegram Star subscription +func (client *Client) EditStarSubscription(req *EditStarSubscriptionRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "editStarSubscription", + }, + Data: map[string]interface{}{ + "subscription_id": req.SubscriptionId, + "is_canceled": req.IsCanceled, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type EditUserStarSubscriptionRequest struct { + // User identifier + UserId int64 `json:"user_id"` + // Telegram payment identifier of the subscription + TelegramPaymentChargeId string `json:"telegram_payment_charge_id"` + // Pass true to cancel the subscription; pass false to allow the user to enable it + IsCanceled bool `json:"is_canceled"` +} + +// Cancels or re-enables Telegram Star subscription for a user; for bots only +func (client *Client) EditUserStarSubscription(req *EditUserStarSubscriptionRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "editUserStarSubscription", + }, + Data: map[string]interface{}{ + "user_id": req.UserId, + "telegram_payment_charge_id": req.TelegramPaymentChargeId, + "is_canceled": req.IsCanceled, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type ReuseStarSubscriptionRequest struct { + // Identifier of the subscription + SubscriptionId string `json:"subscription_id"` +} + +// Reuses an active Telegram Star subscription to a channel chat and joins the chat again +func (client *Client) ReuseStarSubscription(req *ReuseStarSubscriptionRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "reuseStarSubscription", + }, + Data: map[string]interface{}{ + "subscription_id": req.SubscriptionId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SetChatAffiliateProgramRequest struct { + // Identifier of the chat with an owned bot for which affiliate program is changed + ChatId int64 `json:"chat_id"` + // Parameters of the affiliate program; pass null to close the currently active program. If there is an active program, then commission and program duration can only be increased. If the active program is scheduled to be closed, then it can't be changed anymore + Parameters *AffiliateProgramParameters `json:"parameters"` +} + +// Changes affiliate program for a bot +func (client *Client) SetChatAffiliateProgram(req *SetChatAffiliateProgramRequest) (*Ok, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "setChatAffiliateProgram", + }, + Data: map[string]interface{}{ + "chat_id": req.ChatId, + "parameters": req.Parameters, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalOk(result.Data) +} + +type SearchChatAffiliateProgramRequest struct { + // Username of the chat + Username string `json:"username"` + // The referrer from an internalLinkTypeChatAffiliateProgram link + Referrer string `json:"referrer"` +} + +// Searches a chat with an affiliate program. Returns the chat if found and the program is active +func (client *Client) SearchChatAffiliateProgram(req *SearchChatAffiliateProgramRequest) (*Chat, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "searchChatAffiliateProgram", + }, + Data: map[string]interface{}{ + "username": req.Username, + "referrer": req.Referrer, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalChat(result.Data) +} + +type SearchAffiliateProgramsRequest struct { + // The affiliate for which affiliate programs are searched for + Affiliate AffiliateType `json:"affiliate"` + // Sort order for the results + SortOrder AffiliateProgramSortOrder `json:"sort_order"` + // Offset of the first affiliate program to return as received from the previous request; use empty string to get the first chunk of results + Offset string `json:"offset"` + // The maximum number of affiliate programs to return + Limit int32 `json:"limit"` +} + +// Searches affiliate programs that can be connected to the given affiliate +func (client *Client) SearchAffiliatePrograms(req *SearchAffiliateProgramsRequest) (*FoundAffiliatePrograms, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "searchAffiliatePrograms", + }, + Data: map[string]interface{}{ + "affiliate": req.Affiliate, + "sort_order": req.SortOrder, + "offset": req.Offset, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalFoundAffiliatePrograms(result.Data) +} + +type ConnectAffiliateProgramRequest struct { + // The affiliate to which the affiliate program will be connected + Affiliate AffiliateType `json:"affiliate"` + // Identifier of the bot, which affiliate program is connected + BotUserId int64 `json:"bot_user_id"` +} + +// Connects an affiliate program to the given affiliate. Returns information about the connected affiliate program +func (client *Client) ConnectAffiliateProgram(req *ConnectAffiliateProgramRequest) (*ConnectedAffiliateProgram, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "connectAffiliateProgram", + }, + Data: map[string]interface{}{ + "affiliate": req.Affiliate, + "bot_user_id": req.BotUserId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalConnectedAffiliateProgram(result.Data) +} + +type DisconnectAffiliateProgramRequest struct { + // The affiliate to which the affiliate program is connected + Affiliate AffiliateType `json:"affiliate"` + // The referral link of the affiliate program + Url string `json:"url"` +} + +// Disconnects an affiliate program from the given affiliate and immediately deactivates its referral link. Returns updated information about the disconnected affiliate program +func (client *Client) DisconnectAffiliateProgram(req *DisconnectAffiliateProgramRequest) (*ConnectedAffiliateProgram, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "disconnectAffiliateProgram", + }, + Data: map[string]interface{}{ + "affiliate": req.Affiliate, + "url": req.Url, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalConnectedAffiliateProgram(result.Data) +} + +type GetConnectedAffiliateProgramRequest struct { + // The affiliate to which the affiliate program will be connected + Affiliate AffiliateType `json:"affiliate"` + // Identifier of the bot that created the program + BotUserId int64 `json:"bot_user_id"` +} + +// Returns an affiliate program that was connected to the given affiliate by identifier of the bot that created the program +func (client *Client) GetConnectedAffiliateProgram(req *GetConnectedAffiliateProgramRequest) (*ConnectedAffiliateProgram, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getConnectedAffiliateProgram", + }, + Data: map[string]interface{}{ + "affiliate": req.Affiliate, + "bot_user_id": req.BotUserId, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalConnectedAffiliateProgram(result.Data) +} + +type GetConnectedAffiliateProgramsRequest struct { + // The affiliate to which the affiliate program were connected + Affiliate AffiliateType `json:"affiliate"` + // Offset of the first affiliate program to return as received from the previous request; use empty string to get the first chunk of results + Offset string `json:"offset"` + // The maximum number of affiliate programs to return + Limit int32 `json:"limit"` +} + +// Returns affiliate programs that were connected to the given affiliate +func (client *Client) GetConnectedAffiliatePrograms(req *GetConnectedAffiliateProgramsRequest) (*ConnectedAffiliatePrograms, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getConnectedAffiliatePrograms", + }, + Data: map[string]interface{}{ + "affiliate": req.Affiliate, + "offset": req.Offset, + "limit": req.Limit, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalConnectedAffiliatePrograms(result.Data) +} + +type GetBusinessFeaturesRequest struct { + // Source of the request; pass null if the method is called from settings or some non-standard source + Source BusinessFeature `json:"source"` +} + +// Returns information about features, available to Business users +func (client *Client) GetBusinessFeatures(req *GetBusinessFeaturesRequest) (*BusinessFeatures, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getBusinessFeatures", + }, + Data: map[string]interface{}{ + "source": req.Source, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalBusinessFeatures(result.Data) +} + +type AcceptTermsOfServiceRequest struct { + // Terms of service identifier + TermsOfServiceId string `json:"terms_of_service_id"` } // Accepts Telegram terms of services func (client *Client) AcceptTermsOfService(req *AcceptTermsOfServiceRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "acceptTermsOfService", - }, - Data: map[string]interface{}{ - "terms_of_service_id": req.TermsOfServiceId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "acceptTermsOfService", + }, + Data: map[string]interface{}{ + "terms_of_service_id": req.TermsOfServiceId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SendCustomRequestRequest struct { - // The method name - Method string `json:"method"` - // JSON-serialized method parameters - Parameters string `json:"parameters"` +type SearchStringsByPrefixRequest struct { + // The strings to search in for the query + Strings []string `json:"strings"` + // Query to search for + Query string `json:"query"` + // The maximum number of objects to return + Limit int32 `json:"limit"` + // Pass true to receive no results for an empty query + ReturnNoneForEmptyQuery bool `json:"return_none_for_empty_query"` +} + +// Searches specified query by word prefixes in the provided strings. Returns 0-based positions of strings that matched. Can be called synchronously +func SearchStringsByPrefix(req *SearchStringsByPrefixRequest) (*FoundPositions, error) { + result, err := Execute(Request{ + meta: meta{ + Type: "searchStringsByPrefix", + }, + Data: map[string]interface{}{ + "strings": req.Strings, + "query": req.Query, + "limit": req.Limit, + "return_none_for_empty_query": req.ReturnNoneForEmptyQuery, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalFoundPositions(result.Data) +} + +// deprecated +// Searches specified query by word prefixes in the provided strings. Returns 0-based positions of strings that matched. Can be called synchronously +func (client *Client) SearchStringsByPrefix(req *SearchStringsByPrefixRequest) (*FoundPositions, error) { + return SearchStringsByPrefix(req)} + +type SendCustomRequestRequest struct { + // The method name + Method string `json:"method"` + // JSON-serialized method parameters + Parameters string `json:"parameters"` } // Sends a custom request; for bots only func (client *Client) SendCustomRequest(req *SendCustomRequestRequest) (*CustomRequestResult, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "sendCustomRequest", - }, - Data: map[string]interface{}{ - "method": req.Method, - "parameters": req.Parameters, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "sendCustomRequest", + }, + Data: map[string]interface{}{ + "method": req.Method, + "parameters": req.Parameters, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalCustomRequestResult(result.Data) + return UnmarshalCustomRequestResult(result.Data) } -type AnswerCustomQueryRequest struct { - // Identifier of a custom query - CustomQueryId JsonInt64 `json:"custom_query_id"` - // JSON-serialized answer to the query - Data string `json:"data"` +type AnswerCustomQueryRequest struct { + // Identifier of a custom query + CustomQueryId JsonInt64 `json:"custom_query_id"` + // JSON-serialized answer to the query + Data string `json:"data"` } // Answers a custom query; for bots only func (client *Client) AnswerCustomQuery(req *AnswerCustomQueryRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "answerCustomQuery", - }, - Data: map[string]interface{}{ - "custom_query_id": req.CustomQueryId, - "data": req.Data, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "answerCustomQuery", + }, + Data: map[string]interface{}{ + "custom_query_id": req.CustomQueryId, + "data": req.Data, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type SetAlarmRequest struct { - // Number of seconds before the function returns - Seconds float64 `json:"seconds"` +type SetAlarmRequest struct { + // Number of seconds before the function returns + Seconds float64 `json:"seconds"` } // Succeeds after a specified amount of time has passed. Can be called before initialization func (client *Client) SetAlarm(req *SetAlarmRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setAlarm", - }, - Data: map[string]interface{}{ - "seconds": req.Seconds, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setAlarm", + }, + Data: map[string]interface{}{ + "seconds": req.Seconds, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } // Returns information about existing countries. Can be called before authorization func (client *Client) GetCountries() (*Countries, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getCountries", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getCountries", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalCountries(result.Data) + return UnmarshalCountries(result.Data) } // Uses the current IP address to find the current country. Returns two-letter ISO 3166-1 alpha-2 country code. Can be called before authorization func (client *Client) GetCountryCode() (*Text, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getCountryCode", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getCountryCode", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalText(result.Data) + return UnmarshalText(result.Data) } -type GetPhoneNumberInfoRequest struct { - // The phone number prefix - PhoneNumberPrefix string `json:"phone_number_prefix"` +type GetPhoneNumberInfoRequest struct { + // The phone number prefix + PhoneNumberPrefix string `json:"phone_number_prefix"` } // Returns information about a phone number by its prefix. Can be called before authorization func (client *Client) GetPhoneNumberInfo(req *GetPhoneNumberInfoRequest) (*PhoneNumberInfo, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getPhoneNumberInfo", - }, - Data: map[string]interface{}{ - "phone_number_prefix": req.PhoneNumberPrefix, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getPhoneNumberInfo", + }, + Data: map[string]interface{}{ + "phone_number_prefix": req.PhoneNumberPrefix, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalPhoneNumberInfo(result.Data) + return UnmarshalPhoneNumberInfo(result.Data) } -type GetPhoneNumberInfoSyncRequest struct { - // A two-letter ISO 639-1 language code for country information localization - LanguageCode string `json:"language_code"` - // The phone number prefix - PhoneNumberPrefix string `json:"phone_number_prefix"` +type GetPhoneNumberInfoSyncRequest struct { + // A two-letter ISO 639-1 language code for country information localization + LanguageCode string `json:"language_code"` + // The phone number prefix + PhoneNumberPrefix string `json:"phone_number_prefix"` } // Returns information about a phone number by its prefix synchronously. getCountries must be called at least once after changing localization to the specified language if properly localized country information is expected. Can be called synchronously func GetPhoneNumberInfoSync(req *GetPhoneNumberInfoSyncRequest) (*PhoneNumberInfo, error) { - result, err := Execute(Request{ - meta: meta{ - Type: "getPhoneNumberInfoSync", - }, - Data: map[string]interface{}{ - "language_code": req.LanguageCode, - "phone_number_prefix": req.PhoneNumberPrefix, - }, - }) - if err != nil { - return nil, err - } + result, err := Execute(Request{ + meta: meta{ + Type: "getPhoneNumberInfoSync", + }, + Data: map[string]interface{}{ + "language_code": req.LanguageCode, + "phone_number_prefix": req.PhoneNumberPrefix, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalPhoneNumberInfo(result.Data) + return UnmarshalPhoneNumberInfo(result.Data) } // deprecated // Returns information about a phone number by its prefix synchronously. getCountries must be called at least once after changing localization to the specified language if properly localized country information is expected. Can be called synchronously func (client *Client) GetPhoneNumberInfoSync(req *GetPhoneNumberInfoSyncRequest) (*PhoneNumberInfo, error) { - return GetPhoneNumberInfoSync(req) + return GetPhoneNumberInfoSync(req)} + +type GetCollectibleItemInfoRequest struct { + // Type of the collectible item. The item must be used by a user and must be visible to the current user + Type CollectibleItemType `json:"type"` } -type GetDeepLinkInfoRequest struct { - // The link - Link string `json:"link"` +// Returns information about a given collectible item that was purchased at https://fragment.com +func (client *Client) GetCollectibleItemInfo(req *GetCollectibleItemInfoRequest) (*CollectibleItemInfo, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getCollectibleItemInfo", + }, + Data: map[string]interface{}{ + "type": req.Type, + }, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalCollectibleItemInfo(result.Data) +} + +type GetDeepLinkInfoRequest struct { + // The link + Link string `json:"link"` } // Returns information about a tg:// deep link. Use "tg://need_update_for_some_feature" or "tg:some_unsupported_feature" for testing. Returns a 404 error for unknown links. Can be called before authorization func (client *Client) GetDeepLinkInfo(req *GetDeepLinkInfoRequest) (*DeepLinkInfo, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getDeepLinkInfo", - }, - Data: map[string]interface{}{ - "link": req.Link, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getDeepLinkInfo", + }, + Data: map[string]interface{}{ + "link": req.Link, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalDeepLinkInfo(result.Data) + return UnmarshalDeepLinkInfo(result.Data) } // Returns application config, provided by the server. Can be called before authorization func (client *Client) GetApplicationConfig() (JsonValue, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getApplicationConfig", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getApplicationConfig", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - switch result.Type { - case TypeJsonValueNull: - return UnmarshalJsonValueNull(result.Data) + switch result.Type { + case TypeJsonValueNull: + return UnmarshalJsonValueNull(result.Data) - case TypeJsonValueBoolean: - return UnmarshalJsonValueBoolean(result.Data) + case TypeJsonValueBoolean: + return UnmarshalJsonValueBoolean(result.Data) - case TypeJsonValueNumber: - return UnmarshalJsonValueNumber(result.Data) + case TypeJsonValueNumber: + return UnmarshalJsonValueNumber(result.Data) - case TypeJsonValueString: - return UnmarshalJsonValueString(result.Data) + case TypeJsonValueString: + return UnmarshalJsonValueString(result.Data) - case TypeJsonValueArray: - return UnmarshalJsonValueArray(result.Data) + case TypeJsonValueArray: + return UnmarshalJsonValueArray(result.Data) - case TypeJsonValueObject: - return UnmarshalJsonValueObject(result.Data) + case TypeJsonValueObject: + return UnmarshalJsonValueObject(result.Data) - default: - return nil, errors.New("invalid type") - } + default: + return nil, errors.New("invalid type") + } } -type AddApplicationChangelogRequest struct { - // The previous application version - PreviousApplicationVersion string `json:"previous_application_version"` -} - -// Adds server-provided application changelog as messages to the chat 777000 (Telegram); for official applications only -func (client *Client) AddApplicationChangelog(req *AddApplicationChangelogRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "addApplicationChangelog", - }, - Data: map[string]interface{}{ - "previous_application_version": req.PreviousApplicationVersion, - }, - }) - if err != nil { - return nil, err - } - - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } - - return UnmarshalOk(result.Data) -} - -type SaveApplicationLogEventRequest struct { - // Event type - Type string `json:"type"` - // Optional chat identifier, associated with the event - ChatId int64 `json:"chat_id"` - // The log event data - Data JsonValue `json:"data"` +type SaveApplicationLogEventRequest struct { + // Event type + Type string `json:"type"` + // Optional chat identifier, associated with the event + ChatId int64 `json:"chat_id"` + // The log event data + Data JsonValue `json:"data"` } // Saves application log event on the server. Can be called before authorization func (client *Client) SaveApplicationLogEvent(req *SaveApplicationLogEventRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "saveApplicationLogEvent", - }, - Data: map[string]interface{}{ - "type": req.Type, - "chat_id": req.ChatId, - "data": req.Data, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "saveApplicationLogEvent", + }, + Data: map[string]interface{}{ + "type": req.Type, + "chat_id": req.ChatId, + "data": req.Data, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } // Returns the link for downloading official Telegram application to be used when the current user invites friends to Telegram func (client *Client) GetApplicationDownloadLink() (*HttpUrl, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getApplicationDownloadLink", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getApplicationDownloadLink", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalHttpUrl(result.Data) + return UnmarshalHttpUrl(result.Data) } -type AddProxyRequest struct { - // Proxy server IP address - Server string `json:"server"` - // Proxy server port - Port int32 `json:"port"` - // Pass true to immediately enable the proxy - Enable bool `json:"enable"` - // Proxy type - Type ProxyType `json:"type"` +type AddProxyRequest struct { + // The proxy to add + Proxy *Proxy `json:"proxy"` + // Pass true to immediately enable the proxy + Enable bool `json:"enable"` } // Adds a proxy server for network requests. Can be called before authorization -func (client *Client) AddProxy(req *AddProxyRequest) (*Proxy, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "addProxy", - }, - Data: map[string]interface{}{ - "server": req.Server, - "port": req.Port, - "enable": req.Enable, - "type": req.Type, - }, - }) - if err != nil { - return nil, err - } +func (client *Client) AddProxy(req *AddProxyRequest) (*AddedProxy, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "addProxy", + }, + Data: map[string]interface{}{ + "proxy": req.Proxy, + "enable": req.Enable, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalProxy(result.Data) + return UnmarshalAddedProxy(result.Data) } -type EditProxyRequest struct { - // Proxy identifier - ProxyId int32 `json:"proxy_id"` - // Proxy server IP address - Server string `json:"server"` - // Proxy server port - Port int32 `json:"port"` - // Pass true to immediately enable the proxy - Enable bool `json:"enable"` - // Proxy type - Type ProxyType `json:"type"` +type EditProxyRequest struct { + // Proxy identifier + ProxyId int32 `json:"proxy_id"` + // The new information about the proxy + Proxy *Proxy `json:"proxy"` + // Pass true to immediately enable the proxy + Enable bool `json:"enable"` } // Edits an existing proxy server for network requests. Can be called before authorization -func (client *Client) EditProxy(req *EditProxyRequest) (*Proxy, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "editProxy", - }, - Data: map[string]interface{}{ - "proxy_id": req.ProxyId, - "server": req.Server, - "port": req.Port, - "enable": req.Enable, - "type": req.Type, - }, - }) - if err != nil { - return nil, err - } +func (client *Client) EditProxy(req *EditProxyRequest) (*AddedProxy, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "editProxy", + }, + Data: map[string]interface{}{ + "proxy_id": req.ProxyId, + "proxy": req.Proxy, + "enable": req.Enable, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalProxy(result.Data) + return UnmarshalAddedProxy(result.Data) } -type EnableProxyRequest struct { - // Proxy identifier - ProxyId int32 `json:"proxy_id"` +type EnableProxyRequest struct { + // Proxy identifier + ProxyId int32 `json:"proxy_id"` } // Enables a proxy. Only one proxy can be enabled at a time. Can be called before authorization func (client *Client) EnableProxy(req *EnableProxyRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "enableProxy", - }, - Data: map[string]interface{}{ - "proxy_id": req.ProxyId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "enableProxy", + }, + Data: map[string]interface{}{ + "proxy_id": req.ProxyId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } // Disables the currently enabled proxy. Can be called before authorization func (client *Client) DisableProxy() (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "disableProxy", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "disableProxy", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type RemoveProxyRequest struct { - // Proxy identifier - ProxyId int32 `json:"proxy_id"` +type RemoveProxyRequest struct { + // Proxy identifier + ProxyId int32 `json:"proxy_id"` } // Removes a proxy server. Can be called before authorization func (client *Client) RemoveProxy(req *RemoveProxyRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "removeProxy", - }, - Data: map[string]interface{}{ - "proxy_id": req.ProxyId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "removeProxy", + }, + Data: map[string]interface{}{ + "proxy_id": req.ProxyId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -// Returns list of proxies that are currently set up. Can be called before authorization -func (client *Client) GetProxies() (*Proxies, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getProxies", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } +// Returns the list of proxies that are currently set up. Can be called before authorization +func (client *Client) GetProxies() (*AddedProxies, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getProxies", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalProxies(result.Data) + return UnmarshalAddedProxies(result.Data) } -type GetProxyLinkRequest struct { - // Proxy identifier - ProxyId int32 `json:"proxy_id"` -} - -// Returns an HTTPS link, which can be used to add a proxy. Available only for SOCKS5 and MTProto proxies. Can be called before authorization -func (client *Client) GetProxyLink(req *GetProxyLinkRequest) (*HttpUrl, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getProxyLink", - }, - Data: map[string]interface{}{ - "proxy_id": req.ProxyId, - }, - }) - if err != nil { - return nil, err - } - - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } - - return UnmarshalHttpUrl(result.Data) -} - -type PingProxyRequest struct { - // Proxy identifier. Use 0 to ping a Telegram server without a proxy - ProxyId int32 `json:"proxy_id"` +type PingProxyRequest struct { + // The proxy to test; pass null to ping a Telegram server without a proxy + Proxy *Proxy `json:"proxy"` } // Computes time needed to receive a response from a Telegram server through a proxy. Can be called before authorization func (client *Client) PingProxy(req *PingProxyRequest) (*Seconds, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "pingProxy", - }, - Data: map[string]interface{}{ - "proxy_id": req.ProxyId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "pingProxy", + }, + Data: map[string]interface{}{ + "proxy": req.Proxy, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalSeconds(result.Data) + return UnmarshalSeconds(result.Data) } -type SetLogStreamRequest struct { - // New log stream - LogStream LogStream `json:"log_stream"` +type SetLogStreamRequest struct { + // New log stream + LogStream LogStream `json:"log_stream"` } // Sets new log stream for internal logging of TDLib. Can be called synchronously func SetLogStream(req *SetLogStreamRequest) (*Ok, error) { - result, err := Execute(Request{ - meta: meta{ - Type: "setLogStream", - }, - Data: map[string]interface{}{ - "log_stream": req.LogStream, - }, - }) - if err != nil { - return nil, err - } + result, err := Execute(Request{ + meta: meta{ + Type: "setLogStream", + }, + Data: map[string]interface{}{ + "log_stream": req.LogStream, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } // deprecated // Sets new log stream for internal logging of TDLib. Can be called synchronously func (client *Client) SetLogStream(req *SetLogStreamRequest) (*Ok, error) { - return SetLogStream(req) -} + return SetLogStream(req)} // Returns information about currently used log stream for internal logging of TDLib. Can be called synchronously func GetLogStream() (LogStream, error) { - result, err := Execute(Request{ - meta: meta{ - Type: "getLogStream", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := Execute(Request{ + meta: meta{ + Type: "getLogStream", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - switch result.Type { - case TypeLogStreamDefault: - return UnmarshalLogStreamDefault(result.Data) + switch result.Type { + case TypeLogStreamDefault: + return UnmarshalLogStreamDefault(result.Data) - case TypeLogStreamFile: - return UnmarshalLogStreamFile(result.Data) + case TypeLogStreamFile: + return UnmarshalLogStreamFile(result.Data) - case TypeLogStreamEmpty: - return UnmarshalLogStreamEmpty(result.Data) + case TypeLogStreamEmpty: + return UnmarshalLogStreamEmpty(result.Data) - default: - return nil, errors.New("invalid type") - } + default: + return nil, errors.New("invalid type") + } } // deprecated // Returns information about currently used log stream for internal logging of TDLib. Can be called synchronously func (client *Client) GetLogStream() (LogStream, error) { - return GetLogStream() -} + return GetLogStream()} -type SetLogVerbosityLevelRequest struct { - // New value of the verbosity level for logging. Value 0 corresponds to fatal errors, value 1 corresponds to errors, value 2 corresponds to warnings and debug warnings, value 3 corresponds to informational, value 4 corresponds to debug, value 5 corresponds to verbose debug, value greater than 5 and up to 1023 can be used to enable even more logging - NewVerbosityLevel int32 `json:"new_verbosity_level"` +type SetLogVerbosityLevelRequest struct { + // New value of the verbosity level for logging. Value 0 corresponds to fatal errors, value 1 corresponds to errors, value 2 corresponds to warnings and debug warnings, value 3 corresponds to informational, value 4 corresponds to debug, value 5 corresponds to verbose debug, value greater than 5 and up to 1023 can be used to enable even more logging + NewVerbosityLevel int32 `json:"new_verbosity_level"` } // Sets the verbosity level of the internal logging of TDLib. Can be called synchronously func SetLogVerbosityLevel(req *SetLogVerbosityLevelRequest) (*Ok, error) { - result, err := Execute(Request{ - meta: meta{ - Type: "setLogVerbosityLevel", - }, - Data: map[string]interface{}{ - "new_verbosity_level": req.NewVerbosityLevel, - }, - }) - if err != nil { - return nil, err - } + result, err := Execute(Request{ + meta: meta{ + Type: "setLogVerbosityLevel", + }, + Data: map[string]interface{}{ + "new_verbosity_level": req.NewVerbosityLevel, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } // deprecated // Sets the verbosity level of the internal logging of TDLib. Can be called synchronously func (client *Client) SetLogVerbosityLevel(req *SetLogVerbosityLevelRequest) (*Ok, error) { - return SetLogVerbosityLevel(req) -} + return SetLogVerbosityLevel(req)} // Returns current verbosity level of the internal logging of TDLib. Can be called synchronously func GetLogVerbosityLevel() (*LogVerbosityLevel, error) { - result, err := Execute(Request{ - meta: meta{ - Type: "getLogVerbosityLevel", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := Execute(Request{ + meta: meta{ + Type: "getLogVerbosityLevel", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalLogVerbosityLevel(result.Data) + return UnmarshalLogVerbosityLevel(result.Data) } // deprecated // Returns current verbosity level of the internal logging of TDLib. Can be called synchronously func (client *Client) GetLogVerbosityLevel() (*LogVerbosityLevel, error) { - return GetLogVerbosityLevel() -} + return GetLogVerbosityLevel()} -// Returns list of available TDLib internal log tags, for example, ["actor", "binlog", "connections", "notifications", "proxy"]. Can be called synchronously +// Returns the list of available TDLib internal log tags, for example, ["actor", "binlog", "connections", "notifications", "proxy"]. Can be called synchronously func GetLogTags() (*LogTags, error) { - result, err := Execute(Request{ - meta: meta{ - Type: "getLogTags", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := Execute(Request{ + meta: meta{ + Type: "getLogTags", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalLogTags(result.Data) + return UnmarshalLogTags(result.Data) } // deprecated -// Returns list of available TDLib internal log tags, for example, ["actor", "binlog", "connections", "notifications", "proxy"]. Can be called synchronously +// Returns the list of available TDLib internal log tags, for example, ["actor", "binlog", "connections", "notifications", "proxy"]. Can be called synchronously func (client *Client) GetLogTags() (*LogTags, error) { - return GetLogTags() -} + return GetLogTags()} -type SetLogTagVerbosityLevelRequest struct { - // Logging tag to change verbosity level - Tag string `json:"tag"` - // New verbosity level; 1-1024 - NewVerbosityLevel int32 `json:"new_verbosity_level"` +type SetLogTagVerbosityLevelRequest struct { + // Logging tag to change verbosity level + Tag string `json:"tag"` + // New verbosity level; 1-1024 + NewVerbosityLevel int32 `json:"new_verbosity_level"` } // Sets the verbosity level for a specified TDLib internal log tag. Can be called synchronously func SetLogTagVerbosityLevel(req *SetLogTagVerbosityLevelRequest) (*Ok, error) { - result, err := Execute(Request{ - meta: meta{ - Type: "setLogTagVerbosityLevel", - }, - Data: map[string]interface{}{ - "tag": req.Tag, - "new_verbosity_level": req.NewVerbosityLevel, - }, - }) - if err != nil { - return nil, err - } + result, err := Execute(Request{ + meta: meta{ + Type: "setLogTagVerbosityLevel", + }, + Data: map[string]interface{}{ + "tag": req.Tag, + "new_verbosity_level": req.NewVerbosityLevel, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } // deprecated // Sets the verbosity level for a specified TDLib internal log tag. Can be called synchronously func (client *Client) SetLogTagVerbosityLevel(req *SetLogTagVerbosityLevelRequest) (*Ok, error) { - return SetLogTagVerbosityLevel(req) -} + return SetLogTagVerbosityLevel(req)} -type GetLogTagVerbosityLevelRequest struct { - // Logging tag to change verbosity level - Tag string `json:"tag"` +type GetLogTagVerbosityLevelRequest struct { + // Logging tag to change verbosity level + Tag string `json:"tag"` } // Returns current verbosity level for a specified TDLib internal log tag. Can be called synchronously func GetLogTagVerbosityLevel(req *GetLogTagVerbosityLevelRequest) (*LogVerbosityLevel, error) { - result, err := Execute(Request{ - meta: meta{ - Type: "getLogTagVerbosityLevel", - }, - Data: map[string]interface{}{ - "tag": req.Tag, - }, - }) - if err != nil { - return nil, err - } + result, err := Execute(Request{ + meta: meta{ + Type: "getLogTagVerbosityLevel", + }, + Data: map[string]interface{}{ + "tag": req.Tag, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalLogVerbosityLevel(result.Data) + return UnmarshalLogVerbosityLevel(result.Data) } // deprecated // Returns current verbosity level for a specified TDLib internal log tag. Can be called synchronously func (client *Client) GetLogTagVerbosityLevel(req *GetLogTagVerbosityLevelRequest) (*LogVerbosityLevel, error) { - return GetLogTagVerbosityLevel(req) -} + return GetLogTagVerbosityLevel(req)} -type AddLogMessageRequest struct { - // The minimum verbosity level needed for the message to be logged; 0-1023 - VerbosityLevel int32 `json:"verbosity_level"` - // Text of a message to log - Text string `json:"text"` +type AddLogMessageRequest struct { + // The minimum verbosity level needed for the message to be logged; 0-1023 + VerbosityLevel int32 `json:"verbosity_level"` + // Text of a message to log + Text string `json:"text"` } // Adds a message to TDLib internal log. Can be called synchronously func AddLogMessage(req *AddLogMessageRequest) (*Ok, error) { - result, err := Execute(Request{ - meta: meta{ - Type: "addLogMessage", - }, - Data: map[string]interface{}{ - "verbosity_level": req.VerbosityLevel, - "text": req.Text, - }, - }) - if err != nil { - return nil, err - } + result, err := Execute(Request{ + meta: meta{ + Type: "addLogMessage", + }, + Data: map[string]interface{}{ + "verbosity_level": req.VerbosityLevel, + "text": req.Text, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } // deprecated // Adds a message to TDLib internal log. Can be called synchronously func (client *Client) AddLogMessage(req *AddLogMessageRequest) (*Ok, error) { - return AddLogMessage(req) -} + return AddLogMessage(req)} -type GetUserSupportInfoRequest struct { - // User identifier - UserId int64 `json:"user_id"` +type GetUserSupportInfoRequest struct { + // User identifier + UserId int64 `json:"user_id"` } // Returns support information for the given user; for Telegram support only func (client *Client) GetUserSupportInfo(req *GetUserSupportInfoRequest) (*UserSupportInfo, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "getUserSupportInfo", - }, - Data: map[string]interface{}{ - "user_id": req.UserId, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "getUserSupportInfo", + }, + Data: map[string]interface{}{ + "user_id": req.UserId, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalUserSupportInfo(result.Data) + return UnmarshalUserSupportInfo(result.Data) } -type SetUserSupportInfoRequest struct { - // User identifier - UserId int64 `json:"user_id"` - // New information message - Message *FormattedText `json:"message"` +type SetUserSupportInfoRequest struct { + // User identifier + UserId int64 `json:"user_id"` + // New information message + Message *FormattedText `json:"message"` } // Sets support information for the given user; for Telegram support only func (client *Client) SetUserSupportInfo(req *SetUserSupportInfoRequest) (*UserSupportInfo, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "setUserSupportInfo", - }, - Data: map[string]interface{}{ - "user_id": req.UserId, - "message": req.Message, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "setUserSupportInfo", + }, + Data: map[string]interface{}{ + "user_id": req.UserId, + "message": req.Message, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalUserSupportInfo(result.Data) + return UnmarshalUserSupportInfo(result.Data) +} + +// Returns localized name of the Telegram support user; for Telegram support only +func (client *Client) GetSupportName() (*Text, error) { + result, err := client.Send(Request{ + meta: meta{ + Type: "getSupportName", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } + + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } + + return UnmarshalText(result.Data) } // Does nothing; for testing only. This is an offline method. Can be called before authorization func (client *Client) TestCallEmpty() (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "testCallEmpty", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "testCallEmpty", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type TestCallStringRequest struct { - // String to return - X string `json:"x"` +type TestCallStringRequest struct { + // String to return + X string `json:"x"` } // Returns the received string; for testing only. This is an offline method. Can be called before authorization func (client *Client) TestCallString(req *TestCallStringRequest) (*TestString, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "testCallString", - }, - Data: map[string]interface{}{ - "x": req.X, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "testCallString", + }, + Data: map[string]interface{}{ + "x": req.X, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalTestString(result.Data) + return UnmarshalTestString(result.Data) } -type TestCallBytesRequest struct { - // Bytes to return - X []byte `json:"x"` +type TestCallBytesRequest struct { + // Bytes to return + X []byte `json:"x"` } // Returns the received bytes; for testing only. This is an offline method. Can be called before authorization func (client *Client) TestCallBytes(req *TestCallBytesRequest) (*TestBytes, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "testCallBytes", - }, - Data: map[string]interface{}{ - "x": req.X, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "testCallBytes", + }, + Data: map[string]interface{}{ + "x": req.X, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalTestBytes(result.Data) + return UnmarshalTestBytes(result.Data) } -type TestCallVectorIntRequest struct { - // Vector of numbers to return - X []int32 `json:"x"` +type TestCallVectorIntRequest struct { + // Vector of numbers to return + X []int32 `json:"x"` } // Returns the received vector of numbers; for testing only. This is an offline method. Can be called before authorization func (client *Client) TestCallVectorInt(req *TestCallVectorIntRequest) (*TestVectorInt, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "testCallVectorInt", - }, - Data: map[string]interface{}{ - "x": req.X, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "testCallVectorInt", + }, + Data: map[string]interface{}{ + "x": req.X, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalTestVectorInt(result.Data) + return UnmarshalTestVectorInt(result.Data) } -type TestCallVectorIntObjectRequest struct { - // Vector of objects to return - X []*TestInt `json:"x"` +type TestCallVectorIntObjectRequest struct { + // Vector of objects to return + X []*TestInt `json:"x"` } // Returns the received vector of objects containing a number; for testing only. This is an offline method. Can be called before authorization func (client *Client) TestCallVectorIntObject(req *TestCallVectorIntObjectRequest) (*TestVectorIntObject, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "testCallVectorIntObject", - }, - Data: map[string]interface{}{ - "x": req.X, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "testCallVectorIntObject", + }, + Data: map[string]interface{}{ + "x": req.X, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalTestVectorIntObject(result.Data) + return UnmarshalTestVectorIntObject(result.Data) } -type TestCallVectorStringRequest struct { - // Vector of strings to return - X []string `json:"x"` +type TestCallVectorStringRequest struct { + // Vector of strings to return + X []string `json:"x"` } // Returns the received vector of strings; for testing only. This is an offline method. Can be called before authorization func (client *Client) TestCallVectorString(req *TestCallVectorStringRequest) (*TestVectorString, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "testCallVectorString", - }, - Data: map[string]interface{}{ - "x": req.X, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "testCallVectorString", + }, + Data: map[string]interface{}{ + "x": req.X, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalTestVectorString(result.Data) + return UnmarshalTestVectorString(result.Data) } -type TestCallVectorStringObjectRequest struct { - // Vector of objects to return - X []*TestString `json:"x"` +type TestCallVectorStringObjectRequest struct { + // Vector of objects to return + X []*TestString `json:"x"` } // Returns the received vector of objects containing a string; for testing only. This is an offline method. Can be called before authorization func (client *Client) TestCallVectorStringObject(req *TestCallVectorStringObjectRequest) (*TestVectorStringObject, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "testCallVectorStringObject", - }, - Data: map[string]interface{}{ - "x": req.X, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "testCallVectorStringObject", + }, + Data: map[string]interface{}{ + "x": req.X, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalTestVectorStringObject(result.Data) + return UnmarshalTestVectorStringObject(result.Data) } -type TestSquareIntRequest struct { - // Number to square - X int32 `json:"x"` +type TestSquareIntRequest struct { + // Number to square + X int32 `json:"x"` } // Returns the squared received number; for testing only. This is an offline method. Can be called before authorization func (client *Client) TestSquareInt(req *TestSquareIntRequest) (*TestInt, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "testSquareInt", - }, - Data: map[string]interface{}{ - "x": req.X, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "testSquareInt", + }, + Data: map[string]interface{}{ + "x": req.X, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalTestInt(result.Data) + return UnmarshalTestInt(result.Data) } // Sends a simple network request to the Telegram servers; for testing only. Can be called before authorization func (client *Client) TestNetwork() (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "testNetwork", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "testNetwork", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } -type TestProxyRequest struct { - // Proxy server IP address - Server string `json:"server"` - // Proxy server port - Port int32 `json:"port"` - // Proxy type - Type ProxyType `json:"type"` - // Identifier of a datacenter with which to test connection - DcId int32 `json:"dc_id"` - // The maximum overall timeout for the request - Timeout float64 `json:"timeout"` +type TestProxyRequest struct { + // The proxy to test + Proxy *Proxy `json:"proxy"` + // Identifier of a datacenter with which to test connection + DcId int32 `json:"dc_id"` + // The maximum overall timeout for the request + Timeout float64 `json:"timeout"` } // Sends a simple network request to the Telegram servers via proxy; for testing only. Can be called before authorization func (client *Client) TestProxy(req *TestProxyRequest) (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "testProxy", - }, - Data: map[string]interface{}{ - "server": req.Server, - "port": req.Port, - "type": req.Type, - "dc_id": req.DcId, - "timeout": req.Timeout, - }, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "testProxy", + }, + Data: map[string]interface{}{ + "proxy": req.Proxy, + "dc_id": req.DcId, + "timeout": req.Timeout, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } // Forces an updates.getDifference call to the Telegram servers; for testing only func (client *Client) TestGetDifference() (*Ok, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "testGetDifference", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "testGetDifference", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalOk(result.Data) + return UnmarshalOk(result.Data) } // Does nothing and ensures that the Update object is used; for testing only. This is an offline method. Can be called before authorization func (client *Client) TestUseUpdate() (Update, error) { - result, err := client.Send(Request{ - meta: meta{ - Type: "testUseUpdate", - }, - Data: map[string]interface{}{}, - }) - if err != nil { - return nil, err - } + result, err := client.Send(Request{ + meta: meta{ + Type: "testUseUpdate", + }, + Data: map[string]interface{}{}, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - switch result.Type { - case TypeUpdateAuthorizationState: - return UnmarshalUpdateAuthorizationState(result.Data) + switch result.Type { + case TypeUpdateAuthorizationState: + return UnmarshalUpdateAuthorizationState(result.Data) - case TypeUpdateNewMessage: - return UnmarshalUpdateNewMessage(result.Data) + case TypeUpdateNewMessage: + return UnmarshalUpdateNewMessage(result.Data) - case TypeUpdateMessageSendAcknowledged: - return UnmarshalUpdateMessageSendAcknowledged(result.Data) + case TypeUpdateMessageSendAcknowledged: + return UnmarshalUpdateMessageSendAcknowledged(result.Data) - case TypeUpdateMessageSendSucceeded: - return UnmarshalUpdateMessageSendSucceeded(result.Data) + case TypeUpdateMessageSendSucceeded: + return UnmarshalUpdateMessageSendSucceeded(result.Data) - case TypeUpdateMessageSendFailed: - return UnmarshalUpdateMessageSendFailed(result.Data) + case TypeUpdateMessageSendFailed: + return UnmarshalUpdateMessageSendFailed(result.Data) - case TypeUpdateMessageContent: - return UnmarshalUpdateMessageContent(result.Data) + case TypeUpdateMessageContent: + return UnmarshalUpdateMessageContent(result.Data) - case TypeUpdateMessageEdited: - return UnmarshalUpdateMessageEdited(result.Data) + case TypeUpdateMessageEdited: + return UnmarshalUpdateMessageEdited(result.Data) - case TypeUpdateMessageIsPinned: - return UnmarshalUpdateMessageIsPinned(result.Data) + case TypeUpdateMessageIsPinned: + return UnmarshalUpdateMessageIsPinned(result.Data) - case TypeUpdateMessageInteractionInfo: - return UnmarshalUpdateMessageInteractionInfo(result.Data) + case TypeUpdateMessageInteractionInfo: + return UnmarshalUpdateMessageInteractionInfo(result.Data) - case TypeUpdateMessageContentOpened: - return UnmarshalUpdateMessageContentOpened(result.Data) + case TypeUpdateMessageContentOpened: + return UnmarshalUpdateMessageContentOpened(result.Data) - case TypeUpdateMessageMentionRead: - return UnmarshalUpdateMessageMentionRead(result.Data) + case TypeUpdateMessageMentionRead: + return UnmarshalUpdateMessageMentionRead(result.Data) - case TypeUpdateMessageUnreadReactions: - return UnmarshalUpdateMessageUnreadReactions(result.Data) + case TypeUpdateMessageUnreadReactions: + return UnmarshalUpdateMessageUnreadReactions(result.Data) - case TypeUpdateMessageLiveLocationViewed: - return UnmarshalUpdateMessageLiveLocationViewed(result.Data) + case TypeUpdateMessageFactCheck: + return UnmarshalUpdateMessageFactCheck(result.Data) - case TypeUpdateNewChat: - return UnmarshalUpdateNewChat(result.Data) + case TypeUpdateMessageSuggestedPostInfo: + return UnmarshalUpdateMessageSuggestedPostInfo(result.Data) - case TypeUpdateChatTitle: - return UnmarshalUpdateChatTitle(result.Data) + case TypeUpdateMessageLiveLocationViewed: + return UnmarshalUpdateMessageLiveLocationViewed(result.Data) - case TypeUpdateChatPhoto: - return UnmarshalUpdateChatPhoto(result.Data) + case TypeUpdateVideoPublished: + return UnmarshalUpdateVideoPublished(result.Data) - case TypeUpdateChatPermissions: - return UnmarshalUpdateChatPermissions(result.Data) + case TypeUpdateNewChat: + return UnmarshalUpdateNewChat(result.Data) - case TypeUpdateChatLastMessage: - return UnmarshalUpdateChatLastMessage(result.Data) + case TypeUpdateChatTitle: + return UnmarshalUpdateChatTitle(result.Data) - case TypeUpdateChatPosition: - return UnmarshalUpdateChatPosition(result.Data) + case TypeUpdateChatPhoto: + return UnmarshalUpdateChatPhoto(result.Data) - case TypeUpdateChatReadInbox: - return UnmarshalUpdateChatReadInbox(result.Data) + case TypeUpdateChatAccentColors: + return UnmarshalUpdateChatAccentColors(result.Data) - case TypeUpdateChatReadOutbox: - return UnmarshalUpdateChatReadOutbox(result.Data) + case TypeUpdateChatPermissions: + return UnmarshalUpdateChatPermissions(result.Data) - case TypeUpdateChatActionBar: - return UnmarshalUpdateChatActionBar(result.Data) + case TypeUpdateChatLastMessage: + return UnmarshalUpdateChatLastMessage(result.Data) - case TypeUpdateChatAvailableReactions: - return UnmarshalUpdateChatAvailableReactions(result.Data) + case TypeUpdateChatPosition: + return UnmarshalUpdateChatPosition(result.Data) - case TypeUpdateChatDraftMessage: - return UnmarshalUpdateChatDraftMessage(result.Data) + case TypeUpdateChatAddedToList: + return UnmarshalUpdateChatAddedToList(result.Data) - case TypeUpdateChatMessageSender: - return UnmarshalUpdateChatMessageSender(result.Data) + case TypeUpdateChatRemovedFromList: + return UnmarshalUpdateChatRemovedFromList(result.Data) - case TypeUpdateChatMessageAutoDeleteTime: - return UnmarshalUpdateChatMessageAutoDeleteTime(result.Data) + case TypeUpdateChatReadInbox: + return UnmarshalUpdateChatReadInbox(result.Data) - case TypeUpdateChatNotificationSettings: - return UnmarshalUpdateChatNotificationSettings(result.Data) + case TypeUpdateChatReadOutbox: + return UnmarshalUpdateChatReadOutbox(result.Data) - case TypeUpdateChatPendingJoinRequests: - return UnmarshalUpdateChatPendingJoinRequests(result.Data) + case TypeUpdateChatActionBar: + return UnmarshalUpdateChatActionBar(result.Data) - case TypeUpdateChatReplyMarkup: - return UnmarshalUpdateChatReplyMarkup(result.Data) + case TypeUpdateChatBusinessBotManageBar: + return UnmarshalUpdateChatBusinessBotManageBar(result.Data) - case TypeUpdateChatTheme: - return UnmarshalUpdateChatTheme(result.Data) + case TypeUpdateChatAvailableReactions: + return UnmarshalUpdateChatAvailableReactions(result.Data) - case TypeUpdateChatUnreadMentionCount: - return UnmarshalUpdateChatUnreadMentionCount(result.Data) + case TypeUpdateChatDraftMessage: + return UnmarshalUpdateChatDraftMessage(result.Data) - case TypeUpdateChatUnreadReactionCount: - return UnmarshalUpdateChatUnreadReactionCount(result.Data) + case TypeUpdateChatEmojiStatus: + return UnmarshalUpdateChatEmojiStatus(result.Data) - case TypeUpdateChatVideoChat: - return UnmarshalUpdateChatVideoChat(result.Data) + case TypeUpdateChatMessageSender: + return UnmarshalUpdateChatMessageSender(result.Data) - case TypeUpdateChatDefaultDisableNotification: - return UnmarshalUpdateChatDefaultDisableNotification(result.Data) + case TypeUpdateChatMessageAutoDeleteTime: + return UnmarshalUpdateChatMessageAutoDeleteTime(result.Data) - case TypeUpdateChatHasProtectedContent: - return UnmarshalUpdateChatHasProtectedContent(result.Data) + case TypeUpdateChatNotificationSettings: + return UnmarshalUpdateChatNotificationSettings(result.Data) - case TypeUpdateChatIsTranslatable: - return UnmarshalUpdateChatIsTranslatable(result.Data) + case TypeUpdateChatPendingJoinRequests: + return UnmarshalUpdateChatPendingJoinRequests(result.Data) - case TypeUpdateChatIsMarkedAsUnread: - return UnmarshalUpdateChatIsMarkedAsUnread(result.Data) + case TypeUpdateChatReplyMarkup: + return UnmarshalUpdateChatReplyMarkup(result.Data) - case TypeUpdateChatIsBlocked: - return UnmarshalUpdateChatIsBlocked(result.Data) + case TypeUpdateChatBackground: + return UnmarshalUpdateChatBackground(result.Data) - case TypeUpdateChatHasScheduledMessages: - return UnmarshalUpdateChatHasScheduledMessages(result.Data) + case TypeUpdateChatTheme: + return UnmarshalUpdateChatTheme(result.Data) - case TypeUpdateChatFilters: - return UnmarshalUpdateChatFilters(result.Data) + case TypeUpdateChatUnreadMentionCount: + return UnmarshalUpdateChatUnreadMentionCount(result.Data) - case TypeUpdateChatOnlineMemberCount: - return UnmarshalUpdateChatOnlineMemberCount(result.Data) + case TypeUpdateChatUnreadReactionCount: + return UnmarshalUpdateChatUnreadReactionCount(result.Data) - case TypeUpdateForumTopicInfo: - return UnmarshalUpdateForumTopicInfo(result.Data) + case TypeUpdateChatVideoChat: + return UnmarshalUpdateChatVideoChat(result.Data) - case TypeUpdateScopeNotificationSettings: - return UnmarshalUpdateScopeNotificationSettings(result.Data) + case TypeUpdateChatDefaultDisableNotification: + return UnmarshalUpdateChatDefaultDisableNotification(result.Data) - case TypeUpdateNotification: - return UnmarshalUpdateNotification(result.Data) + case TypeUpdateChatHasProtectedContent: + return UnmarshalUpdateChatHasProtectedContent(result.Data) - case TypeUpdateNotificationGroup: - return UnmarshalUpdateNotificationGroup(result.Data) + case TypeUpdateChatIsTranslatable: + return UnmarshalUpdateChatIsTranslatable(result.Data) - case TypeUpdateActiveNotifications: - return UnmarshalUpdateActiveNotifications(result.Data) + case TypeUpdateChatIsMarkedAsUnread: + return UnmarshalUpdateChatIsMarkedAsUnread(result.Data) - case TypeUpdateHavePendingNotifications: - return UnmarshalUpdateHavePendingNotifications(result.Data) + case TypeUpdateChatViewAsTopics: + return UnmarshalUpdateChatViewAsTopics(result.Data) - case TypeUpdateDeleteMessages: - return UnmarshalUpdateDeleteMessages(result.Data) + case TypeUpdateChatBlockList: + return UnmarshalUpdateChatBlockList(result.Data) - case TypeUpdateChatAction: - return UnmarshalUpdateChatAction(result.Data) + case TypeUpdateChatHasScheduledMessages: + return UnmarshalUpdateChatHasScheduledMessages(result.Data) - case TypeUpdateUserStatus: - return UnmarshalUpdateUserStatus(result.Data) + case TypeUpdateChatFolders: + return UnmarshalUpdateChatFolders(result.Data) - case TypeUpdateUser: - return UnmarshalUpdateUser(result.Data) + case TypeUpdateChatOnlineMemberCount: + return UnmarshalUpdateChatOnlineMemberCount(result.Data) - case TypeUpdateBasicGroup: - return UnmarshalUpdateBasicGroup(result.Data) + case TypeUpdateSavedMessagesTopic: + return UnmarshalUpdateSavedMessagesTopic(result.Data) - case TypeUpdateSupergroup: - return UnmarshalUpdateSupergroup(result.Data) + case TypeUpdateSavedMessagesTopicCount: + return UnmarshalUpdateSavedMessagesTopicCount(result.Data) - case TypeUpdateSecretChat: - return UnmarshalUpdateSecretChat(result.Data) + case TypeUpdateDirectMessagesChatTopic: + return UnmarshalUpdateDirectMessagesChatTopic(result.Data) - case TypeUpdateUserFullInfo: - return UnmarshalUpdateUserFullInfo(result.Data) + case TypeUpdateTopicMessageCount: + return UnmarshalUpdateTopicMessageCount(result.Data) - case TypeUpdateBasicGroupFullInfo: - return UnmarshalUpdateBasicGroupFullInfo(result.Data) + case TypeUpdateQuickReplyShortcut: + return UnmarshalUpdateQuickReplyShortcut(result.Data) - case TypeUpdateSupergroupFullInfo: - return UnmarshalUpdateSupergroupFullInfo(result.Data) + case TypeUpdateQuickReplyShortcutDeleted: + return UnmarshalUpdateQuickReplyShortcutDeleted(result.Data) - case TypeUpdateServiceNotification: - return UnmarshalUpdateServiceNotification(result.Data) + case TypeUpdateQuickReplyShortcuts: + return UnmarshalUpdateQuickReplyShortcuts(result.Data) - case TypeUpdateFile: - return UnmarshalUpdateFile(result.Data) + case TypeUpdateQuickReplyShortcutMessages: + return UnmarshalUpdateQuickReplyShortcutMessages(result.Data) - case TypeUpdateFileGenerationStart: - return UnmarshalUpdateFileGenerationStart(result.Data) + case TypeUpdateForumTopicInfo: + return UnmarshalUpdateForumTopicInfo(result.Data) - case TypeUpdateFileGenerationStop: - return UnmarshalUpdateFileGenerationStop(result.Data) + case TypeUpdateForumTopic: + return UnmarshalUpdateForumTopic(result.Data) - case TypeUpdateFileDownloads: - return UnmarshalUpdateFileDownloads(result.Data) + case TypeUpdateScopeNotificationSettings: + return UnmarshalUpdateScopeNotificationSettings(result.Data) - case TypeUpdateFileAddedToDownloads: - return UnmarshalUpdateFileAddedToDownloads(result.Data) + case TypeUpdateReactionNotificationSettings: + return UnmarshalUpdateReactionNotificationSettings(result.Data) - case TypeUpdateFileDownload: - return UnmarshalUpdateFileDownload(result.Data) + case TypeUpdateNotification: + return UnmarshalUpdateNotification(result.Data) - case TypeUpdateFileRemovedFromDownloads: - return UnmarshalUpdateFileRemovedFromDownloads(result.Data) + case TypeUpdateNotificationGroup: + return UnmarshalUpdateNotificationGroup(result.Data) - case TypeUpdateCall: - return UnmarshalUpdateCall(result.Data) + case TypeUpdateActiveNotifications: + return UnmarshalUpdateActiveNotifications(result.Data) - case TypeUpdateGroupCall: - return UnmarshalUpdateGroupCall(result.Data) + case TypeUpdateHavePendingNotifications: + return UnmarshalUpdateHavePendingNotifications(result.Data) - case TypeUpdateGroupCallParticipant: - return UnmarshalUpdateGroupCallParticipant(result.Data) + case TypeUpdateDeleteMessages: + return UnmarshalUpdateDeleteMessages(result.Data) - case TypeUpdateNewCallSignalingData: - return UnmarshalUpdateNewCallSignalingData(result.Data) + case TypeUpdateChatAction: + return UnmarshalUpdateChatAction(result.Data) - case TypeUpdateUserPrivacySettingRules: - return UnmarshalUpdateUserPrivacySettingRules(result.Data) + case TypeUpdatePendingTextMessage: + return UnmarshalUpdatePendingTextMessage(result.Data) - case TypeUpdateUnreadMessageCount: - return UnmarshalUpdateUnreadMessageCount(result.Data) + case TypeUpdateUserStatus: + return UnmarshalUpdateUserStatus(result.Data) - case TypeUpdateUnreadChatCount: - return UnmarshalUpdateUnreadChatCount(result.Data) + case TypeUpdateUser: + return UnmarshalUpdateUser(result.Data) - case TypeUpdateOption: - return UnmarshalUpdateOption(result.Data) + case TypeUpdateBasicGroup: + return UnmarshalUpdateBasicGroup(result.Data) - case TypeUpdateStickerSet: - return UnmarshalUpdateStickerSet(result.Data) + case TypeUpdateSupergroup: + return UnmarshalUpdateSupergroup(result.Data) - case TypeUpdateInstalledStickerSets: - return UnmarshalUpdateInstalledStickerSets(result.Data) + case TypeUpdateSecretChat: + return UnmarshalUpdateSecretChat(result.Data) - case TypeUpdateTrendingStickerSets: - return UnmarshalUpdateTrendingStickerSets(result.Data) + case TypeUpdateUserFullInfo: + return UnmarshalUpdateUserFullInfo(result.Data) - case TypeUpdateRecentStickers: - return UnmarshalUpdateRecentStickers(result.Data) + case TypeUpdateBasicGroupFullInfo: + return UnmarshalUpdateBasicGroupFullInfo(result.Data) - case TypeUpdateFavoriteStickers: - return UnmarshalUpdateFavoriteStickers(result.Data) + case TypeUpdateSupergroupFullInfo: + return UnmarshalUpdateSupergroupFullInfo(result.Data) - case TypeUpdateSavedAnimations: - return UnmarshalUpdateSavedAnimations(result.Data) + case TypeUpdateServiceNotification: + return UnmarshalUpdateServiceNotification(result.Data) - case TypeUpdateSavedNotificationSounds: - return UnmarshalUpdateSavedNotificationSounds(result.Data) + case TypeUpdateFile: + return UnmarshalUpdateFile(result.Data) - case TypeUpdateSelectedBackground: - return UnmarshalUpdateSelectedBackground(result.Data) + case TypeUpdateFileGenerationStart: + return UnmarshalUpdateFileGenerationStart(result.Data) - case TypeUpdateChatThemes: - return UnmarshalUpdateChatThemes(result.Data) + case TypeUpdateFileGenerationStop: + return UnmarshalUpdateFileGenerationStop(result.Data) - case TypeUpdateLanguagePackStrings: - return UnmarshalUpdateLanguagePackStrings(result.Data) + case TypeUpdateFileDownloads: + return UnmarshalUpdateFileDownloads(result.Data) - case TypeUpdateConnectionState: - return UnmarshalUpdateConnectionState(result.Data) + case TypeUpdateFileAddedToDownloads: + return UnmarshalUpdateFileAddedToDownloads(result.Data) - case TypeUpdateTermsOfService: - return UnmarshalUpdateTermsOfService(result.Data) + case TypeUpdateFileDownload: + return UnmarshalUpdateFileDownload(result.Data) - case TypeUpdateUsersNearby: - return UnmarshalUpdateUsersNearby(result.Data) + case TypeUpdateFileRemovedFromDownloads: + return UnmarshalUpdateFileRemovedFromDownloads(result.Data) - case TypeUpdateAttachmentMenuBots: - return UnmarshalUpdateAttachmentMenuBots(result.Data) + case TypeUpdateApplicationVerificationRequired: + return UnmarshalUpdateApplicationVerificationRequired(result.Data) - case TypeUpdateWebAppMessageSent: - return UnmarshalUpdateWebAppMessageSent(result.Data) + case TypeUpdateApplicationRecaptchaVerificationRequired: + return UnmarshalUpdateApplicationRecaptchaVerificationRequired(result.Data) - case TypeUpdateActiveEmojiReactions: - return UnmarshalUpdateActiveEmojiReactions(result.Data) + case TypeUpdateCall: + return UnmarshalUpdateCall(result.Data) - case TypeUpdateDefaultReactionType: - return UnmarshalUpdateDefaultReactionType(result.Data) + case TypeUpdateGroupCall: + return UnmarshalUpdateGroupCall(result.Data) - case TypeUpdateDiceEmojis: - return UnmarshalUpdateDiceEmojis(result.Data) + case TypeUpdateGroupCallParticipant: + return UnmarshalUpdateGroupCallParticipant(result.Data) - case TypeUpdateAnimatedEmojiMessageClicked: - return UnmarshalUpdateAnimatedEmojiMessageClicked(result.Data) + case TypeUpdateGroupCallParticipants: + return UnmarshalUpdateGroupCallParticipants(result.Data) - case TypeUpdateAnimationSearchParameters: - return UnmarshalUpdateAnimationSearchParameters(result.Data) + case TypeUpdateGroupCallVerificationState: + return UnmarshalUpdateGroupCallVerificationState(result.Data) - case TypeUpdateSuggestedActions: - return UnmarshalUpdateSuggestedActions(result.Data) + case TypeUpdateNewGroupCallMessage: + return UnmarshalUpdateNewGroupCallMessage(result.Data) - case TypeUpdateAddChatMembersPrivacyForbidden: - return UnmarshalUpdateAddChatMembersPrivacyForbidden(result.Data) + case TypeUpdateNewGroupCallPaidReaction: + return UnmarshalUpdateNewGroupCallPaidReaction(result.Data) - case TypeUpdateAutosaveSettings: - return UnmarshalUpdateAutosaveSettings(result.Data) + case TypeUpdateGroupCallMessageSendFailed: + return UnmarshalUpdateGroupCallMessageSendFailed(result.Data) - case TypeUpdateNewInlineQuery: - return UnmarshalUpdateNewInlineQuery(result.Data) + case TypeUpdateGroupCallMessagesDeleted: + return UnmarshalUpdateGroupCallMessagesDeleted(result.Data) - case TypeUpdateNewChosenInlineResult: - return UnmarshalUpdateNewChosenInlineResult(result.Data) + case TypeUpdateLiveStoryTopDonors: + return UnmarshalUpdateLiveStoryTopDonors(result.Data) - case TypeUpdateNewCallbackQuery: - return UnmarshalUpdateNewCallbackQuery(result.Data) + case TypeUpdateNewCallSignalingData: + return UnmarshalUpdateNewCallSignalingData(result.Data) - case TypeUpdateNewInlineCallbackQuery: - return UnmarshalUpdateNewInlineCallbackQuery(result.Data) + case TypeUpdateGiftAuctionState: + return UnmarshalUpdateGiftAuctionState(result.Data) - case TypeUpdateNewShippingQuery: - return UnmarshalUpdateNewShippingQuery(result.Data) + case TypeUpdateActiveGiftAuctions: + return UnmarshalUpdateActiveGiftAuctions(result.Data) - case TypeUpdateNewPreCheckoutQuery: - return UnmarshalUpdateNewPreCheckoutQuery(result.Data) + case TypeUpdateUserPrivacySettingRules: + return UnmarshalUpdateUserPrivacySettingRules(result.Data) - case TypeUpdateNewCustomEvent: - return UnmarshalUpdateNewCustomEvent(result.Data) + case TypeUpdateUnreadMessageCount: + return UnmarshalUpdateUnreadMessageCount(result.Data) - case TypeUpdateNewCustomQuery: - return UnmarshalUpdateNewCustomQuery(result.Data) + case TypeUpdateUnreadChatCount: + return UnmarshalUpdateUnreadChatCount(result.Data) - case TypeUpdatePoll: - return UnmarshalUpdatePoll(result.Data) + case TypeUpdateStory: + return UnmarshalUpdateStory(result.Data) - case TypeUpdatePollAnswer: - return UnmarshalUpdatePollAnswer(result.Data) + case TypeUpdateStoryDeleted: + return UnmarshalUpdateStoryDeleted(result.Data) - case TypeUpdateChatMember: - return UnmarshalUpdateChatMember(result.Data) + case TypeUpdateStoryPostSucceeded: + return UnmarshalUpdateStoryPostSucceeded(result.Data) - case TypeUpdateNewChatJoinRequest: - return UnmarshalUpdateNewChatJoinRequest(result.Data) + case TypeUpdateStoryPostFailed: + return UnmarshalUpdateStoryPostFailed(result.Data) - default: - return nil, errors.New("invalid type") - } + case TypeUpdateChatActiveStories: + return UnmarshalUpdateChatActiveStories(result.Data) + + case TypeUpdateStoryListChatCount: + return UnmarshalUpdateStoryListChatCount(result.Data) + + case TypeUpdateStoryStealthMode: + return UnmarshalUpdateStoryStealthMode(result.Data) + + case TypeUpdateTrustedMiniAppBots: + return UnmarshalUpdateTrustedMiniAppBots(result.Data) + + case TypeUpdateOption: + return UnmarshalUpdateOption(result.Data) + + case TypeUpdateStickerSet: + return UnmarshalUpdateStickerSet(result.Data) + + case TypeUpdateInstalledStickerSets: + return UnmarshalUpdateInstalledStickerSets(result.Data) + + case TypeUpdateTrendingStickerSets: + return UnmarshalUpdateTrendingStickerSets(result.Data) + + case TypeUpdateRecentStickers: + return UnmarshalUpdateRecentStickers(result.Data) + + case TypeUpdateFavoriteStickers: + return UnmarshalUpdateFavoriteStickers(result.Data) + + case TypeUpdateSavedAnimations: + return UnmarshalUpdateSavedAnimations(result.Data) + + case TypeUpdateSavedNotificationSounds: + return UnmarshalUpdateSavedNotificationSounds(result.Data) + + case TypeUpdateDefaultBackground: + return UnmarshalUpdateDefaultBackground(result.Data) + + case TypeUpdateEmojiChatThemes: + return UnmarshalUpdateEmojiChatThemes(result.Data) + + case TypeUpdateAccentColors: + return UnmarshalUpdateAccentColors(result.Data) + + case TypeUpdateProfileAccentColors: + return UnmarshalUpdateProfileAccentColors(result.Data) + + case TypeUpdateLanguagePackStrings: + return UnmarshalUpdateLanguagePackStrings(result.Data) + + case TypeUpdateConnectionState: + return UnmarshalUpdateConnectionState(result.Data) + + case TypeUpdateFreezeState: + return UnmarshalUpdateFreezeState(result.Data) + + case TypeUpdateAgeVerificationParameters: + return UnmarshalUpdateAgeVerificationParameters(result.Data) + + case TypeUpdateTermsOfService: + return UnmarshalUpdateTermsOfService(result.Data) + + case TypeUpdateUnconfirmedSession: + return UnmarshalUpdateUnconfirmedSession(result.Data) + + case TypeUpdateAttachmentMenuBots: + return UnmarshalUpdateAttachmentMenuBots(result.Data) + + case TypeUpdateWebAppMessageSent: + return UnmarshalUpdateWebAppMessageSent(result.Data) + + case TypeUpdateActiveEmojiReactions: + return UnmarshalUpdateActiveEmojiReactions(result.Data) + + case TypeUpdateAvailableMessageEffects: + return UnmarshalUpdateAvailableMessageEffects(result.Data) + + case TypeUpdateDefaultReactionType: + return UnmarshalUpdateDefaultReactionType(result.Data) + + case TypeUpdateDefaultPaidReactionType: + return UnmarshalUpdateDefaultPaidReactionType(result.Data) + + case TypeUpdateSavedMessagesTags: + return UnmarshalUpdateSavedMessagesTags(result.Data) + + case TypeUpdateActiveLiveLocationMessages: + return UnmarshalUpdateActiveLiveLocationMessages(result.Data) + + case TypeUpdateOwnedStarCount: + return UnmarshalUpdateOwnedStarCount(result.Data) + + case TypeUpdateOwnedTonCount: + return UnmarshalUpdateOwnedTonCount(result.Data) + + case TypeUpdateChatRevenueAmount: + return UnmarshalUpdateChatRevenueAmount(result.Data) + + case TypeUpdateStarRevenueStatus: + return UnmarshalUpdateStarRevenueStatus(result.Data) + + case TypeUpdateTonRevenueStatus: + return UnmarshalUpdateTonRevenueStatus(result.Data) + + case TypeUpdateSpeechRecognitionTrial: + return UnmarshalUpdateSpeechRecognitionTrial(result.Data) + + case TypeUpdateGroupCallMessageLevels: + return UnmarshalUpdateGroupCallMessageLevels(result.Data) + + case TypeUpdateDiceEmojis: + return UnmarshalUpdateDiceEmojis(result.Data) + + case TypeUpdateStakeDiceState: + return UnmarshalUpdateStakeDiceState(result.Data) + + case TypeUpdateAnimatedEmojiMessageClicked: + return UnmarshalUpdateAnimatedEmojiMessageClicked(result.Data) + + case TypeUpdateAnimationSearchParameters: + return UnmarshalUpdateAnimationSearchParameters(result.Data) + + case TypeUpdateSuggestedActions: + return UnmarshalUpdateSuggestedActions(result.Data) + + case TypeUpdateSpeedLimitNotification: + return UnmarshalUpdateSpeedLimitNotification(result.Data) + + case TypeUpdateContactCloseBirthdays: + return UnmarshalUpdateContactCloseBirthdays(result.Data) + + case TypeUpdateAutosaveSettings: + return UnmarshalUpdateAutosaveSettings(result.Data) + + case TypeUpdateBusinessConnection: + return UnmarshalUpdateBusinessConnection(result.Data) + + case TypeUpdateNewBusinessMessage: + return UnmarshalUpdateNewBusinessMessage(result.Data) + + case TypeUpdateBusinessMessageEdited: + return UnmarshalUpdateBusinessMessageEdited(result.Data) + + case TypeUpdateBusinessMessagesDeleted: + return UnmarshalUpdateBusinessMessagesDeleted(result.Data) + + case TypeUpdateNewInlineQuery: + return UnmarshalUpdateNewInlineQuery(result.Data) + + case TypeUpdateNewChosenInlineResult: + return UnmarshalUpdateNewChosenInlineResult(result.Data) + + case TypeUpdateNewCallbackQuery: + return UnmarshalUpdateNewCallbackQuery(result.Data) + + case TypeUpdateNewInlineCallbackQuery: + return UnmarshalUpdateNewInlineCallbackQuery(result.Data) + + case TypeUpdateNewBusinessCallbackQuery: + return UnmarshalUpdateNewBusinessCallbackQuery(result.Data) + + case TypeUpdateNewShippingQuery: + return UnmarshalUpdateNewShippingQuery(result.Data) + + case TypeUpdateNewPreCheckoutQuery: + return UnmarshalUpdateNewPreCheckoutQuery(result.Data) + + case TypeUpdateNewCustomEvent: + return UnmarshalUpdateNewCustomEvent(result.Data) + + case TypeUpdateNewCustomQuery: + return UnmarshalUpdateNewCustomQuery(result.Data) + + case TypeUpdatePoll: + return UnmarshalUpdatePoll(result.Data) + + case TypeUpdatePollAnswer: + return UnmarshalUpdatePollAnswer(result.Data) + + case TypeUpdateChatMember: + return UnmarshalUpdateChatMember(result.Data) + + case TypeUpdateNewChatJoinRequest: + return UnmarshalUpdateNewChatJoinRequest(result.Data) + + case TypeUpdateChatBoost: + return UnmarshalUpdateChatBoost(result.Data) + + case TypeUpdateMessageReaction: + return UnmarshalUpdateMessageReaction(result.Data) + + case TypeUpdateMessageReactions: + return UnmarshalUpdateMessageReactions(result.Data) + + case TypeUpdatePaidMediaPurchased: + return UnmarshalUpdatePaidMediaPurchased(result.Data) + + default: + return nil, errors.New("invalid type") + } } -type TestReturnErrorRequest struct { - // The error to be returned - Error *Error `json:"error"` +type TestReturnErrorRequest struct { + // The error to be returned + Error *Error `json:"error"` } // Returns the specified error and ensures that the Error object is used; for testing only. Can be called synchronously func TestReturnError(req *TestReturnErrorRequest) (*Error, error) { - result, err := Execute(Request{ - meta: meta{ - Type: "testReturnError", - }, - Data: map[string]interface{}{ - "error": req.Error, - }, - }) - if err != nil { - return nil, err - } + result, err := Execute(Request{ + meta: meta{ + Type: "testReturnError", + }, + Data: map[string]interface{}{ + "error": req.Error, + }, + }) + if err != nil { + return nil, err + } - if result.Type == "error" { - return nil, buildResponseError(result.Data) - } + if result.Type == "error" { + return nil, buildResponseError(result.Data) + } - return UnmarshalError(result.Data) + return UnmarshalError(result.Data) } // deprecated // Returns the specified error and ensures that the Error object is used; for testing only. Can be called synchronously func (client *Client) TestReturnError(req *TestReturnErrorRequest) (*Error, error) { - return TestReturnError(req) -} + return TestReturnError(req)} diff --git a/client/tdlib.go b/client/tdlib.go index 9e4fd63..dc943a0 100644 --- a/client/tdlib.go +++ b/client/tdlib.go @@ -1,10 +1,12 @@ package client //#cgo linux CFLAGS: -I/usr/local/include +//#cgo freebsd CFLAGS: -I/usr/local/include //#cgo darwin CFLAGS: -I/usr/local/include //#cgo windows CFLAGS: -IE:/src/tdlib -IE:/src/tdlib/build -//#cgo linux LDFLAGS: -L/usr/local/lib -ltdjson_static -ltdjson_private -ltdclient -ltdcore -ltdapi -ltdactor -ltddb -ltdsqlite -ltdnet -ltdutils -lstdc++ -lssl -lcrypto -ldl -lz -lm -//#cgo darwin LDFLAGS: -L/usr/local/lib -L/usr/local/opt/openssl/lib -ltdjson_static -ltdjson_private -ltdclient -ltdcore -ltdapi -ltdactor -ltddb -ltdsqlite -ltdnet -ltdutils -lstdc++ -lssl -lcrypto -ldl -lz -lm +//#cgo linux LDFLAGS: -L/usr/local/lib -ltdjson_static -ltdjson_private -ltdclient -ltdcore -ltdapi -ltdactor -ltddb -ltde2e -ltdsqlite -ltdmtproto -ltdnet -ltdutils -lstdc++ -lssl -lcrypto -ldl -lz -lm +//#cgo freebsd LDFLAGS: -L/usr/local/lib -ltdjson_static -ltdjson_private -ltdclient -ltdcore -ltdapi -ltdactor -ltddb -ltde2e -ltdsqlite -ltdmtproto -ltdnet -ltdutils -lstdc++ -lssl -lcrypto -ldl -lz -lm +//#cgo darwin LDFLAGS: -L/usr/local/lib -L/usr/local/opt/openssl/lib -ltdjson_static -ltdjson_private -ltdclient -ltdcore -ltdapi -ltdactor -ltddb -ltde2e -ltdsqlite -ltdmtproto -ltdnet -ltdutils -lstdc++ -lssl -lcrypto -ldl -lz -lm //#cgo windows LDFLAGS: -LE:/src/tdlib/build/Release -ltdjson //#include //#include diff --git a/client/type.go b/client/type.go index ac34a26..feb0c58 100755 --- a/client/type.go +++ b/client/type.go @@ -3,40006 +3,68318 @@ package client import ( - "encoding/json" + "encoding/json" ) const ( - ClassAuthenticationCodeType = "AuthenticationCodeType" - ClassEmailAddressAuthentication = "EmailAddressAuthentication" - ClassAuthorizationState = "AuthorizationState" - ClassInputFile = "InputFile" - ClassThumbnailFormat = "ThumbnailFormat" - ClassMaskPoint = "MaskPoint" - ClassStickerFormat = "StickerFormat" - ClassStickerType = "StickerType" - ClassStickerFullType = "StickerFullType" - ClassPollType = "PollType" - ClassUserType = "UserType" - ClassChatPhotoStickerType = "ChatPhotoStickerType" - ClassInputChatPhoto = "InputChatPhoto" - ClassChatMemberStatus = "ChatMemberStatus" - ClassChatMembersFilter = "ChatMembersFilter" - ClassSupergroupMembersFilter = "SupergroupMembersFilter" - ClassSecretChatState = "SecretChatState" - ClassMessageSender = "MessageSender" - ClassMessageForwardOrigin = "MessageForwardOrigin" - ClassReactionType = "ReactionType" - ClassMessageSendingState = "MessageSendingState" - ClassMessageSource = "MessageSource" - ClassNotificationSettingsScope = "NotificationSettingsScope" - ClassChatType = "ChatType" - ClassChatList = "ChatList" - ClassChatSource = "ChatSource" - ClassChatAvailableReactions = "ChatAvailableReactions" - ClassPublicChatType = "PublicChatType" - ClassChatActionBar = "ChatActionBar" - ClassKeyboardButtonType = "KeyboardButtonType" - ClassInlineKeyboardButtonType = "InlineKeyboardButtonType" - ClassReplyMarkup = "ReplyMarkup" - ClassLoginUrlInfo = "LoginUrlInfo" - ClassRichText = "RichText" - ClassPageBlockHorizontalAlignment = "PageBlockHorizontalAlignment" - ClassPageBlockVerticalAlignment = "PageBlockVerticalAlignment" - ClassPageBlock = "PageBlock" - ClassInputCredentials = "InputCredentials" - ClassPaymentProvider = "PaymentProvider" - ClassInputInvoice = "InputInvoice" - ClassMessageExtendedMedia = "MessageExtendedMedia" - ClassPassportElementType = "PassportElementType" - ClassPassportElement = "PassportElement" - ClassInputPassportElement = "InputPassportElement" - ClassPassportElementErrorSource = "PassportElementErrorSource" - ClassInputPassportElementErrorSource = "InputPassportElementErrorSource" - ClassMessageContent = "MessageContent" - ClassTextEntityType = "TextEntityType" - ClassMessageSchedulingState = "MessageSchedulingState" - ClassInputMessageContent = "InputMessageContent" - ClassSearchMessagesFilter = "SearchMessagesFilter" - ClassChatAction = "ChatAction" - ClassUserStatus = "UserStatus" - ClassEmojiCategoryType = "EmojiCategoryType" - ClassCallDiscardReason = "CallDiscardReason" - ClassCallServerType = "CallServerType" - ClassCallState = "CallState" - ClassGroupCallVideoQuality = "GroupCallVideoQuality" - ClassCallProblem = "CallProblem" - ClassFirebaseAuthenticationSettings = "FirebaseAuthenticationSettings" - ClassDiceStickers = "DiceStickers" - ClassSpeechRecognitionResult = "SpeechRecognitionResult" - ClassInputInlineQueryResult = "InputInlineQueryResult" - ClassInlineQueryResult = "InlineQueryResult" - ClassInlineQueryResultsButtonType = "InlineQueryResultsButtonType" - ClassCallbackQueryPayload = "CallbackQueryPayload" - ClassChatEventAction = "ChatEventAction" - ClassLanguagePackStringValue = "LanguagePackStringValue" - ClassPremiumLimitType = "PremiumLimitType" - ClassPremiumFeature = "PremiumFeature" - ClassPremiumSource = "PremiumSource" - ClassStorePaymentPurpose = "StorePaymentPurpose" - ClassDeviceToken = "DeviceToken" - ClassBackgroundFill = "BackgroundFill" - ClassBackgroundType = "BackgroundType" - ClassInputBackground = "InputBackground" - ClassCanTransferOwnershipResult = "CanTransferOwnershipResult" - ClassCheckChatUsernameResult = "CheckChatUsernameResult" - ClassCheckStickerSetNameResult = "CheckStickerSetNameResult" - ClassResetPasswordResult = "ResetPasswordResult" - ClassMessageFileType = "MessageFileType" - ClassPushMessageContent = "PushMessageContent" - ClassNotificationType = "NotificationType" - ClassNotificationGroupType = "NotificationGroupType" - ClassOptionValue = "OptionValue" - ClassJsonValue = "JsonValue" - ClassUserPrivacySettingRule = "UserPrivacySettingRule" - ClassUserPrivacySetting = "UserPrivacySetting" - ClassSessionType = "SessionType" - ClassChatReportReason = "ChatReportReason" - ClassTargetChat = "TargetChat" - ClassInternalLinkType = "InternalLinkType" - ClassFileType = "FileType" - ClassNetworkType = "NetworkType" - ClassNetworkStatisticsEntry = "NetworkStatisticsEntry" - ClassAutosaveSettingsScope = "AutosaveSettingsScope" - ClassConnectionState = "ConnectionState" - ClassTopChatCategory = "TopChatCategory" - ClassTMeUrlType = "TMeUrlType" - ClassSuggestedAction = "SuggestedAction" - ClassTextParseMode = "TextParseMode" - ClassProxyType = "ProxyType" - ClassStatisticalGraph = "StatisticalGraph" - ClassChatStatistics = "ChatStatistics" - ClassVectorPathCommand = "VectorPathCommand" - ClassBotCommandScope = "BotCommandScope" - ClassUpdate = "Update" - ClassLogStream = "LogStream" - ClassError = "Error" - ClassOk = "Ok" - ClassAuthenticationCodeInfo = "AuthenticationCodeInfo" - ClassEmailAddressAuthenticationCodeInfo = "EmailAddressAuthenticationCodeInfo" - ClassTextEntity = "TextEntity" - ClassTextEntities = "TextEntities" - ClassFormattedText = "FormattedText" - ClassTermsOfService = "TermsOfService" - ClassPasswordState = "PasswordState" - ClassRecoveryEmailAddress = "RecoveryEmailAddress" - ClassTemporaryPasswordState = "TemporaryPasswordState" - ClassLocalFile = "LocalFile" - ClassRemoteFile = "RemoteFile" - ClassFile = "File" - ClassPhotoSize = "PhotoSize" - ClassMinithumbnail = "Minithumbnail" - ClassThumbnail = "Thumbnail" - ClassMaskPosition = "MaskPosition" - ClassClosedVectorPath = "ClosedVectorPath" - ClassPollOption = "PollOption" - ClassAnimation = "Animation" - ClassAudio = "Audio" - ClassDocument = "Document" - ClassPhoto = "Photo" - ClassSticker = "Sticker" - ClassVideo = "Video" - ClassVideoNote = "VideoNote" - ClassVoiceNote = "VoiceNote" - ClassAnimatedEmoji = "AnimatedEmoji" - ClassContact = "Contact" - ClassLocation = "Location" - ClassVenue = "Venue" - ClassGame = "Game" - ClassWebApp = "WebApp" - ClassPoll = "Poll" - ClassProfilePhoto = "ProfilePhoto" - ClassChatPhotoInfo = "ChatPhotoInfo" - ClassBotCommand = "BotCommand" - ClassBotCommands = "BotCommands" - ClassBotMenuButton = "BotMenuButton" - ClassChatLocation = "ChatLocation" - ClassChatPhotoSticker = "ChatPhotoSticker" - ClassAnimatedChatPhoto = "AnimatedChatPhoto" - ClassChatPhoto = "ChatPhoto" - ClassChatPhotos = "ChatPhotos" - ClassChatPermissions = "ChatPermissions" - ClassChatAdministratorRights = "ChatAdministratorRights" - ClassPremiumPaymentOption = "PremiumPaymentOption" - ClassPremiumStatePaymentOption = "PremiumStatePaymentOption" - ClassEmojiStatus = "EmojiStatus" - ClassEmojiStatuses = "EmojiStatuses" - ClassUsernames = "Usernames" - ClassUser = "User" - ClassBotInfo = "BotInfo" - ClassUserFullInfo = "UserFullInfo" - ClassUsers = "Users" - ClassChatAdministrator = "ChatAdministrator" - ClassChatAdministrators = "ChatAdministrators" - ClassChatMember = "ChatMember" - ClassChatMembers = "ChatMembers" - ClassChatInviteLink = "ChatInviteLink" - ClassChatInviteLinks = "ChatInviteLinks" - ClassChatInviteLinkCount = "ChatInviteLinkCount" - ClassChatInviteLinkCounts = "ChatInviteLinkCounts" - ClassChatInviteLinkMember = "ChatInviteLinkMember" - ClassChatInviteLinkMembers = "ChatInviteLinkMembers" - ClassChatInviteLinkInfo = "ChatInviteLinkInfo" - ClassChatJoinRequest = "ChatJoinRequest" - ClassChatJoinRequests = "ChatJoinRequests" - ClassChatJoinRequestsInfo = "ChatJoinRequestsInfo" - ClassBasicGroup = "BasicGroup" - ClassBasicGroupFullInfo = "BasicGroupFullInfo" - ClassSupergroup = "Supergroup" - ClassSupergroupFullInfo = "SupergroupFullInfo" - ClassSecretChat = "SecretChat" - ClassMessageSenders = "MessageSenders" - ClassChatMessageSender = "ChatMessageSender" - ClassChatMessageSenders = "ChatMessageSenders" - ClassMessageViewer = "MessageViewer" - ClassMessageViewers = "MessageViewers" - ClassMessageForwardInfo = "MessageForwardInfo" - ClassMessageReplyInfo = "MessageReplyInfo" - ClassMessageReaction = "MessageReaction" - ClassMessageInteractionInfo = "MessageInteractionInfo" - ClassUnreadReaction = "UnreadReaction" - ClassMessage = "Message" - ClassMessages = "Messages" - ClassFoundMessages = "FoundMessages" - ClassFoundChatMessages = "FoundChatMessages" - ClassMessagePosition = "MessagePosition" - ClassMessagePositions = "MessagePositions" - ClassMessageCalendarDay = "MessageCalendarDay" - ClassMessageCalendar = "MessageCalendar" - ClassSponsoredMessage = "SponsoredMessage" - ClassSponsoredMessages = "SponsoredMessages" - ClassFileDownload = "FileDownload" - ClassDownloadedFileCounts = "DownloadedFileCounts" - ClassFoundFileDownloads = "FoundFileDownloads" - ClassChatNotificationSettings = "ChatNotificationSettings" - ClassScopeNotificationSettings = "ScopeNotificationSettings" - ClassDraftMessage = "DraftMessage" - ClassChatFilter = "ChatFilter" - ClassChatFilterInfo = "ChatFilterInfo" - ClassRecommendedChatFilter = "RecommendedChatFilter" - ClassRecommendedChatFilters = "RecommendedChatFilters" - ClassChatLists = "ChatLists" - ClassChatPosition = "ChatPosition" - ClassVideoChat = "VideoChat" - ClassChat = "Chat" - ClassChats = "Chats" - ClassChatNearby = "ChatNearby" - ClassChatsNearby = "ChatsNearby" - ClassKeyboardButton = "KeyboardButton" - ClassInlineKeyboardButton = "InlineKeyboardButton" - ClassFoundWebApp = "FoundWebApp" - ClassWebAppInfo = "WebAppInfo" - ClassMessageThreadInfo = "MessageThreadInfo" - ClassForumTopicIcon = "ForumTopicIcon" - ClassForumTopicInfo = "ForumTopicInfo" - ClassForumTopic = "ForumTopic" - ClassForumTopics = "ForumTopics" - ClassPageBlockCaption = "PageBlockCaption" - ClassPageBlockListItem = "PageBlockListItem" - ClassPageBlockTableCell = "PageBlockTableCell" - ClassPageBlockRelatedArticle = "PageBlockRelatedArticle" - ClassWebPageInstantView = "WebPageInstantView" - ClassWebPage = "WebPage" - ClassCountryInfo = "CountryInfo" - ClassCountries = "Countries" - ClassPhoneNumberInfo = "PhoneNumberInfo" - ClassBankCardActionOpenUrl = "BankCardActionOpenUrl" - ClassBankCardInfo = "BankCardInfo" - ClassAddress = "Address" - ClassThemeParameters = "ThemeParameters" - ClassLabeledPricePart = "LabeledPricePart" - ClassInvoice = "Invoice" - ClassOrderInfo = "OrderInfo" - ClassShippingOption = "ShippingOption" - ClassSavedCredentials = "SavedCredentials" - ClassPaymentOption = "PaymentOption" - ClassPaymentForm = "PaymentForm" - ClassValidatedOrderInfo = "ValidatedOrderInfo" - ClassPaymentResult = "PaymentResult" - ClassPaymentReceipt = "PaymentReceipt" - ClassDatedFile = "DatedFile" - ClassDate = "Date" - ClassPersonalDetails = "PersonalDetails" - ClassIdentityDocument = "IdentityDocument" - ClassInputIdentityDocument = "InputIdentityDocument" - ClassPersonalDocument = "PersonalDocument" - ClassInputPersonalDocument = "InputPersonalDocument" - ClassPassportElements = "PassportElements" - ClassPassportElementError = "PassportElementError" - ClassPassportSuitableElement = "PassportSuitableElement" - ClassPassportRequiredElement = "PassportRequiredElement" - ClassPassportAuthorizationForm = "PassportAuthorizationForm" - ClassPassportElementsWithErrors = "PassportElementsWithErrors" - ClassEncryptedCredentials = "EncryptedCredentials" - ClassEncryptedPassportElement = "EncryptedPassportElement" - ClassInputPassportElementError = "InputPassportElementError" - ClassInputThumbnail = "InputThumbnail" - ClassMessageSendOptions = "MessageSendOptions" - ClassMessageCopyOptions = "MessageCopyOptions" - ClassStickers = "Stickers" - ClassEmojis = "Emojis" - ClassStickerSet = "StickerSet" - ClassStickerSetInfo = "StickerSetInfo" - ClassStickerSets = "StickerSets" - ClassTrendingStickerSets = "TrendingStickerSets" - ClassEmojiCategory = "EmojiCategory" - ClassEmojiCategories = "EmojiCategories" - ClassCallProtocol = "CallProtocol" - ClassCallServer = "CallServer" - ClassCallId = "CallId" - ClassGroupCallId = "GroupCallId" - ClassGroupCallStream = "GroupCallStream" - ClassGroupCallStreams = "GroupCallStreams" - ClassRtmpUrl = "RtmpUrl" - ClassGroupCallRecentSpeaker = "GroupCallRecentSpeaker" - ClassGroupCall = "GroupCall" - ClassGroupCallVideoSourceGroup = "GroupCallVideoSourceGroup" - ClassGroupCallParticipantVideoInfo = "GroupCallParticipantVideoInfo" - ClassGroupCallParticipant = "GroupCallParticipant" - ClassCall = "Call" - ClassPhoneNumberAuthenticationSettings = "PhoneNumberAuthenticationSettings" - ClassAddedReaction = "AddedReaction" - ClassAddedReactions = "AddedReactions" - ClassAvailableReaction = "AvailableReaction" - ClassAvailableReactions = "AvailableReactions" - ClassEmojiReaction = "EmojiReaction" - ClassAnimations = "Animations" - ClassImportedContacts = "ImportedContacts" - ClassAttachmentMenuBotColor = "AttachmentMenuBotColor" - ClassAttachmentMenuBot = "AttachmentMenuBot" - ClassSentWebAppMessage = "SentWebAppMessage" - ClassHttpUrl = "HttpUrl" - ClassUserLink = "UserLink" - ClassInlineQueryResultsButton = "InlineQueryResultsButton" - ClassInlineQueryResults = "InlineQueryResults" - ClassCallbackQueryAnswer = "CallbackQueryAnswer" - ClassCustomRequestResult = "CustomRequestResult" - ClassGameHighScore = "GameHighScore" - ClassGameHighScores = "GameHighScores" - ClassChatEvent = "ChatEvent" - ClassChatEvents = "ChatEvents" - ClassChatEventLogFilters = "ChatEventLogFilters" - ClassLanguagePackString = "LanguagePackString" - ClassLanguagePackStrings = "LanguagePackStrings" - ClassLanguagePackInfo = "LanguagePackInfo" - ClassLocalizationTargetInfo = "LocalizationTargetInfo" - ClassPremiumLimit = "PremiumLimit" - ClassPremiumFeatures = "PremiumFeatures" - ClassPremiumFeaturePromotionAnimation = "PremiumFeaturePromotionAnimation" - ClassPremiumState = "PremiumState" - ClassPushReceiverId = "PushReceiverId" - ClassBackground = "Background" - ClassBackgrounds = "Backgrounds" - ClassThemeSettings = "ThemeSettings" - ClassChatTheme = "ChatTheme" - ClassHashtags = "Hashtags" - ClassNotificationSound = "NotificationSound" - ClassNotificationSounds = "NotificationSounds" - ClassNotification = "Notification" - ClassNotificationGroup = "NotificationGroup" - ClassJsonObjectMember = "JsonObjectMember" - ClassUserPrivacySettingRules = "UserPrivacySettingRules" - ClassAccountTtl = "AccountTtl" - ClassMessageAutoDeleteTime = "MessageAutoDeleteTime" - ClassSession = "Session" - ClassSessions = "Sessions" - ClassConnectedWebsite = "ConnectedWebsite" - ClassConnectedWebsites = "ConnectedWebsites" - ClassMessageLink = "MessageLink" - ClassMessageLinkInfo = "MessageLinkInfo" - ClassFilePart = "FilePart" - ClassStorageStatisticsByFileType = "StorageStatisticsByFileType" - ClassStorageStatisticsByChat = "StorageStatisticsByChat" - ClassStorageStatistics = "StorageStatistics" - ClassStorageStatisticsFast = "StorageStatisticsFast" - ClassDatabaseStatistics = "DatabaseStatistics" - ClassNetworkStatistics = "NetworkStatistics" - ClassAutoDownloadSettings = "AutoDownloadSettings" - ClassAutoDownloadSettingsPresets = "AutoDownloadSettingsPresets" - ClassScopeAutosaveSettings = "ScopeAutosaveSettings" - ClassAutosaveSettingsException = "AutosaveSettingsException" - ClassAutosaveSettings = "AutosaveSettings" - ClassTMeUrl = "TMeUrl" - ClassTMeUrls = "TMeUrls" - ClassCount = "Count" - ClassText = "Text" - ClassSeconds = "Seconds" - ClassFileDownloadedPrefixSize = "FileDownloadedPrefixSize" - ClassDeepLinkInfo = "DeepLinkInfo" - ClassProxy = "Proxy" - ClassProxies = "Proxies" - ClassInputSticker = "InputSticker" - ClassDateRange = "DateRange" - ClassStatisticalValue = "StatisticalValue" - ClassChatStatisticsMessageInteractionInfo = "ChatStatisticsMessageInteractionInfo" - ClassChatStatisticsMessageSenderInfo = "ChatStatisticsMessageSenderInfo" - ClassChatStatisticsAdministratorActionsInfo = "ChatStatisticsAdministratorActionsInfo" - ClassChatStatisticsInviterInfo = "ChatStatisticsInviterInfo" - ClassMessageStatistics = "MessageStatistics" - ClassPoint = "Point" - ClassUpdates = "Updates" - ClassLogVerbosityLevel = "LogVerbosityLevel" - ClassLogTags = "LogTags" - ClassUserSupportInfo = "UserSupportInfo" - ClassTestInt = "TestInt" - ClassTestString = "TestString" - ClassTestBytes = "TestBytes" - ClassTestVectorInt = "TestVectorInt" - ClassTestVectorIntObject = "TestVectorIntObject" - ClassTestVectorString = "TestVectorString" - ClassTestVectorStringObject = "TestVectorStringObject" + ClassAuthenticationCodeType = "AuthenticationCodeType" + ClassEmailAddressAuthentication = "EmailAddressAuthentication" + ClassEmailAddressResetState = "EmailAddressResetState" + ClassAuthorizationState = "AuthorizationState" + ClassFirebaseDeviceVerificationParameters = "FirebaseDeviceVerificationParameters" + ClassInputFile = "InputFile" + ClassThumbnailFormat = "ThumbnailFormat" + ClassMaskPoint = "MaskPoint" + ClassStickerFormat = "StickerFormat" + ClassStickerType = "StickerType" + ClassStickerFullType = "StickerFullType" + ClassPollType = "PollType" + ClassProfileTab = "ProfileTab" + ClassUserType = "UserType" + ClassBusinessAwayMessageSchedule = "BusinessAwayMessageSchedule" + ClassChatPhotoStickerType = "ChatPhotoStickerType" + ClassInputChatPhoto = "InputChatPhoto" + ClassGiftResalePrice = "GiftResalePrice" + ClassGiftPurchaseOfferState = "GiftPurchaseOfferState" + ClassSuggestedPostPrice = "SuggestedPostPrice" + ClassSuggestedPostState = "SuggestedPostState" + ClassSuggestedPostRefundReason = "SuggestedPostRefundReason" + ClassStarSubscriptionType = "StarSubscriptionType" + ClassAffiliateType = "AffiliateType" + ClassAffiliateProgramSortOrder = "AffiliateProgramSortOrder" + ClassCanSendGiftResult = "CanSendGiftResult" + ClassUpgradedGiftOrigin = "UpgradedGiftOrigin" + ClassUpgradedGiftAttributeRarity = "UpgradedGiftAttributeRarity" + ClassCraftGiftResult = "CraftGiftResult" + ClassUpgradedGiftAttributeId = "UpgradedGiftAttributeId" + ClassGiftForResaleOrder = "GiftForResaleOrder" + ClassGiftResaleResult = "GiftResaleResult" + ClassSentGift = "SentGift" + ClassAuctionState = "AuctionState" + ClassTransactionDirection = "TransactionDirection" + ClassStarTransactionType = "StarTransactionType" + ClassTonTransactionType = "TonTransactionType" + ClassActiveStoryState = "ActiveStoryState" + ClassGiveawayParticipantStatus = "GiveawayParticipantStatus" + ClassGiveawayInfo = "GiveawayInfo" + ClassGiveawayPrize = "GiveawayPrize" + ClassEmojiStatusType = "EmojiStatusType" + ClassChatMemberStatus = "ChatMemberStatus" + ClassChatMembersFilter = "ChatMembersFilter" + ClassSupergroupMembersFilter = "SupergroupMembersFilter" + ClassInviteLinkChatType = "InviteLinkChatType" + ClassSecretChatState = "SecretChatState" + ClassMessageSender = "MessageSender" + ClassMessageReadDate = "MessageReadDate" + ClassMessageOrigin = "MessageOrigin" + ClassReactionType = "ReactionType" + ClassPaidReactionType = "PaidReactionType" + ClassMessageTopic = "MessageTopic" + ClassMessageEffectType = "MessageEffectType" + ClassMessageSendingState = "MessageSendingState" + ClassMessageReplyTo = "MessageReplyTo" + ClassInputMessageReplyTo = "InputMessageReplyTo" + ClassMessageSource = "MessageSource" + ClassReportSponsoredResult = "ReportSponsoredResult" + ClassNotificationSettingsScope = "NotificationSettingsScope" + ClassReactionNotificationSource = "ReactionNotificationSource" + ClassChatType = "ChatType" + ClassChatList = "ChatList" + ClassChatSource = "ChatSource" + ClassChatAvailableReactions = "ChatAvailableReactions" + ClassPublicChatType = "PublicChatType" + ClassChatActionBar = "ChatActionBar" + ClassButtonStyle = "ButtonStyle" + ClassKeyboardButtonType = "KeyboardButtonType" + ClassInlineKeyboardButtonType = "InlineKeyboardButtonType" + ClassReplyMarkup = "ReplyMarkup" + ClassLoginUrlInfo = "LoginUrlInfo" + ClassWebAppOpenMode = "WebAppOpenMode" + ClassSavedMessagesTopicType = "SavedMessagesTopicType" + ClassBuiltInTheme = "BuiltInTheme" + ClassRichText = "RichText" + ClassPageBlockHorizontalAlignment = "PageBlockHorizontalAlignment" + ClassPageBlockVerticalAlignment = "PageBlockVerticalAlignment" + ClassPageBlock = "PageBlock" + ClassLinkPreviewAlbumMedia = "LinkPreviewAlbumMedia" + ClassLinkPreviewType = "LinkPreviewType" + ClassCollectibleItemType = "CollectibleItemType" + ClassInputCredentials = "InputCredentials" + ClassPaymentProvider = "PaymentProvider" + ClassPaymentFormType = "PaymentFormType" + ClassPaymentReceiptType = "PaymentReceiptType" + ClassInputInvoice = "InputInvoice" + ClassPaidMedia = "PaidMedia" + ClassPassportElementType = "PassportElementType" + ClassPassportElement = "PassportElement" + ClassInputPassportElement = "InputPassportElement" + ClassPassportElementErrorSource = "PassportElementErrorSource" + ClassInputPassportElementErrorSource = "InputPassportElementErrorSource" + ClassMessageContent = "MessageContent" + ClassTextEntityType = "TextEntityType" + ClassInputPaidMediaType = "InputPaidMediaType" + ClassMessageSchedulingState = "MessageSchedulingState" + ClassMessageSelfDestructType = "MessageSelfDestructType" + ClassInputMessageContent = "InputMessageContent" + ClassSearchMessagesFilter = "SearchMessagesFilter" + ClassSearchMessagesChatTypeFilter = "SearchMessagesChatTypeFilter" + ClassChatAction = "ChatAction" + ClassUserStatus = "UserStatus" + ClassEmojiCategorySource = "EmojiCategorySource" + ClassEmojiCategoryType = "EmojiCategoryType" + ClassStoryAreaType = "StoryAreaType" + ClassInputStoryAreaType = "InputStoryAreaType" + ClassStoryContentType = "StoryContentType" + ClassStoryContent = "StoryContent" + ClassInputStoryContent = "InputStoryContent" + ClassStoryList = "StoryList" + ClassStoryOrigin = "StoryOrigin" + ClassStoryInteractionType = "StoryInteractionType" + ClassPublicForward = "PublicForward" + ClassChatBoostSource = "ChatBoostSource" + ClassResendCodeReason = "ResendCodeReason" + ClassCallDiscardReason = "CallDiscardReason" + ClassCallServerType = "CallServerType" + ClassCallState = "CallState" + ClassGroupCallVideoQuality = "GroupCallVideoQuality" + ClassInviteGroupCallParticipantResult = "InviteGroupCallParticipantResult" + ClassGroupCallDataChannel = "GroupCallDataChannel" + ClassInputGroupCall = "InputGroupCall" + ClassCallProblem = "CallProblem" + ClassFirebaseAuthenticationSettings = "FirebaseAuthenticationSettings" + ClassReactionUnavailabilityReason = "ReactionUnavailabilityReason" + ClassDiceStickers = "DiceStickers" + ClassSpeechRecognitionResult = "SpeechRecognitionResult" + ClassBotWriteAccessAllowReason = "BotWriteAccessAllowReason" + ClassTargetChat = "TargetChat" + ClassInputInlineQueryResult = "InputInlineQueryResult" + ClassInlineQueryResult = "InlineQueryResult" + ClassInlineQueryResultsButtonType = "InlineQueryResultsButtonType" + ClassCallbackQueryPayload = "CallbackQueryPayload" + ClassChatEventAction = "ChatEventAction" + ClassLanguagePackStringValue = "LanguagePackStringValue" + ClassPremiumLimitType = "PremiumLimitType" + ClassPremiumFeature = "PremiumFeature" + ClassBusinessFeature = "BusinessFeature" + ClassPremiumStoryFeature = "PremiumStoryFeature" + ClassPremiumSource = "PremiumSource" + ClassStorePaymentPurpose = "StorePaymentPurpose" + ClassStoreTransaction = "StoreTransaction" + ClassTelegramPaymentPurpose = "TelegramPaymentPurpose" + ClassDeviceToken = "DeviceToken" + ClassBackgroundFill = "BackgroundFill" + ClassBackgroundType = "BackgroundType" + ClassInputBackground = "InputBackground" + ClassChatTheme = "ChatTheme" + ClassInputChatTheme = "InputChatTheme" + ClassCanPostStoryResult = "CanPostStoryResult" + ClassStartLiveStoryResult = "StartLiveStoryResult" + ClassCanTransferOwnershipResult = "CanTransferOwnershipResult" + ClassCheckChatUsernameResult = "CheckChatUsernameResult" + ClassCheckStickerSetNameResult = "CheckStickerSetNameResult" + ClassResetPasswordResult = "ResetPasswordResult" + ClassMessageFileType = "MessageFileType" + ClassPushMessageContent = "PushMessageContent" + ClassNotificationType = "NotificationType" + ClassNotificationGroupType = "NotificationGroupType" + ClassOptionValue = "OptionValue" + ClassJsonValue = "JsonValue" + ClassStoryPrivacySettings = "StoryPrivacySettings" + ClassUserPrivacySettingRule = "UserPrivacySettingRule" + ClassUserPrivacySetting = "UserPrivacySetting" + ClassCanSendMessageToUserResult = "CanSendMessageToUserResult" + ClassSessionType = "SessionType" + ClassReportReason = "ReportReason" + ClassReportChatResult = "ReportChatResult" + ClassReportStoryResult = "ReportStoryResult" + ClassSettingsSection = "SettingsSection" + ClassInternalLinkType = "InternalLinkType" + ClassBlockList = "BlockList" + ClassFileType = "FileType" + ClassNetworkType = "NetworkType" + ClassNetworkStatisticsEntry = "NetworkStatisticsEntry" + ClassAutosaveSettingsScope = "AutosaveSettingsScope" + ClassConnectionState = "ConnectionState" + ClassTopChatCategory = "TopChatCategory" + ClassTMeUrlType = "TMeUrlType" + ClassSuggestedAction = "SuggestedAction" + ClassTextParseMode = "TextParseMode" + ClassProxyType = "ProxyType" + ClassStatisticalGraph = "StatisticalGraph" + ClassChatStatisticsObjectType = "ChatStatisticsObjectType" + ClassChatStatistics = "ChatStatistics" + ClassRevenueWithdrawalState = "RevenueWithdrawalState" + ClassChatRevenueTransactionType = "ChatRevenueTransactionType" + ClassVectorPathCommand = "VectorPathCommand" + ClassBotCommandScope = "BotCommandScope" + ClassPhoneNumberCodeType = "PhoneNumberCodeType" + ClassUpdate = "Update" + ClassLogStream = "LogStream" + ClassError = "Error" + ClassOk = "Ok" + ClassAuthenticationCodeInfo = "AuthenticationCodeInfo" + ClassEmailAddressAuthenticationCodeInfo = "EmailAddressAuthenticationCodeInfo" + ClassTextEntity = "TextEntity" + ClassTextEntities = "TextEntities" + ClassFormattedText = "FormattedText" + ClassTermsOfService = "TermsOfService" + ClassPasskey = "Passkey" + ClassPasskeys = "Passkeys" + ClassPasswordState = "PasswordState" + ClassRecoveryEmailAddress = "RecoveryEmailAddress" + ClassTemporaryPasswordState = "TemporaryPasswordState" + ClassLocalFile = "LocalFile" + ClassRemoteFile = "RemoteFile" + ClassFile = "File" + ClassPhotoSize = "PhotoSize" + ClassMinithumbnail = "Minithumbnail" + ClassThumbnail = "Thumbnail" + ClassMaskPosition = "MaskPosition" + ClassClosedVectorPath = "ClosedVectorPath" + ClassOutline = "Outline" + ClassPollOption = "PollOption" + ClassChecklistTask = "ChecklistTask" + ClassInputChecklistTask = "InputChecklistTask" + ClassChecklist = "Checklist" + ClassInputChecklist = "InputChecklist" + ClassAnimation = "Animation" + ClassAudio = "Audio" + ClassAudios = "Audios" + ClassDocument = "Document" + ClassPhoto = "Photo" + ClassSticker = "Sticker" + ClassVideo = "Video" + ClassVideoNote = "VideoNote" + ClassVoiceNote = "VoiceNote" + ClassAnimatedEmoji = "AnimatedEmoji" + ClassContact = "Contact" + ClassLocation = "Location" + ClassVenue = "Venue" + ClassGame = "Game" + ClassStakeDiceState = "StakeDiceState" + ClassWebApp = "WebApp" + ClassPoll = "Poll" + ClassAlternativeVideo = "AlternativeVideo" + ClassVideoStoryboard = "VideoStoryboard" + ClassBackground = "Background" + ClassBackgrounds = "Backgrounds" + ClassChatBackground = "ChatBackground" + ClassProfilePhoto = "ProfilePhoto" + ClassChatPhotoInfo = "ChatPhotoInfo" + ClassBotCommand = "BotCommand" + ClassBotCommands = "BotCommands" + ClassBotMenuButton = "BotMenuButton" + ClassBotVerificationParameters = "BotVerificationParameters" + ClassBotVerification = "BotVerification" + ClassVerificationStatus = "VerificationStatus" + ClassChatLocation = "ChatLocation" + ClassBirthdate = "Birthdate" + ClassCloseBirthdayUser = "CloseBirthdayUser" + ClassBusinessLocation = "BusinessLocation" + ClassBusinessRecipients = "BusinessRecipients" + ClassBusinessAwayMessageSettings = "BusinessAwayMessageSettings" + ClassBusinessGreetingMessageSettings = "BusinessGreetingMessageSettings" + ClassBusinessBotRights = "BusinessBotRights" + ClassBusinessConnectedBot = "BusinessConnectedBot" + ClassBusinessStartPage = "BusinessStartPage" + ClassInputBusinessStartPage = "InputBusinessStartPage" + ClassBusinessOpeningHoursInterval = "BusinessOpeningHoursInterval" + ClassBusinessOpeningHours = "BusinessOpeningHours" + ClassBusinessInfo = "BusinessInfo" + ClassBusinessChatLink = "BusinessChatLink" + ClassBusinessChatLinks = "BusinessChatLinks" + ClassInputBusinessChatLink = "InputBusinessChatLink" + ClassBusinessChatLinkInfo = "BusinessChatLinkInfo" + ClassChatPhotoSticker = "ChatPhotoSticker" + ClassAnimatedChatPhoto = "AnimatedChatPhoto" + ClassChatPhoto = "ChatPhoto" + ClassChatPhotos = "ChatPhotos" + ClassChatPermissions = "ChatPermissions" + ClassChatAdministratorRights = "ChatAdministratorRights" + ClassSuggestedPostInfo = "SuggestedPostInfo" + ClassInputSuggestedPostInfo = "InputSuggestedPostInfo" + ClassStarAmount = "StarAmount" + ClassStarSubscriptionPricing = "StarSubscriptionPricing" + ClassStarSubscription = "StarSubscription" + ClassStarSubscriptions = "StarSubscriptions" + ClassAffiliateProgramParameters = "AffiliateProgramParameters" + ClassAffiliateProgramInfo = "AffiliateProgramInfo" + ClassAffiliateInfo = "AffiliateInfo" + ClassFoundAffiliateProgram = "FoundAffiliateProgram" + ClassFoundAffiliatePrograms = "FoundAffiliatePrograms" + ClassConnectedAffiliateProgram = "ConnectedAffiliateProgram" + ClassConnectedAffiliatePrograms = "ConnectedAffiliatePrograms" + ClassProductInfo = "ProductInfo" + ClassPremiumPaymentOption = "PremiumPaymentOption" + ClassPremiumStatePaymentOption = "PremiumStatePaymentOption" + ClassPremiumGiftPaymentOption = "PremiumGiftPaymentOption" + ClassPremiumGiftPaymentOptions = "PremiumGiftPaymentOptions" + ClassPremiumGiveawayPaymentOption = "PremiumGiveawayPaymentOption" + ClassPremiumGiveawayPaymentOptions = "PremiumGiveawayPaymentOptions" + ClassPremiumGiftCodeInfo = "PremiumGiftCodeInfo" + ClassStarPaymentOption = "StarPaymentOption" + ClassStarPaymentOptions = "StarPaymentOptions" + ClassStarGiveawayWinnerOption = "StarGiveawayWinnerOption" + ClassStarGiveawayPaymentOption = "StarGiveawayPaymentOption" + ClassStarGiveawayPaymentOptions = "StarGiveawayPaymentOptions" + ClassAcceptedGiftTypes = "AcceptedGiftTypes" + ClassGiftSettings = "GiftSettings" + ClassGiftAuction = "GiftAuction" + ClassGiftBackground = "GiftBackground" + ClassGiftPurchaseLimits = "GiftPurchaseLimits" + ClassGiftResaleParameters = "GiftResaleParameters" + ClassGiftCollection = "GiftCollection" + ClassGiftCollections = "GiftCollections" + ClassUpgradedGiftModel = "UpgradedGiftModel" + ClassUpgradedGiftSymbol = "UpgradedGiftSymbol" + ClassUpgradedGiftBackdropColors = "UpgradedGiftBackdropColors" + ClassUpgradedGiftBackdrop = "UpgradedGiftBackdrop" + ClassUpgradedGiftOriginalDetails = "UpgradedGiftOriginalDetails" + ClassUpgradedGiftColors = "UpgradedGiftColors" + ClassGift = "Gift" + ClassUpgradedGift = "UpgradedGift" + ClassUpgradedGiftValueInfo = "UpgradedGiftValueInfo" + ClassUpgradeGiftResult = "UpgradeGiftResult" + ClassAvailableGift = "AvailableGift" + ClassAvailableGifts = "AvailableGifts" + ClassGiftUpgradePrice = "GiftUpgradePrice" + ClassUpgradedGiftModelCount = "UpgradedGiftModelCount" + ClassUpgradedGiftSymbolCount = "UpgradedGiftSymbolCount" + ClassUpgradedGiftBackdropCount = "UpgradedGiftBackdropCount" + ClassGiftForResale = "GiftForResale" + ClassGiftsForResale = "GiftsForResale" + ClassReceivedGift = "ReceivedGift" + ClassReceivedGifts = "ReceivedGifts" + ClassAttributeCraftPersistenceProbability = "AttributeCraftPersistenceProbability" + ClassGiftsForCrafting = "GiftsForCrafting" + ClassGiftUpgradePreview = "GiftUpgradePreview" + ClassGiftUpgradeVariants = "GiftUpgradeVariants" + ClassAuctionBid = "AuctionBid" + ClassUserAuctionBid = "UserAuctionBid" + ClassAuctionRound = "AuctionRound" + ClassGiftAuctionState = "GiftAuctionState" + ClassGiftAuctionAcquiredGift = "GiftAuctionAcquiredGift" + ClassGiftAuctionAcquiredGifts = "GiftAuctionAcquiredGifts" + ClassStarTransaction = "StarTransaction" + ClassStarTransactions = "StarTransactions" + ClassTonTransaction = "TonTransaction" + ClassTonTransactions = "TonTransactions" + ClassAccentColor = "AccentColor" + ClassProfileAccentColors = "ProfileAccentColors" + ClassProfileAccentColor = "ProfileAccentColor" + ClassUserRating = "UserRating" + ClassRestrictionInfo = "RestrictionInfo" + ClassEmojiStatus = "EmojiStatus" + ClassEmojiStatuses = "EmojiStatuses" + ClassEmojiStatusCustomEmojis = "EmojiStatusCustomEmojis" + ClassUsernames = "Usernames" + ClassUser = "User" + ClassBotInfo = "BotInfo" + ClassUserFullInfo = "UserFullInfo" + ClassUsers = "Users" + ClassFoundUsers = "FoundUsers" + ClassChatAdministrator = "ChatAdministrator" + ClassChatAdministrators = "ChatAdministrators" + ClassChatMember = "ChatMember" + ClassChatMembers = "ChatMembers" + ClassChatInviteLink = "ChatInviteLink" + ClassChatInviteLinks = "ChatInviteLinks" + ClassChatInviteLinkCount = "ChatInviteLinkCount" + ClassChatInviteLinkCounts = "ChatInviteLinkCounts" + ClassChatInviteLinkMember = "ChatInviteLinkMember" + ClassChatInviteLinkMembers = "ChatInviteLinkMembers" + ClassChatInviteLinkSubscriptionInfo = "ChatInviteLinkSubscriptionInfo" + ClassChatInviteLinkInfo = "ChatInviteLinkInfo" + ClassChatJoinRequest = "ChatJoinRequest" + ClassChatJoinRequests = "ChatJoinRequests" + ClassChatJoinRequestsInfo = "ChatJoinRequestsInfo" + ClassBasicGroup = "BasicGroup" + ClassBasicGroupFullInfo = "BasicGroupFullInfo" + ClassSupergroup = "Supergroup" + ClassSupergroupFullInfo = "SupergroupFullInfo" + ClassSecretChat = "SecretChat" + ClassPublicPostSearchLimits = "PublicPostSearchLimits" + ClassMessageSenders = "MessageSenders" + ClassChatMessageSender = "ChatMessageSender" + ClassChatMessageSenders = "ChatMessageSenders" + ClassMessageViewer = "MessageViewer" + ClassMessageViewers = "MessageViewers" + ClassForwardSource = "ForwardSource" + ClassPaidReactor = "PaidReactor" + ClassLiveStoryDonors = "LiveStoryDonors" + ClassMessageForwardInfo = "MessageForwardInfo" + ClassMessageImportInfo = "MessageImportInfo" + ClassMessageReplyInfo = "MessageReplyInfo" + ClassMessageReaction = "MessageReaction" + ClassMessageReactions = "MessageReactions" + ClassMessageInteractionInfo = "MessageInteractionInfo" + ClassUnreadReaction = "UnreadReaction" + ClassMessageEffect = "MessageEffect" + ClassTextQuote = "TextQuote" + ClassInputTextQuote = "InputTextQuote" + ClassFactCheck = "FactCheck" + ClassMessage = "Message" + ClassMessages = "Messages" + ClassFoundMessages = "FoundMessages" + ClassFoundChatMessages = "FoundChatMessages" + ClassFoundPublicPosts = "FoundPublicPosts" + ClassMessagePosition = "MessagePosition" + ClassMessagePositions = "MessagePositions" + ClassMessageCalendarDay = "MessageCalendarDay" + ClassMessageCalendar = "MessageCalendar" + ClassBusinessMessage = "BusinessMessage" + ClassBusinessMessages = "BusinessMessages" + ClassAdvertisementSponsor = "AdvertisementSponsor" + ClassSponsoredMessage = "SponsoredMessage" + ClassSponsoredMessages = "SponsoredMessages" + ClassSponsoredChat = "SponsoredChat" + ClassSponsoredChats = "SponsoredChats" + ClassVideoMessageAdvertisement = "VideoMessageAdvertisement" + ClassVideoMessageAdvertisements = "VideoMessageAdvertisements" + ClassReportOption = "ReportOption" + ClassFileDownload = "FileDownload" + ClassDownloadedFileCounts = "DownloadedFileCounts" + ClassFoundFileDownloads = "FoundFileDownloads" + ClassChatNotificationSettings = "ChatNotificationSettings" + ClassScopeNotificationSettings = "ScopeNotificationSettings" + ClassReactionNotificationSettings = "ReactionNotificationSettings" + ClassDraftMessage = "DraftMessage" + ClassChatFolderIcon = "ChatFolderIcon" + ClassChatFolderName = "ChatFolderName" + ClassChatFolder = "ChatFolder" + ClassChatFolderInfo = "ChatFolderInfo" + ClassChatFolderInviteLink = "ChatFolderInviteLink" + ClassChatFolderInviteLinks = "ChatFolderInviteLinks" + ClassChatFolderInviteLinkInfo = "ChatFolderInviteLinkInfo" + ClassRecommendedChatFolder = "RecommendedChatFolder" + ClassRecommendedChatFolders = "RecommendedChatFolders" + ClassArchiveChatListSettings = "ArchiveChatListSettings" + ClassChatLists = "ChatLists" + ClassChatPosition = "ChatPosition" + ClassSavedMessagesTag = "SavedMessagesTag" + ClassSavedMessagesTags = "SavedMessagesTags" + ClassBusinessBotManageBar = "BusinessBotManageBar" + ClassVideoChat = "VideoChat" + ClassChat = "Chat" + ClassChats = "Chats" + ClassFailedToAddMember = "FailedToAddMember" + ClassFailedToAddMembers = "FailedToAddMembers" + ClassCreatedBasicGroupChat = "CreatedBasicGroupChat" + ClassAccountInfo = "AccountInfo" + ClassKeyboardButton = "KeyboardButton" + ClassInlineKeyboardButton = "InlineKeyboardButton" + ClassThemeParameters = "ThemeParameters" + ClassFoundWebApp = "FoundWebApp" + ClassWebAppInfo = "WebAppInfo" + ClassMainWebApp = "MainWebApp" + ClassWebAppOpenParameters = "WebAppOpenParameters" + ClassMessageThreadInfo = "MessageThreadInfo" + ClassSavedMessagesTopic = "SavedMessagesTopic" + ClassDirectMessagesChatTopic = "DirectMessagesChatTopic" + ClassForumTopicIcon = "ForumTopicIcon" + ClassForumTopicInfo = "ForumTopicInfo" + ClassForumTopic = "ForumTopic" + ClassForumTopics = "ForumTopics" + ClassLinkPreviewOptions = "LinkPreviewOptions" + ClassSharedUser = "SharedUser" + ClassSharedChat = "SharedChat" + ClassThemeSettings = "ThemeSettings" + ClassPageBlockCaption = "PageBlockCaption" + ClassPageBlockListItem = "PageBlockListItem" + ClassPageBlockTableCell = "PageBlockTableCell" + ClassPageBlockRelatedArticle = "PageBlockRelatedArticle" + ClassWebPageInstantView = "WebPageInstantView" + ClassLinkPreview = "LinkPreview" + ClassCountryInfo = "CountryInfo" + ClassCountries = "Countries" + ClassPhoneNumberInfo = "PhoneNumberInfo" + ClassCollectibleItemInfo = "CollectibleItemInfo" + ClassBankCardActionOpenUrl = "BankCardActionOpenUrl" + ClassBankCardInfo = "BankCardInfo" + ClassAddress = "Address" + ClassLocationAddress = "LocationAddress" + ClassLabeledPricePart = "LabeledPricePart" + ClassInvoice = "Invoice" + ClassOrderInfo = "OrderInfo" + ClassShippingOption = "ShippingOption" + ClassSavedCredentials = "SavedCredentials" + ClassPaymentOption = "PaymentOption" + ClassPaymentForm = "PaymentForm" + ClassValidatedOrderInfo = "ValidatedOrderInfo" + ClassPaymentResult = "PaymentResult" + ClassPaymentReceipt = "PaymentReceipt" + ClassGiveawayParameters = "GiveawayParameters" + ClassDatedFile = "DatedFile" + ClassDate = "Date" + ClassPersonalDetails = "PersonalDetails" + ClassIdentityDocument = "IdentityDocument" + ClassInputIdentityDocument = "InputIdentityDocument" + ClassPersonalDocument = "PersonalDocument" + ClassInputPersonalDocument = "InputPersonalDocument" + ClassPassportElements = "PassportElements" + ClassPassportElementError = "PassportElementError" + ClassPassportSuitableElement = "PassportSuitableElement" + ClassPassportRequiredElement = "PassportRequiredElement" + ClassPassportAuthorizationForm = "PassportAuthorizationForm" + ClassPassportElementsWithErrors = "PassportElementsWithErrors" + ClassEncryptedCredentials = "EncryptedCredentials" + ClassEncryptedPassportElement = "EncryptedPassportElement" + ClassInputPassportElementError = "InputPassportElementError" + ClassInputThumbnail = "InputThumbnail" + ClassInputPaidMedia = "InputPaidMedia" + ClassMessageSendOptions = "MessageSendOptions" + ClassMessageCopyOptions = "MessageCopyOptions" + ClassMessageProperties = "MessageProperties" + ClassEmojiKeyword = "EmojiKeyword" + ClassEmojiKeywords = "EmojiKeywords" + ClassStickers = "Stickers" + ClassEmojis = "Emojis" + ClassStickerSet = "StickerSet" + ClassStickerSetInfo = "StickerSetInfo" + ClassStickerSets = "StickerSets" + ClassTrendingStickerSets = "TrendingStickerSets" + ClassEmojiCategory = "EmojiCategory" + ClassEmojiCategories = "EmojiCategories" + ClassCurrentWeather = "CurrentWeather" + ClassStoryAreaPosition = "StoryAreaPosition" + ClassStoryArea = "StoryArea" + ClassInputStoryArea = "InputStoryArea" + ClassInputStoryAreas = "InputStoryAreas" + ClassStoryVideo = "StoryVideo" + ClassStoryRepostInfo = "StoryRepostInfo" + ClassStoryInteractionInfo = "StoryInteractionInfo" + ClassStory = "Story" + ClassStories = "Stories" + ClassFoundStories = "FoundStories" + ClassStoryAlbum = "StoryAlbum" + ClassStoryAlbums = "StoryAlbums" + ClassStoryFullId = "StoryFullId" + ClassStoryInfo = "StoryInfo" + ClassChatActiveStories = "ChatActiveStories" + ClassStoryInteraction = "StoryInteraction" + ClassStoryInteractions = "StoryInteractions" + ClassQuickReplyMessage = "QuickReplyMessage" + ClassQuickReplyMessages = "QuickReplyMessages" + ClassQuickReplyShortcut = "QuickReplyShortcut" + ClassPublicForwards = "PublicForwards" + ClassBotMediaPreview = "BotMediaPreview" + ClassBotMediaPreviews = "BotMediaPreviews" + ClassBotMediaPreviewInfo = "BotMediaPreviewInfo" + ClassChatBoostLevelFeatures = "ChatBoostLevelFeatures" + ClassChatBoostFeatures = "ChatBoostFeatures" + ClassPrepaidGiveaway = "PrepaidGiveaway" + ClassChatBoostStatus = "ChatBoostStatus" + ClassChatBoost = "ChatBoost" + ClassFoundChatBoosts = "FoundChatBoosts" + ClassChatBoostSlot = "ChatBoostSlot" + ClassChatBoostSlots = "ChatBoostSlots" + ClassCallProtocol = "CallProtocol" + ClassCallServer = "CallServer" + ClassCallId = "CallId" + ClassGroupCallId = "GroupCallId" + ClassGroupCallJoinParameters = "GroupCallJoinParameters" + ClassGroupCallStream = "GroupCallStream" + ClassGroupCallStreams = "GroupCallStreams" + ClassRtmpUrl = "RtmpUrl" + ClassGroupCallRecentSpeaker = "GroupCallRecentSpeaker" + ClassGroupCall = "GroupCall" + ClassGroupCallVideoSourceGroup = "GroupCallVideoSourceGroup" + ClassGroupCallParticipantVideoInfo = "GroupCallParticipantVideoInfo" + ClassGroupCallParticipant = "GroupCallParticipant" + ClassGroupCallParticipants = "GroupCallParticipants" + ClassGroupCallInfo = "GroupCallInfo" + ClassGroupCallMessage = "GroupCallMessage" + ClassGroupCallMessageLevel = "GroupCallMessageLevel" + ClassCall = "Call" + ClassPhoneNumberAuthenticationSettings = "PhoneNumberAuthenticationSettings" + ClassAddedReaction = "AddedReaction" + ClassAddedReactions = "AddedReactions" + ClassAvailableReaction = "AvailableReaction" + ClassAvailableReactions = "AvailableReactions" + ClassEmojiReaction = "EmojiReaction" + ClassAnimations = "Animations" + ClassImportedContact = "ImportedContact" + ClassImportedContacts = "ImportedContacts" + ClassBusinessConnection = "BusinessConnection" + ClassAttachmentMenuBotColor = "AttachmentMenuBotColor" + ClassAttachmentMenuBot = "AttachmentMenuBot" + ClassSentWebAppMessage = "SentWebAppMessage" + ClassHttpUrl = "HttpUrl" + ClassUserLink = "UserLink" + ClassTargetChatTypes = "TargetChatTypes" + ClassInlineQueryResultsButton = "InlineQueryResultsButton" + ClassInlineQueryResults = "InlineQueryResults" + ClassPreparedInlineMessageId = "PreparedInlineMessageId" + ClassPreparedInlineMessage = "PreparedInlineMessage" + ClassCallbackQueryAnswer = "CallbackQueryAnswer" + ClassCustomRequestResult = "CustomRequestResult" + ClassGameHighScore = "GameHighScore" + ClassGameHighScores = "GameHighScores" + ClassChatEvent = "ChatEvent" + ClassChatEvents = "ChatEvents" + ClassChatEventLogFilters = "ChatEventLogFilters" + ClassLanguagePackString = "LanguagePackString" + ClassLanguagePackStrings = "LanguagePackStrings" + ClassLanguagePackInfo = "LanguagePackInfo" + ClassLocalizationTargetInfo = "LocalizationTargetInfo" + ClassPremiumLimit = "PremiumLimit" + ClassPremiumFeatures = "PremiumFeatures" + ClassBusinessFeatures = "BusinessFeatures" + ClassPremiumFeaturePromotionAnimation = "PremiumFeaturePromotionAnimation" + ClassBusinessFeaturePromotionAnimation = "BusinessFeaturePromotionAnimation" + ClassPremiumState = "PremiumState" + ClassPushReceiverId = "PushReceiverId" + ClassEmojiChatTheme = "EmojiChatTheme" + ClassGiftChatTheme = "GiftChatTheme" + ClassGiftChatThemes = "GiftChatThemes" + ClassTimeZone = "TimeZone" + ClassTimeZones = "TimeZones" + ClassHashtags = "Hashtags" + ClassNotificationSound = "NotificationSound" + ClassNotificationSounds = "NotificationSounds" + ClassNotification = "Notification" + ClassNotificationGroup = "NotificationGroup" + ClassProxy = "Proxy" + ClassJsonObjectMember = "JsonObjectMember" + ClassUserPrivacySettingRules = "UserPrivacySettingRules" + ClassReadDatePrivacySettings = "ReadDatePrivacySettings" + ClassNewChatPrivacySettings = "NewChatPrivacySettings" + ClassAccountTtl = "AccountTtl" + ClassMessageAutoDeleteTime = "MessageAutoDeleteTime" + ClassSession = "Session" + ClassSessions = "Sessions" + ClassUnconfirmedSession = "UnconfirmedSession" + ClassConnectedWebsite = "ConnectedWebsite" + ClassConnectedWebsites = "ConnectedWebsites" + ClassMessageLink = "MessageLink" + ClassMessageLinkInfo = "MessageLinkInfo" + ClassChatBoostLink = "ChatBoostLink" + ClassChatBoostLinkInfo = "ChatBoostLinkInfo" + ClassStorageStatisticsByFileType = "StorageStatisticsByFileType" + ClassStorageStatisticsByChat = "StorageStatisticsByChat" + ClassStorageStatistics = "StorageStatistics" + ClassStorageStatisticsFast = "StorageStatisticsFast" + ClassDatabaseStatistics = "DatabaseStatistics" + ClassNetworkStatistics = "NetworkStatistics" + ClassAutoDownloadSettings = "AutoDownloadSettings" + ClassAutoDownloadSettingsPresets = "AutoDownloadSettingsPresets" + ClassScopeAutosaveSettings = "ScopeAutosaveSettings" + ClassAutosaveSettingsException = "AutosaveSettingsException" + ClassAutosaveSettings = "AutosaveSettings" + ClassAgeVerificationParameters = "AgeVerificationParameters" + ClassFoundPosition = "FoundPosition" + ClassFoundPositions = "FoundPositions" + ClassTMeUrl = "TMeUrl" + ClassTMeUrls = "TMeUrls" + ClassCount = "Count" + ClassText = "Text" + ClassData = "Data" + ClassSeconds = "Seconds" + ClassFileDownloadedPrefixSize = "FileDownloadedPrefixSize" + ClassStarCount = "StarCount" + ClassDeepLinkInfo = "DeepLinkInfo" + ClassAddedProxy = "AddedProxy" + ClassAddedProxies = "AddedProxies" + ClassInputSticker = "InputSticker" + ClassDateRange = "DateRange" + ClassStatisticalValue = "StatisticalValue" + ClassChatStatisticsInteractionInfo = "ChatStatisticsInteractionInfo" + ClassChatStatisticsMessageSenderInfo = "ChatStatisticsMessageSenderInfo" + ClassChatStatisticsAdministratorActionsInfo = "ChatStatisticsAdministratorActionsInfo" + ClassChatStatisticsInviterInfo = "ChatStatisticsInviterInfo" + ClassChatRevenueAmount = "ChatRevenueAmount" + ClassChatRevenueStatistics = "ChatRevenueStatistics" + ClassMessageStatistics = "MessageStatistics" + ClassStoryStatistics = "StoryStatistics" + ClassChatRevenueTransaction = "ChatRevenueTransaction" + ClassChatRevenueTransactions = "ChatRevenueTransactions" + ClassStarRevenueStatus = "StarRevenueStatus" + ClassStarRevenueStatistics = "StarRevenueStatistics" + ClassTonRevenueStatus = "TonRevenueStatus" + ClassTonRevenueStatistics = "TonRevenueStatistics" + ClassPoint = "Point" + ClassUpdates = "Updates" + ClassLogVerbosityLevel = "LogVerbosityLevel" + ClassLogTags = "LogTags" + ClassUserSupportInfo = "UserSupportInfo" + ClassTestInt = "TestInt" + ClassTestString = "TestString" + ClassTestBytes = "TestBytes" + ClassTestVectorInt = "TestVectorInt" + ClassTestVectorIntObject = "TestVectorIntObject" + ClassTestVectorString = "TestVectorString" + ClassTestVectorStringObject = "TestVectorStringObject" ) const ( - TypeError = "error" - TypeOk = "ok" - TypeAuthenticationCodeTypeTelegramMessage = "authenticationCodeTypeTelegramMessage" - TypeAuthenticationCodeTypeSms = "authenticationCodeTypeSms" - TypeAuthenticationCodeTypeCall = "authenticationCodeTypeCall" - TypeAuthenticationCodeTypeFlashCall = "authenticationCodeTypeFlashCall" - TypeAuthenticationCodeTypeMissedCall = "authenticationCodeTypeMissedCall" - TypeAuthenticationCodeTypeFragment = "authenticationCodeTypeFragment" - TypeAuthenticationCodeTypeFirebaseAndroid = "authenticationCodeTypeFirebaseAndroid" - TypeAuthenticationCodeTypeFirebaseIos = "authenticationCodeTypeFirebaseIos" - TypeAuthenticationCodeInfo = "authenticationCodeInfo" - TypeEmailAddressAuthenticationCodeInfo = "emailAddressAuthenticationCodeInfo" - TypeEmailAddressAuthenticationCode = "emailAddressAuthenticationCode" - TypeEmailAddressAuthenticationAppleId = "emailAddressAuthenticationAppleId" - TypeEmailAddressAuthenticationGoogleId = "emailAddressAuthenticationGoogleId" - TypeTextEntity = "textEntity" - TypeTextEntities = "textEntities" - TypeFormattedText = "formattedText" - TypeTermsOfService = "termsOfService" - TypeAuthorizationStateWaitTdlibParameters = "authorizationStateWaitTdlibParameters" - TypeAuthorizationStateWaitPhoneNumber = "authorizationStateWaitPhoneNumber" - TypeAuthorizationStateWaitEmailAddress = "authorizationStateWaitEmailAddress" - TypeAuthorizationStateWaitEmailCode = "authorizationStateWaitEmailCode" - TypeAuthorizationStateWaitCode = "authorizationStateWaitCode" - TypeAuthorizationStateWaitOtherDeviceConfirmation = "authorizationStateWaitOtherDeviceConfirmation" - TypeAuthorizationStateWaitRegistration = "authorizationStateWaitRegistration" - TypeAuthorizationStateWaitPassword = "authorizationStateWaitPassword" - TypeAuthorizationStateReady = "authorizationStateReady" - TypeAuthorizationStateLoggingOut = "authorizationStateLoggingOut" - TypeAuthorizationStateClosing = "authorizationStateClosing" - TypeAuthorizationStateClosed = "authorizationStateClosed" - TypePasswordState = "passwordState" - TypeRecoveryEmailAddress = "recoveryEmailAddress" - TypeTemporaryPasswordState = "temporaryPasswordState" - TypeLocalFile = "localFile" - TypeRemoteFile = "remoteFile" - TypeFile = "file" - TypeInputFileId = "inputFileId" - TypeInputFileRemote = "inputFileRemote" - TypeInputFileLocal = "inputFileLocal" - TypeInputFileGenerated = "inputFileGenerated" - TypePhotoSize = "photoSize" - TypeMinithumbnail = "minithumbnail" - TypeThumbnailFormatJpeg = "thumbnailFormatJpeg" - TypeThumbnailFormatGif = "thumbnailFormatGif" - TypeThumbnailFormatMpeg4 = "thumbnailFormatMpeg4" - TypeThumbnailFormatPng = "thumbnailFormatPng" - TypeThumbnailFormatTgs = "thumbnailFormatTgs" - TypeThumbnailFormatWebm = "thumbnailFormatWebm" - TypeThumbnailFormatWebp = "thumbnailFormatWebp" - TypeThumbnail = "thumbnail" - TypeMaskPointForehead = "maskPointForehead" - TypeMaskPointEyes = "maskPointEyes" - TypeMaskPointMouth = "maskPointMouth" - TypeMaskPointChin = "maskPointChin" - TypeMaskPosition = "maskPosition" - TypeStickerFormatWebp = "stickerFormatWebp" - TypeStickerFormatTgs = "stickerFormatTgs" - TypeStickerFormatWebm = "stickerFormatWebm" - TypeStickerTypeRegular = "stickerTypeRegular" - TypeStickerTypeMask = "stickerTypeMask" - TypeStickerTypeCustomEmoji = "stickerTypeCustomEmoji" - TypeStickerFullTypeRegular = "stickerFullTypeRegular" - TypeStickerFullTypeMask = "stickerFullTypeMask" - TypeStickerFullTypeCustomEmoji = "stickerFullTypeCustomEmoji" - TypeClosedVectorPath = "closedVectorPath" - TypePollOption = "pollOption" - TypePollTypeRegular = "pollTypeRegular" - TypePollTypeQuiz = "pollTypeQuiz" - TypeAnimation = "animation" - TypeAudio = "audio" - TypeDocument = "document" - TypePhoto = "photo" - TypeSticker = "sticker" - TypeVideo = "video" - TypeVideoNote = "videoNote" - TypeVoiceNote = "voiceNote" - TypeAnimatedEmoji = "animatedEmoji" - TypeContact = "contact" - TypeLocation = "location" - TypeVenue = "venue" - TypeGame = "game" - TypeWebApp = "webApp" - TypePoll = "poll" - TypeProfilePhoto = "profilePhoto" - TypeChatPhotoInfo = "chatPhotoInfo" - TypeUserTypeRegular = "userTypeRegular" - TypeUserTypeDeleted = "userTypeDeleted" - TypeUserTypeBot = "userTypeBot" - TypeUserTypeUnknown = "userTypeUnknown" - TypeBotCommand = "botCommand" - TypeBotCommands = "botCommands" - TypeBotMenuButton = "botMenuButton" - TypeChatLocation = "chatLocation" - TypeChatPhotoStickerTypeRegularOrMask = "chatPhotoStickerTypeRegularOrMask" - TypeChatPhotoStickerTypeCustomEmoji = "chatPhotoStickerTypeCustomEmoji" - TypeChatPhotoSticker = "chatPhotoSticker" - TypeAnimatedChatPhoto = "animatedChatPhoto" - TypeChatPhoto = "chatPhoto" - TypeChatPhotos = "chatPhotos" - TypeInputChatPhotoPrevious = "inputChatPhotoPrevious" - TypeInputChatPhotoStatic = "inputChatPhotoStatic" - TypeInputChatPhotoAnimation = "inputChatPhotoAnimation" - TypeInputChatPhotoSticker = "inputChatPhotoSticker" - TypeChatPermissions = "chatPermissions" - TypeChatAdministratorRights = "chatAdministratorRights" - TypePremiumPaymentOption = "premiumPaymentOption" - TypePremiumStatePaymentOption = "premiumStatePaymentOption" - TypeEmojiStatus = "emojiStatus" - TypeEmojiStatuses = "emojiStatuses" - TypeUsernames = "usernames" - TypeUser = "user" - TypeBotInfo = "botInfo" - TypeUserFullInfo = "userFullInfo" - TypeUsers = "users" - TypeChatAdministrator = "chatAdministrator" - TypeChatAdministrators = "chatAdministrators" - TypeChatMemberStatusCreator = "chatMemberStatusCreator" - TypeChatMemberStatusAdministrator = "chatMemberStatusAdministrator" - TypeChatMemberStatusMember = "chatMemberStatusMember" - TypeChatMemberStatusRestricted = "chatMemberStatusRestricted" - TypeChatMemberStatusLeft = "chatMemberStatusLeft" - TypeChatMemberStatusBanned = "chatMemberStatusBanned" - TypeChatMember = "chatMember" - TypeChatMembers = "chatMembers" - TypeChatMembersFilterContacts = "chatMembersFilterContacts" - TypeChatMembersFilterAdministrators = "chatMembersFilterAdministrators" - TypeChatMembersFilterMembers = "chatMembersFilterMembers" - TypeChatMembersFilterMention = "chatMembersFilterMention" - TypeChatMembersFilterRestricted = "chatMembersFilterRestricted" - TypeChatMembersFilterBanned = "chatMembersFilterBanned" - TypeChatMembersFilterBots = "chatMembersFilterBots" - TypeSupergroupMembersFilterRecent = "supergroupMembersFilterRecent" - TypeSupergroupMembersFilterContacts = "supergroupMembersFilterContacts" - TypeSupergroupMembersFilterAdministrators = "supergroupMembersFilterAdministrators" - TypeSupergroupMembersFilterSearch = "supergroupMembersFilterSearch" - TypeSupergroupMembersFilterRestricted = "supergroupMembersFilterRestricted" - TypeSupergroupMembersFilterBanned = "supergroupMembersFilterBanned" - TypeSupergroupMembersFilterMention = "supergroupMembersFilterMention" - TypeSupergroupMembersFilterBots = "supergroupMembersFilterBots" - TypeChatInviteLink = "chatInviteLink" - TypeChatInviteLinks = "chatInviteLinks" - TypeChatInviteLinkCount = "chatInviteLinkCount" - TypeChatInviteLinkCounts = "chatInviteLinkCounts" - TypeChatInviteLinkMember = "chatInviteLinkMember" - TypeChatInviteLinkMembers = "chatInviteLinkMembers" - TypeChatInviteLinkInfo = "chatInviteLinkInfo" - TypeChatJoinRequest = "chatJoinRequest" - TypeChatJoinRequests = "chatJoinRequests" - TypeChatJoinRequestsInfo = "chatJoinRequestsInfo" - TypeBasicGroup = "basicGroup" - TypeBasicGroupFullInfo = "basicGroupFullInfo" - TypeSupergroup = "supergroup" - TypeSupergroupFullInfo = "supergroupFullInfo" - TypeSecretChatStatePending = "secretChatStatePending" - TypeSecretChatStateReady = "secretChatStateReady" - TypeSecretChatStateClosed = "secretChatStateClosed" - TypeSecretChat = "secretChat" - TypeMessageSenderUser = "messageSenderUser" - TypeMessageSenderChat = "messageSenderChat" - TypeMessageSenders = "messageSenders" - TypeChatMessageSender = "chatMessageSender" - TypeChatMessageSenders = "chatMessageSenders" - TypeMessageViewer = "messageViewer" - TypeMessageViewers = "messageViewers" - TypeMessageForwardOriginUser = "messageForwardOriginUser" - TypeMessageForwardOriginChat = "messageForwardOriginChat" - TypeMessageForwardOriginHiddenUser = "messageForwardOriginHiddenUser" - TypeMessageForwardOriginChannel = "messageForwardOriginChannel" - TypeMessageForwardOriginMessageImport = "messageForwardOriginMessageImport" - TypeReactionTypeEmoji = "reactionTypeEmoji" - TypeReactionTypeCustomEmoji = "reactionTypeCustomEmoji" - TypeMessageForwardInfo = "messageForwardInfo" - TypeMessageReplyInfo = "messageReplyInfo" - TypeMessageReaction = "messageReaction" - TypeMessageInteractionInfo = "messageInteractionInfo" - TypeUnreadReaction = "unreadReaction" - TypeMessageSendingStatePending = "messageSendingStatePending" - TypeMessageSendingStateFailed = "messageSendingStateFailed" - TypeMessage = "message" - TypeMessages = "messages" - TypeFoundMessages = "foundMessages" - TypeFoundChatMessages = "foundChatMessages" - TypeMessagePosition = "messagePosition" - TypeMessagePositions = "messagePositions" - TypeMessageCalendarDay = "messageCalendarDay" - TypeMessageCalendar = "messageCalendar" - TypeMessageSourceChatHistory = "messageSourceChatHistory" - TypeMessageSourceMessageThreadHistory = "messageSourceMessageThreadHistory" - TypeMessageSourceForumTopicHistory = "messageSourceForumTopicHistory" - TypeMessageSourceHistoryPreview = "messageSourceHistoryPreview" - TypeMessageSourceChatList = "messageSourceChatList" - TypeMessageSourceSearch = "messageSourceSearch" - TypeMessageSourceChatEventLog = "messageSourceChatEventLog" - TypeMessageSourceNotification = "messageSourceNotification" - TypeMessageSourceOther = "messageSourceOther" - TypeSponsoredMessage = "sponsoredMessage" - TypeSponsoredMessages = "sponsoredMessages" - TypeFileDownload = "fileDownload" - TypeDownloadedFileCounts = "downloadedFileCounts" - TypeFoundFileDownloads = "foundFileDownloads" - TypeNotificationSettingsScopePrivateChats = "notificationSettingsScopePrivateChats" - TypeNotificationSettingsScopeGroupChats = "notificationSettingsScopeGroupChats" - TypeNotificationSettingsScopeChannelChats = "notificationSettingsScopeChannelChats" - TypeChatNotificationSettings = "chatNotificationSettings" - TypeScopeNotificationSettings = "scopeNotificationSettings" - TypeDraftMessage = "draftMessage" - TypeChatTypePrivate = "chatTypePrivate" - TypeChatTypeBasicGroup = "chatTypeBasicGroup" - TypeChatTypeSupergroup = "chatTypeSupergroup" - TypeChatTypeSecret = "chatTypeSecret" - TypeChatFilter = "chatFilter" - TypeChatFilterInfo = "chatFilterInfo" - TypeRecommendedChatFilter = "recommendedChatFilter" - TypeRecommendedChatFilters = "recommendedChatFilters" - TypeChatListMain = "chatListMain" - TypeChatListArchive = "chatListArchive" - TypeChatListFilter = "chatListFilter" - TypeChatLists = "chatLists" - TypeChatSourceMtprotoProxy = "chatSourceMtprotoProxy" - TypeChatSourcePublicServiceAnnouncement = "chatSourcePublicServiceAnnouncement" - TypeChatPosition = "chatPosition" - TypeChatAvailableReactionsAll = "chatAvailableReactionsAll" - TypeChatAvailableReactionsSome = "chatAvailableReactionsSome" - TypeVideoChat = "videoChat" - TypeChat = "chat" - TypeChats = "chats" - TypeChatNearby = "chatNearby" - TypeChatsNearby = "chatsNearby" - TypePublicChatTypeHasUsername = "publicChatTypeHasUsername" - TypePublicChatTypeIsLocationBased = "publicChatTypeIsLocationBased" - TypeChatActionBarReportSpam = "chatActionBarReportSpam" - TypeChatActionBarReportUnrelatedLocation = "chatActionBarReportUnrelatedLocation" - TypeChatActionBarInviteMembers = "chatActionBarInviteMembers" - TypeChatActionBarReportAddBlock = "chatActionBarReportAddBlock" - TypeChatActionBarAddContact = "chatActionBarAddContact" - TypeChatActionBarSharePhoneNumber = "chatActionBarSharePhoneNumber" - TypeChatActionBarJoinRequest = "chatActionBarJoinRequest" - TypeKeyboardButtonTypeText = "keyboardButtonTypeText" - TypeKeyboardButtonTypeRequestPhoneNumber = "keyboardButtonTypeRequestPhoneNumber" - TypeKeyboardButtonTypeRequestLocation = "keyboardButtonTypeRequestLocation" - TypeKeyboardButtonTypeRequestPoll = "keyboardButtonTypeRequestPoll" - TypeKeyboardButtonTypeRequestUser = "keyboardButtonTypeRequestUser" - TypeKeyboardButtonTypeRequestChat = "keyboardButtonTypeRequestChat" - TypeKeyboardButtonTypeWebApp = "keyboardButtonTypeWebApp" - TypeKeyboardButton = "keyboardButton" - TypeInlineKeyboardButtonTypeUrl = "inlineKeyboardButtonTypeUrl" - TypeInlineKeyboardButtonTypeLoginUrl = "inlineKeyboardButtonTypeLoginUrl" - TypeInlineKeyboardButtonTypeWebApp = "inlineKeyboardButtonTypeWebApp" - TypeInlineKeyboardButtonTypeCallback = "inlineKeyboardButtonTypeCallback" - TypeInlineKeyboardButtonTypeCallbackWithPassword = "inlineKeyboardButtonTypeCallbackWithPassword" - TypeInlineKeyboardButtonTypeCallbackGame = "inlineKeyboardButtonTypeCallbackGame" - TypeInlineKeyboardButtonTypeSwitchInline = "inlineKeyboardButtonTypeSwitchInline" - TypeInlineKeyboardButtonTypeBuy = "inlineKeyboardButtonTypeBuy" - TypeInlineKeyboardButtonTypeUser = "inlineKeyboardButtonTypeUser" - TypeInlineKeyboardButton = "inlineKeyboardButton" - TypeReplyMarkupRemoveKeyboard = "replyMarkupRemoveKeyboard" - TypeReplyMarkupForceReply = "replyMarkupForceReply" - TypeReplyMarkupShowKeyboard = "replyMarkupShowKeyboard" - TypeReplyMarkupInlineKeyboard = "replyMarkupInlineKeyboard" - TypeLoginUrlInfoOpen = "loginUrlInfoOpen" - TypeLoginUrlInfoRequestConfirmation = "loginUrlInfoRequestConfirmation" - TypeFoundWebApp = "foundWebApp" - TypeWebAppInfo = "webAppInfo" - TypeMessageThreadInfo = "messageThreadInfo" - TypeForumTopicIcon = "forumTopicIcon" - TypeForumTopicInfo = "forumTopicInfo" - TypeForumTopic = "forumTopic" - TypeForumTopics = "forumTopics" - TypeRichTextPlain = "richTextPlain" - TypeRichTextBold = "richTextBold" - TypeRichTextItalic = "richTextItalic" - TypeRichTextUnderline = "richTextUnderline" - TypeRichTextStrikethrough = "richTextStrikethrough" - TypeRichTextFixed = "richTextFixed" - TypeRichTextUrl = "richTextUrl" - TypeRichTextEmailAddress = "richTextEmailAddress" - TypeRichTextSubscript = "richTextSubscript" - TypeRichTextSuperscript = "richTextSuperscript" - TypeRichTextMarked = "richTextMarked" - TypeRichTextPhoneNumber = "richTextPhoneNumber" - TypeRichTextIcon = "richTextIcon" - TypeRichTextReference = "richTextReference" - TypeRichTextAnchor = "richTextAnchor" - TypeRichTextAnchorLink = "richTextAnchorLink" - TypeRichTexts = "richTexts" - TypePageBlockCaption = "pageBlockCaption" - TypePageBlockListItem = "pageBlockListItem" - TypePageBlockHorizontalAlignmentLeft = "pageBlockHorizontalAlignmentLeft" - TypePageBlockHorizontalAlignmentCenter = "pageBlockHorizontalAlignmentCenter" - TypePageBlockHorizontalAlignmentRight = "pageBlockHorizontalAlignmentRight" - TypePageBlockVerticalAlignmentTop = "pageBlockVerticalAlignmentTop" - TypePageBlockVerticalAlignmentMiddle = "pageBlockVerticalAlignmentMiddle" - TypePageBlockVerticalAlignmentBottom = "pageBlockVerticalAlignmentBottom" - TypePageBlockTableCell = "pageBlockTableCell" - TypePageBlockRelatedArticle = "pageBlockRelatedArticle" - TypePageBlockTitle = "pageBlockTitle" - TypePageBlockSubtitle = "pageBlockSubtitle" - TypePageBlockAuthorDate = "pageBlockAuthorDate" - TypePageBlockHeader = "pageBlockHeader" - TypePageBlockSubheader = "pageBlockSubheader" - TypePageBlockKicker = "pageBlockKicker" - TypePageBlockParagraph = "pageBlockParagraph" - TypePageBlockPreformatted = "pageBlockPreformatted" - TypePageBlockFooter = "pageBlockFooter" - TypePageBlockDivider = "pageBlockDivider" - TypePageBlockAnchor = "pageBlockAnchor" - TypePageBlockList = "pageBlockList" - TypePageBlockBlockQuote = "pageBlockBlockQuote" - TypePageBlockPullQuote = "pageBlockPullQuote" - TypePageBlockAnimation = "pageBlockAnimation" - TypePageBlockAudio = "pageBlockAudio" - TypePageBlockPhoto = "pageBlockPhoto" - TypePageBlockVideo = "pageBlockVideo" - TypePageBlockVoiceNote = "pageBlockVoiceNote" - TypePageBlockCover = "pageBlockCover" - TypePageBlockEmbedded = "pageBlockEmbedded" - TypePageBlockEmbeddedPost = "pageBlockEmbeddedPost" - TypePageBlockCollage = "pageBlockCollage" - TypePageBlockSlideshow = "pageBlockSlideshow" - TypePageBlockChatLink = "pageBlockChatLink" - TypePageBlockTable = "pageBlockTable" - TypePageBlockDetails = "pageBlockDetails" - TypePageBlockRelatedArticles = "pageBlockRelatedArticles" - TypePageBlockMap = "pageBlockMap" - TypeWebPageInstantView = "webPageInstantView" - TypeWebPage = "webPage" - TypeCountryInfo = "countryInfo" - TypeCountries = "countries" - TypePhoneNumberInfo = "phoneNumberInfo" - TypeBankCardActionOpenUrl = "bankCardActionOpenUrl" - TypeBankCardInfo = "bankCardInfo" - TypeAddress = "address" - TypeThemeParameters = "themeParameters" - TypeLabeledPricePart = "labeledPricePart" - TypeInvoice = "invoice" - TypeOrderInfo = "orderInfo" - TypeShippingOption = "shippingOption" - TypeSavedCredentials = "savedCredentials" - TypeInputCredentialsSaved = "inputCredentialsSaved" - TypeInputCredentialsNew = "inputCredentialsNew" - TypeInputCredentialsApplePay = "inputCredentialsApplePay" - TypeInputCredentialsGooglePay = "inputCredentialsGooglePay" - TypePaymentProviderSmartGlocal = "paymentProviderSmartGlocal" - TypePaymentProviderStripe = "paymentProviderStripe" - TypePaymentProviderOther = "paymentProviderOther" - TypePaymentOption = "paymentOption" - TypePaymentForm = "paymentForm" - TypeValidatedOrderInfo = "validatedOrderInfo" - TypePaymentResult = "paymentResult" - TypePaymentReceipt = "paymentReceipt" - TypeInputInvoiceMessage = "inputInvoiceMessage" - TypeInputInvoiceName = "inputInvoiceName" - TypeMessageExtendedMediaPreview = "messageExtendedMediaPreview" - TypeMessageExtendedMediaPhoto = "messageExtendedMediaPhoto" - TypeMessageExtendedMediaVideo = "messageExtendedMediaVideo" - TypeMessageExtendedMediaUnsupported = "messageExtendedMediaUnsupported" - TypeDatedFile = "datedFile" - TypePassportElementTypePersonalDetails = "passportElementTypePersonalDetails" - TypePassportElementTypePassport = "passportElementTypePassport" - TypePassportElementTypeDriverLicense = "passportElementTypeDriverLicense" - TypePassportElementTypeIdentityCard = "passportElementTypeIdentityCard" - TypePassportElementTypeInternalPassport = "passportElementTypeInternalPassport" - TypePassportElementTypeAddress = "passportElementTypeAddress" - TypePassportElementTypeUtilityBill = "passportElementTypeUtilityBill" - TypePassportElementTypeBankStatement = "passportElementTypeBankStatement" - TypePassportElementTypeRentalAgreement = "passportElementTypeRentalAgreement" - TypePassportElementTypePassportRegistration = "passportElementTypePassportRegistration" - TypePassportElementTypeTemporaryRegistration = "passportElementTypeTemporaryRegistration" - TypePassportElementTypePhoneNumber = "passportElementTypePhoneNumber" - TypePassportElementTypeEmailAddress = "passportElementTypeEmailAddress" - TypeDate = "date" - TypePersonalDetails = "personalDetails" - TypeIdentityDocument = "identityDocument" - TypeInputIdentityDocument = "inputIdentityDocument" - TypePersonalDocument = "personalDocument" - TypeInputPersonalDocument = "inputPersonalDocument" - TypePassportElementPersonalDetails = "passportElementPersonalDetails" - TypePassportElementPassport = "passportElementPassport" - TypePassportElementDriverLicense = "passportElementDriverLicense" - TypePassportElementIdentityCard = "passportElementIdentityCard" - TypePassportElementInternalPassport = "passportElementInternalPassport" - TypePassportElementAddress = "passportElementAddress" - TypePassportElementUtilityBill = "passportElementUtilityBill" - TypePassportElementBankStatement = "passportElementBankStatement" - TypePassportElementRentalAgreement = "passportElementRentalAgreement" - TypePassportElementPassportRegistration = "passportElementPassportRegistration" - TypePassportElementTemporaryRegistration = "passportElementTemporaryRegistration" - TypePassportElementPhoneNumber = "passportElementPhoneNumber" - TypePassportElementEmailAddress = "passportElementEmailAddress" - TypeInputPassportElementPersonalDetails = "inputPassportElementPersonalDetails" - TypeInputPassportElementPassport = "inputPassportElementPassport" - TypeInputPassportElementDriverLicense = "inputPassportElementDriverLicense" - TypeInputPassportElementIdentityCard = "inputPassportElementIdentityCard" - TypeInputPassportElementInternalPassport = "inputPassportElementInternalPassport" - TypeInputPassportElementAddress = "inputPassportElementAddress" - TypeInputPassportElementUtilityBill = "inputPassportElementUtilityBill" - TypeInputPassportElementBankStatement = "inputPassportElementBankStatement" - TypeInputPassportElementRentalAgreement = "inputPassportElementRentalAgreement" - TypeInputPassportElementPassportRegistration = "inputPassportElementPassportRegistration" - TypeInputPassportElementTemporaryRegistration = "inputPassportElementTemporaryRegistration" - TypeInputPassportElementPhoneNumber = "inputPassportElementPhoneNumber" - TypeInputPassportElementEmailAddress = "inputPassportElementEmailAddress" - TypePassportElements = "passportElements" - TypePassportElementErrorSourceUnspecified = "passportElementErrorSourceUnspecified" - TypePassportElementErrorSourceDataField = "passportElementErrorSourceDataField" - TypePassportElementErrorSourceFrontSide = "passportElementErrorSourceFrontSide" - TypePassportElementErrorSourceReverseSide = "passportElementErrorSourceReverseSide" - TypePassportElementErrorSourceSelfie = "passportElementErrorSourceSelfie" - TypePassportElementErrorSourceTranslationFile = "passportElementErrorSourceTranslationFile" - TypePassportElementErrorSourceTranslationFiles = "passportElementErrorSourceTranslationFiles" - TypePassportElementErrorSourceFile = "passportElementErrorSourceFile" - TypePassportElementErrorSourceFiles = "passportElementErrorSourceFiles" - TypePassportElementError = "passportElementError" - TypePassportSuitableElement = "passportSuitableElement" - TypePassportRequiredElement = "passportRequiredElement" - TypePassportAuthorizationForm = "passportAuthorizationForm" - TypePassportElementsWithErrors = "passportElementsWithErrors" - TypeEncryptedCredentials = "encryptedCredentials" - TypeEncryptedPassportElement = "encryptedPassportElement" - TypeInputPassportElementErrorSourceUnspecified = "inputPassportElementErrorSourceUnspecified" - TypeInputPassportElementErrorSourceDataField = "inputPassportElementErrorSourceDataField" - TypeInputPassportElementErrorSourceFrontSide = "inputPassportElementErrorSourceFrontSide" - TypeInputPassportElementErrorSourceReverseSide = "inputPassportElementErrorSourceReverseSide" - TypeInputPassportElementErrorSourceSelfie = "inputPassportElementErrorSourceSelfie" - TypeInputPassportElementErrorSourceTranslationFile = "inputPassportElementErrorSourceTranslationFile" - TypeInputPassportElementErrorSourceTranslationFiles = "inputPassportElementErrorSourceTranslationFiles" - TypeInputPassportElementErrorSourceFile = "inputPassportElementErrorSourceFile" - TypeInputPassportElementErrorSourceFiles = "inputPassportElementErrorSourceFiles" - TypeInputPassportElementError = "inputPassportElementError" - TypeMessageText = "messageText" - TypeMessageAnimation = "messageAnimation" - TypeMessageAudio = "messageAudio" - TypeMessageDocument = "messageDocument" - TypeMessagePhoto = "messagePhoto" - TypeMessageExpiredPhoto = "messageExpiredPhoto" - TypeMessageSticker = "messageSticker" - TypeMessageVideo = "messageVideo" - TypeMessageExpiredVideo = "messageExpiredVideo" - TypeMessageVideoNote = "messageVideoNote" - TypeMessageVoiceNote = "messageVoiceNote" - TypeMessageLocation = "messageLocation" - TypeMessageVenue = "messageVenue" - TypeMessageContact = "messageContact" - TypeMessageAnimatedEmoji = "messageAnimatedEmoji" - TypeMessageDice = "messageDice" - TypeMessageGame = "messageGame" - TypeMessagePoll = "messagePoll" - TypeMessageInvoice = "messageInvoice" - TypeMessageCall = "messageCall" - TypeMessageVideoChatScheduled = "messageVideoChatScheduled" - TypeMessageVideoChatStarted = "messageVideoChatStarted" - TypeMessageVideoChatEnded = "messageVideoChatEnded" - TypeMessageInviteVideoChatParticipants = "messageInviteVideoChatParticipants" - TypeMessageBasicGroupChatCreate = "messageBasicGroupChatCreate" - TypeMessageSupergroupChatCreate = "messageSupergroupChatCreate" - TypeMessageChatChangeTitle = "messageChatChangeTitle" - TypeMessageChatChangePhoto = "messageChatChangePhoto" - TypeMessageChatDeletePhoto = "messageChatDeletePhoto" - TypeMessageChatAddMembers = "messageChatAddMembers" - TypeMessageChatJoinByLink = "messageChatJoinByLink" - TypeMessageChatJoinByRequest = "messageChatJoinByRequest" - TypeMessageChatDeleteMember = "messageChatDeleteMember" - TypeMessageChatUpgradeTo = "messageChatUpgradeTo" - TypeMessageChatUpgradeFrom = "messageChatUpgradeFrom" - TypeMessagePinMessage = "messagePinMessage" - TypeMessageScreenshotTaken = "messageScreenshotTaken" - TypeMessageChatSetTheme = "messageChatSetTheme" - TypeMessageChatSetMessageAutoDeleteTime = "messageChatSetMessageAutoDeleteTime" - TypeMessageForumTopicCreated = "messageForumTopicCreated" - TypeMessageForumTopicEdited = "messageForumTopicEdited" - TypeMessageForumTopicIsClosedToggled = "messageForumTopicIsClosedToggled" - TypeMessageForumTopicIsHiddenToggled = "messageForumTopicIsHiddenToggled" - TypeMessageSuggestProfilePhoto = "messageSuggestProfilePhoto" - TypeMessageCustomServiceAction = "messageCustomServiceAction" - TypeMessageGameScore = "messageGameScore" - TypeMessagePaymentSuccessful = "messagePaymentSuccessful" - TypeMessagePaymentSuccessfulBot = "messagePaymentSuccessfulBot" - TypeMessageGiftedPremium = "messageGiftedPremium" - TypeMessageContactRegistered = "messageContactRegistered" - TypeMessageUserShared = "messageUserShared" - TypeMessageChatShared = "messageChatShared" - TypeMessageWebsiteConnected = "messageWebsiteConnected" - TypeMessageBotWriteAccessAllowed = "messageBotWriteAccessAllowed" - TypeMessageWebAppDataSent = "messageWebAppDataSent" - TypeMessageWebAppDataReceived = "messageWebAppDataReceived" - TypeMessagePassportDataSent = "messagePassportDataSent" - TypeMessagePassportDataReceived = "messagePassportDataReceived" - TypeMessageProximityAlertTriggered = "messageProximityAlertTriggered" - TypeMessageUnsupported = "messageUnsupported" - TypeTextEntityTypeMention = "textEntityTypeMention" - TypeTextEntityTypeHashtag = "textEntityTypeHashtag" - TypeTextEntityTypeCashtag = "textEntityTypeCashtag" - TypeTextEntityTypeBotCommand = "textEntityTypeBotCommand" - TypeTextEntityTypeUrl = "textEntityTypeUrl" - TypeTextEntityTypeEmailAddress = "textEntityTypeEmailAddress" - TypeTextEntityTypePhoneNumber = "textEntityTypePhoneNumber" - TypeTextEntityTypeBankCardNumber = "textEntityTypeBankCardNumber" - TypeTextEntityTypeBold = "textEntityTypeBold" - TypeTextEntityTypeItalic = "textEntityTypeItalic" - TypeTextEntityTypeUnderline = "textEntityTypeUnderline" - TypeTextEntityTypeStrikethrough = "textEntityTypeStrikethrough" - TypeTextEntityTypeSpoiler = "textEntityTypeSpoiler" - TypeTextEntityTypeCode = "textEntityTypeCode" - TypeTextEntityTypePre = "textEntityTypePre" - TypeTextEntityTypePreCode = "textEntityTypePreCode" - TypeTextEntityTypeTextUrl = "textEntityTypeTextUrl" - TypeTextEntityTypeMentionName = "textEntityTypeMentionName" - TypeTextEntityTypeCustomEmoji = "textEntityTypeCustomEmoji" - TypeTextEntityTypeMediaTimestamp = "textEntityTypeMediaTimestamp" - TypeInputThumbnail = "inputThumbnail" - TypeMessageSchedulingStateSendAtDate = "messageSchedulingStateSendAtDate" - TypeMessageSchedulingStateSendWhenOnline = "messageSchedulingStateSendWhenOnline" - TypeMessageSendOptions = "messageSendOptions" - TypeMessageCopyOptions = "messageCopyOptions" - TypeInputMessageText = "inputMessageText" - TypeInputMessageAnimation = "inputMessageAnimation" - TypeInputMessageAudio = "inputMessageAudio" - TypeInputMessageDocument = "inputMessageDocument" - TypeInputMessagePhoto = "inputMessagePhoto" - TypeInputMessageSticker = "inputMessageSticker" - TypeInputMessageVideo = "inputMessageVideo" - TypeInputMessageVideoNote = "inputMessageVideoNote" - TypeInputMessageVoiceNote = "inputMessageVoiceNote" - TypeInputMessageLocation = "inputMessageLocation" - TypeInputMessageVenue = "inputMessageVenue" - TypeInputMessageContact = "inputMessageContact" - TypeInputMessageDice = "inputMessageDice" - TypeInputMessageGame = "inputMessageGame" - TypeInputMessageInvoice = "inputMessageInvoice" - TypeInputMessagePoll = "inputMessagePoll" - TypeInputMessageForwarded = "inputMessageForwarded" - TypeSearchMessagesFilterEmpty = "searchMessagesFilterEmpty" - TypeSearchMessagesFilterAnimation = "searchMessagesFilterAnimation" - TypeSearchMessagesFilterAudio = "searchMessagesFilterAudio" - TypeSearchMessagesFilterDocument = "searchMessagesFilterDocument" - TypeSearchMessagesFilterPhoto = "searchMessagesFilterPhoto" - TypeSearchMessagesFilterVideo = "searchMessagesFilterVideo" - TypeSearchMessagesFilterVoiceNote = "searchMessagesFilterVoiceNote" - TypeSearchMessagesFilterPhotoAndVideo = "searchMessagesFilterPhotoAndVideo" - TypeSearchMessagesFilterUrl = "searchMessagesFilterUrl" - TypeSearchMessagesFilterChatPhoto = "searchMessagesFilterChatPhoto" - TypeSearchMessagesFilterVideoNote = "searchMessagesFilterVideoNote" - TypeSearchMessagesFilterVoiceAndVideoNote = "searchMessagesFilterVoiceAndVideoNote" - TypeSearchMessagesFilterMention = "searchMessagesFilterMention" - TypeSearchMessagesFilterUnreadMention = "searchMessagesFilterUnreadMention" - TypeSearchMessagesFilterUnreadReaction = "searchMessagesFilterUnreadReaction" - TypeSearchMessagesFilterFailedToSend = "searchMessagesFilterFailedToSend" - TypeSearchMessagesFilterPinned = "searchMessagesFilterPinned" - TypeChatActionTyping = "chatActionTyping" - TypeChatActionRecordingVideo = "chatActionRecordingVideo" - TypeChatActionUploadingVideo = "chatActionUploadingVideo" - TypeChatActionRecordingVoiceNote = "chatActionRecordingVoiceNote" - TypeChatActionUploadingVoiceNote = "chatActionUploadingVoiceNote" - TypeChatActionUploadingPhoto = "chatActionUploadingPhoto" - TypeChatActionUploadingDocument = "chatActionUploadingDocument" - TypeChatActionChoosingSticker = "chatActionChoosingSticker" - TypeChatActionChoosingLocation = "chatActionChoosingLocation" - TypeChatActionChoosingContact = "chatActionChoosingContact" - TypeChatActionStartPlayingGame = "chatActionStartPlayingGame" - TypeChatActionRecordingVideoNote = "chatActionRecordingVideoNote" - TypeChatActionUploadingVideoNote = "chatActionUploadingVideoNote" - TypeChatActionWatchingAnimations = "chatActionWatchingAnimations" - TypeChatActionCancel = "chatActionCancel" - TypeUserStatusEmpty = "userStatusEmpty" - TypeUserStatusOnline = "userStatusOnline" - TypeUserStatusOffline = "userStatusOffline" - TypeUserStatusRecently = "userStatusRecently" - TypeUserStatusLastWeek = "userStatusLastWeek" - TypeUserStatusLastMonth = "userStatusLastMonth" - TypeStickers = "stickers" - TypeEmojis = "emojis" - TypeStickerSet = "stickerSet" - TypeStickerSetInfo = "stickerSetInfo" - TypeStickerSets = "stickerSets" - TypeTrendingStickerSets = "trendingStickerSets" - TypeEmojiCategory = "emojiCategory" - TypeEmojiCategories = "emojiCategories" - TypeEmojiCategoryTypeDefault = "emojiCategoryTypeDefault" - TypeEmojiCategoryTypeEmojiStatus = "emojiCategoryTypeEmojiStatus" - TypeEmojiCategoryTypeChatPhoto = "emojiCategoryTypeChatPhoto" - TypeCallDiscardReasonEmpty = "callDiscardReasonEmpty" - TypeCallDiscardReasonMissed = "callDiscardReasonMissed" - TypeCallDiscardReasonDeclined = "callDiscardReasonDeclined" - TypeCallDiscardReasonDisconnected = "callDiscardReasonDisconnected" - TypeCallDiscardReasonHungUp = "callDiscardReasonHungUp" - TypeCallProtocol = "callProtocol" - TypeCallServerTypeTelegramReflector = "callServerTypeTelegramReflector" - TypeCallServerTypeWebrtc = "callServerTypeWebrtc" - TypeCallServer = "callServer" - TypeCallId = "callId" - TypeGroupCallId = "groupCallId" - TypeCallStatePending = "callStatePending" - TypeCallStateExchangingKeys = "callStateExchangingKeys" - TypeCallStateReady = "callStateReady" - TypeCallStateHangingUp = "callStateHangingUp" - TypeCallStateDiscarded = "callStateDiscarded" - TypeCallStateError = "callStateError" - TypeGroupCallVideoQualityThumbnail = "groupCallVideoQualityThumbnail" - TypeGroupCallVideoQualityMedium = "groupCallVideoQualityMedium" - TypeGroupCallVideoQualityFull = "groupCallVideoQualityFull" - TypeGroupCallStream = "groupCallStream" - TypeGroupCallStreams = "groupCallStreams" - TypeRtmpUrl = "rtmpUrl" - TypeGroupCallRecentSpeaker = "groupCallRecentSpeaker" - TypeGroupCall = "groupCall" - TypeGroupCallVideoSourceGroup = "groupCallVideoSourceGroup" - TypeGroupCallParticipantVideoInfo = "groupCallParticipantVideoInfo" - TypeGroupCallParticipant = "groupCallParticipant" - TypeCallProblemEcho = "callProblemEcho" - TypeCallProblemNoise = "callProblemNoise" - TypeCallProblemInterruptions = "callProblemInterruptions" - TypeCallProblemDistortedSpeech = "callProblemDistortedSpeech" - TypeCallProblemSilentLocal = "callProblemSilentLocal" - TypeCallProblemSilentRemote = "callProblemSilentRemote" - TypeCallProblemDropped = "callProblemDropped" - TypeCallProblemDistortedVideo = "callProblemDistortedVideo" - TypeCallProblemPixelatedVideo = "callProblemPixelatedVideo" - TypeCall = "call" - TypeFirebaseAuthenticationSettingsAndroid = "firebaseAuthenticationSettingsAndroid" - TypeFirebaseAuthenticationSettingsIos = "firebaseAuthenticationSettingsIos" - TypePhoneNumberAuthenticationSettings = "phoneNumberAuthenticationSettings" - TypeAddedReaction = "addedReaction" - TypeAddedReactions = "addedReactions" - TypeAvailableReaction = "availableReaction" - TypeAvailableReactions = "availableReactions" - TypeEmojiReaction = "emojiReaction" - TypeAnimations = "animations" - TypeDiceStickersRegular = "diceStickersRegular" - TypeDiceStickersSlotMachine = "diceStickersSlotMachine" - TypeImportedContacts = "importedContacts" - TypeSpeechRecognitionResultPending = "speechRecognitionResultPending" - TypeSpeechRecognitionResultText = "speechRecognitionResultText" - TypeSpeechRecognitionResultError = "speechRecognitionResultError" - TypeAttachmentMenuBotColor = "attachmentMenuBotColor" - TypeAttachmentMenuBot = "attachmentMenuBot" - TypeSentWebAppMessage = "sentWebAppMessage" - TypeHttpUrl = "httpUrl" - TypeUserLink = "userLink" - TypeInputInlineQueryResultAnimation = "inputInlineQueryResultAnimation" - TypeInputInlineQueryResultArticle = "inputInlineQueryResultArticle" - TypeInputInlineQueryResultAudio = "inputInlineQueryResultAudio" - TypeInputInlineQueryResultContact = "inputInlineQueryResultContact" - TypeInputInlineQueryResultDocument = "inputInlineQueryResultDocument" - TypeInputInlineQueryResultGame = "inputInlineQueryResultGame" - TypeInputInlineQueryResultLocation = "inputInlineQueryResultLocation" - TypeInputInlineQueryResultPhoto = "inputInlineQueryResultPhoto" - TypeInputInlineQueryResultSticker = "inputInlineQueryResultSticker" - TypeInputInlineQueryResultVenue = "inputInlineQueryResultVenue" - TypeInputInlineQueryResultVideo = "inputInlineQueryResultVideo" - TypeInputInlineQueryResultVoiceNote = "inputInlineQueryResultVoiceNote" - TypeInlineQueryResultArticle = "inlineQueryResultArticle" - TypeInlineQueryResultContact = "inlineQueryResultContact" - TypeInlineQueryResultLocation = "inlineQueryResultLocation" - TypeInlineQueryResultVenue = "inlineQueryResultVenue" - TypeInlineQueryResultGame = "inlineQueryResultGame" - TypeInlineQueryResultAnimation = "inlineQueryResultAnimation" - TypeInlineQueryResultAudio = "inlineQueryResultAudio" - TypeInlineQueryResultDocument = "inlineQueryResultDocument" - TypeInlineQueryResultPhoto = "inlineQueryResultPhoto" - TypeInlineQueryResultSticker = "inlineQueryResultSticker" - TypeInlineQueryResultVideo = "inlineQueryResultVideo" - TypeInlineQueryResultVoiceNote = "inlineQueryResultVoiceNote" - TypeInlineQueryResultsButtonTypeStartBot = "inlineQueryResultsButtonTypeStartBot" - TypeInlineQueryResultsButtonTypeWebApp = "inlineQueryResultsButtonTypeWebApp" - TypeInlineQueryResultsButton = "inlineQueryResultsButton" - TypeInlineQueryResults = "inlineQueryResults" - TypeCallbackQueryPayloadData = "callbackQueryPayloadData" - TypeCallbackQueryPayloadDataWithPassword = "callbackQueryPayloadDataWithPassword" - TypeCallbackQueryPayloadGame = "callbackQueryPayloadGame" - TypeCallbackQueryAnswer = "callbackQueryAnswer" - TypeCustomRequestResult = "customRequestResult" - TypeGameHighScore = "gameHighScore" - TypeGameHighScores = "gameHighScores" - TypeChatEventMessageEdited = "chatEventMessageEdited" - TypeChatEventMessageDeleted = "chatEventMessageDeleted" - TypeChatEventMessagePinned = "chatEventMessagePinned" - TypeChatEventMessageUnpinned = "chatEventMessageUnpinned" - TypeChatEventPollStopped = "chatEventPollStopped" - TypeChatEventMemberJoined = "chatEventMemberJoined" - TypeChatEventMemberJoinedByInviteLink = "chatEventMemberJoinedByInviteLink" - TypeChatEventMemberJoinedByRequest = "chatEventMemberJoinedByRequest" - TypeChatEventMemberInvited = "chatEventMemberInvited" - TypeChatEventMemberLeft = "chatEventMemberLeft" - TypeChatEventMemberPromoted = "chatEventMemberPromoted" - TypeChatEventMemberRestricted = "chatEventMemberRestricted" - TypeChatEventAvailableReactionsChanged = "chatEventAvailableReactionsChanged" - TypeChatEventDescriptionChanged = "chatEventDescriptionChanged" - TypeChatEventLinkedChatChanged = "chatEventLinkedChatChanged" - TypeChatEventLocationChanged = "chatEventLocationChanged" - TypeChatEventMessageAutoDeleteTimeChanged = "chatEventMessageAutoDeleteTimeChanged" - TypeChatEventPermissionsChanged = "chatEventPermissionsChanged" - TypeChatEventPhotoChanged = "chatEventPhotoChanged" - TypeChatEventSlowModeDelayChanged = "chatEventSlowModeDelayChanged" - TypeChatEventStickerSetChanged = "chatEventStickerSetChanged" - TypeChatEventTitleChanged = "chatEventTitleChanged" - TypeChatEventUsernameChanged = "chatEventUsernameChanged" - TypeChatEventActiveUsernamesChanged = "chatEventActiveUsernamesChanged" - TypeChatEventHasProtectedContentToggled = "chatEventHasProtectedContentToggled" - TypeChatEventInvitesToggled = "chatEventInvitesToggled" - TypeChatEventIsAllHistoryAvailableToggled = "chatEventIsAllHistoryAvailableToggled" - TypeChatEventHasAggressiveAntiSpamEnabledToggled = "chatEventHasAggressiveAntiSpamEnabledToggled" - TypeChatEventSignMessagesToggled = "chatEventSignMessagesToggled" - TypeChatEventInviteLinkEdited = "chatEventInviteLinkEdited" - TypeChatEventInviteLinkRevoked = "chatEventInviteLinkRevoked" - TypeChatEventInviteLinkDeleted = "chatEventInviteLinkDeleted" - TypeChatEventVideoChatCreated = "chatEventVideoChatCreated" - TypeChatEventVideoChatEnded = "chatEventVideoChatEnded" - TypeChatEventVideoChatMuteNewParticipantsToggled = "chatEventVideoChatMuteNewParticipantsToggled" - TypeChatEventVideoChatParticipantIsMutedToggled = "chatEventVideoChatParticipantIsMutedToggled" - TypeChatEventVideoChatParticipantVolumeLevelChanged = "chatEventVideoChatParticipantVolumeLevelChanged" - TypeChatEventIsForumToggled = "chatEventIsForumToggled" - TypeChatEventForumTopicCreated = "chatEventForumTopicCreated" - TypeChatEventForumTopicEdited = "chatEventForumTopicEdited" - TypeChatEventForumTopicToggleIsClosed = "chatEventForumTopicToggleIsClosed" - TypeChatEventForumTopicToggleIsHidden = "chatEventForumTopicToggleIsHidden" - TypeChatEventForumTopicDeleted = "chatEventForumTopicDeleted" - TypeChatEventForumTopicPinned = "chatEventForumTopicPinned" - TypeChatEvent = "chatEvent" - TypeChatEvents = "chatEvents" - TypeChatEventLogFilters = "chatEventLogFilters" - TypeLanguagePackStringValueOrdinary = "languagePackStringValueOrdinary" - TypeLanguagePackStringValuePluralized = "languagePackStringValuePluralized" - TypeLanguagePackStringValueDeleted = "languagePackStringValueDeleted" - TypeLanguagePackString = "languagePackString" - TypeLanguagePackStrings = "languagePackStrings" - TypeLanguagePackInfo = "languagePackInfo" - TypeLocalizationTargetInfo = "localizationTargetInfo" - TypePremiumLimitTypeSupergroupCount = "premiumLimitTypeSupergroupCount" - TypePremiumLimitTypePinnedChatCount = "premiumLimitTypePinnedChatCount" - TypePremiumLimitTypeCreatedPublicChatCount = "premiumLimitTypeCreatedPublicChatCount" - TypePremiumLimitTypeSavedAnimationCount = "premiumLimitTypeSavedAnimationCount" - TypePremiumLimitTypeFavoriteStickerCount = "premiumLimitTypeFavoriteStickerCount" - TypePremiumLimitTypeChatFilterCount = "premiumLimitTypeChatFilterCount" - TypePremiumLimitTypeChatFilterChosenChatCount = "premiumLimitTypeChatFilterChosenChatCount" - TypePremiumLimitTypePinnedArchivedChatCount = "premiumLimitTypePinnedArchivedChatCount" - TypePremiumLimitTypeCaptionLength = "premiumLimitTypeCaptionLength" - TypePremiumLimitTypeBioLength = "premiumLimitTypeBioLength" - TypePremiumFeatureIncreasedLimits = "premiumFeatureIncreasedLimits" - TypePremiumFeatureIncreasedUploadFileSize = "premiumFeatureIncreasedUploadFileSize" - TypePremiumFeatureImprovedDownloadSpeed = "premiumFeatureImprovedDownloadSpeed" - TypePremiumFeatureVoiceRecognition = "premiumFeatureVoiceRecognition" - TypePremiumFeatureDisabledAds = "premiumFeatureDisabledAds" - TypePremiumFeatureUniqueReactions = "premiumFeatureUniqueReactions" - TypePremiumFeatureUniqueStickers = "premiumFeatureUniqueStickers" - TypePremiumFeatureCustomEmoji = "premiumFeatureCustomEmoji" - TypePremiumFeatureAdvancedChatManagement = "premiumFeatureAdvancedChatManagement" - TypePremiumFeatureProfileBadge = "premiumFeatureProfileBadge" - TypePremiumFeatureEmojiStatus = "premiumFeatureEmojiStatus" - TypePremiumFeatureAnimatedProfilePhoto = "premiumFeatureAnimatedProfilePhoto" - TypePremiumFeatureForumTopicIcon = "premiumFeatureForumTopicIcon" - TypePremiumFeatureAppIcons = "premiumFeatureAppIcons" - TypePremiumFeatureRealTimeChatTranslation = "premiumFeatureRealTimeChatTranslation" - TypePremiumLimit = "premiumLimit" - TypePremiumFeatures = "premiumFeatures" - TypePremiumSourceLimitExceeded = "premiumSourceLimitExceeded" - TypePremiumSourceFeature = "premiumSourceFeature" - TypePremiumSourceLink = "premiumSourceLink" - TypePremiumSourceSettings = "premiumSourceSettings" - TypePremiumFeaturePromotionAnimation = "premiumFeaturePromotionAnimation" - TypePremiumState = "premiumState" - TypeStorePaymentPurposePremiumSubscription = "storePaymentPurposePremiumSubscription" - TypeStorePaymentPurposeGiftedPremium = "storePaymentPurposeGiftedPremium" - TypeDeviceTokenFirebaseCloudMessaging = "deviceTokenFirebaseCloudMessaging" - TypeDeviceTokenApplePush = "deviceTokenApplePush" - TypeDeviceTokenApplePushVoIP = "deviceTokenApplePushVoIP" - TypeDeviceTokenWindowsPush = "deviceTokenWindowsPush" - TypeDeviceTokenMicrosoftPush = "deviceTokenMicrosoftPush" - TypeDeviceTokenMicrosoftPushVoIP = "deviceTokenMicrosoftPushVoIP" - TypeDeviceTokenWebPush = "deviceTokenWebPush" - TypeDeviceTokenSimplePush = "deviceTokenSimplePush" - TypeDeviceTokenUbuntuPush = "deviceTokenUbuntuPush" - TypeDeviceTokenBlackBerryPush = "deviceTokenBlackBerryPush" - TypeDeviceTokenTizenPush = "deviceTokenTizenPush" - TypeDeviceTokenHuaweiPush = "deviceTokenHuaweiPush" - TypePushReceiverId = "pushReceiverId" - TypeBackgroundFillSolid = "backgroundFillSolid" - TypeBackgroundFillGradient = "backgroundFillGradient" - TypeBackgroundFillFreeformGradient = "backgroundFillFreeformGradient" - TypeBackgroundTypeWallpaper = "backgroundTypeWallpaper" - TypeBackgroundTypePattern = "backgroundTypePattern" - TypeBackgroundTypeFill = "backgroundTypeFill" - TypeBackground = "background" - TypeBackgrounds = "backgrounds" - TypeInputBackgroundLocal = "inputBackgroundLocal" - TypeInputBackgroundRemote = "inputBackgroundRemote" - TypeThemeSettings = "themeSettings" - TypeChatTheme = "chatTheme" - TypeHashtags = "hashtags" - TypeCanTransferOwnershipResultOk = "canTransferOwnershipResultOk" - TypeCanTransferOwnershipResultPasswordNeeded = "canTransferOwnershipResultPasswordNeeded" - TypeCanTransferOwnershipResultPasswordTooFresh = "canTransferOwnershipResultPasswordTooFresh" - TypeCanTransferOwnershipResultSessionTooFresh = "canTransferOwnershipResultSessionTooFresh" - TypeCheckChatUsernameResultOk = "checkChatUsernameResultOk" - TypeCheckChatUsernameResultUsernameInvalid = "checkChatUsernameResultUsernameInvalid" - TypeCheckChatUsernameResultUsernameOccupied = "checkChatUsernameResultUsernameOccupied" - TypeCheckChatUsernameResultUsernamePurchasable = "checkChatUsernameResultUsernamePurchasable" - TypeCheckChatUsernameResultPublicChatsTooMany = "checkChatUsernameResultPublicChatsTooMany" - TypeCheckChatUsernameResultPublicGroupsUnavailable = "checkChatUsernameResultPublicGroupsUnavailable" - TypeCheckStickerSetNameResultOk = "checkStickerSetNameResultOk" - TypeCheckStickerSetNameResultNameInvalid = "checkStickerSetNameResultNameInvalid" - TypeCheckStickerSetNameResultNameOccupied = "checkStickerSetNameResultNameOccupied" - TypeResetPasswordResultOk = "resetPasswordResultOk" - TypeResetPasswordResultPending = "resetPasswordResultPending" - TypeResetPasswordResultDeclined = "resetPasswordResultDeclined" - TypeMessageFileTypePrivate = "messageFileTypePrivate" - TypeMessageFileTypeGroup = "messageFileTypeGroup" - TypeMessageFileTypeUnknown = "messageFileTypeUnknown" - TypePushMessageContentHidden = "pushMessageContentHidden" - TypePushMessageContentAnimation = "pushMessageContentAnimation" - TypePushMessageContentAudio = "pushMessageContentAudio" - TypePushMessageContentContact = "pushMessageContentContact" - TypePushMessageContentContactRegistered = "pushMessageContentContactRegistered" - TypePushMessageContentDocument = "pushMessageContentDocument" - TypePushMessageContentGame = "pushMessageContentGame" - TypePushMessageContentGameScore = "pushMessageContentGameScore" - TypePushMessageContentInvoice = "pushMessageContentInvoice" - TypePushMessageContentLocation = "pushMessageContentLocation" - TypePushMessageContentPhoto = "pushMessageContentPhoto" - TypePushMessageContentPoll = "pushMessageContentPoll" - TypePushMessageContentScreenshotTaken = "pushMessageContentScreenshotTaken" - TypePushMessageContentSticker = "pushMessageContentSticker" - TypePushMessageContentText = "pushMessageContentText" - TypePushMessageContentVideo = "pushMessageContentVideo" - TypePushMessageContentVideoNote = "pushMessageContentVideoNote" - TypePushMessageContentVoiceNote = "pushMessageContentVoiceNote" - TypePushMessageContentBasicGroupChatCreate = "pushMessageContentBasicGroupChatCreate" - TypePushMessageContentChatAddMembers = "pushMessageContentChatAddMembers" - TypePushMessageContentChatChangePhoto = "pushMessageContentChatChangePhoto" - TypePushMessageContentChatChangeTitle = "pushMessageContentChatChangeTitle" - TypePushMessageContentChatSetTheme = "pushMessageContentChatSetTheme" - TypePushMessageContentChatDeleteMember = "pushMessageContentChatDeleteMember" - TypePushMessageContentChatJoinByLink = "pushMessageContentChatJoinByLink" - TypePushMessageContentChatJoinByRequest = "pushMessageContentChatJoinByRequest" - TypePushMessageContentRecurringPayment = "pushMessageContentRecurringPayment" - TypePushMessageContentSuggestProfilePhoto = "pushMessageContentSuggestProfilePhoto" - TypePushMessageContentMessageForwards = "pushMessageContentMessageForwards" - TypePushMessageContentMediaAlbum = "pushMessageContentMediaAlbum" - TypeNotificationTypeNewMessage = "notificationTypeNewMessage" - TypeNotificationTypeNewSecretChat = "notificationTypeNewSecretChat" - TypeNotificationTypeNewCall = "notificationTypeNewCall" - TypeNotificationTypeNewPushMessage = "notificationTypeNewPushMessage" - TypeNotificationGroupTypeMessages = "notificationGroupTypeMessages" - TypeNotificationGroupTypeMentions = "notificationGroupTypeMentions" - TypeNotificationGroupTypeSecretChat = "notificationGroupTypeSecretChat" - TypeNotificationGroupTypeCalls = "notificationGroupTypeCalls" - TypeNotificationSound = "notificationSound" - TypeNotificationSounds = "notificationSounds" - TypeNotification = "notification" - TypeNotificationGroup = "notificationGroup" - TypeOptionValueBoolean = "optionValueBoolean" - TypeOptionValueEmpty = "optionValueEmpty" - TypeOptionValueInteger = "optionValueInteger" - TypeOptionValueString = "optionValueString" - TypeJsonObjectMember = "jsonObjectMember" - TypeJsonValueNull = "jsonValueNull" - TypeJsonValueBoolean = "jsonValueBoolean" - TypeJsonValueNumber = "jsonValueNumber" - TypeJsonValueString = "jsonValueString" - TypeJsonValueArray = "jsonValueArray" - TypeJsonValueObject = "jsonValueObject" - TypeUserPrivacySettingRuleAllowAll = "userPrivacySettingRuleAllowAll" - TypeUserPrivacySettingRuleAllowContacts = "userPrivacySettingRuleAllowContacts" - TypeUserPrivacySettingRuleAllowUsers = "userPrivacySettingRuleAllowUsers" - TypeUserPrivacySettingRuleAllowChatMembers = "userPrivacySettingRuleAllowChatMembers" - TypeUserPrivacySettingRuleRestrictAll = "userPrivacySettingRuleRestrictAll" - TypeUserPrivacySettingRuleRestrictContacts = "userPrivacySettingRuleRestrictContacts" - TypeUserPrivacySettingRuleRestrictUsers = "userPrivacySettingRuleRestrictUsers" - TypeUserPrivacySettingRuleRestrictChatMembers = "userPrivacySettingRuleRestrictChatMembers" - TypeUserPrivacySettingRules = "userPrivacySettingRules" - TypeUserPrivacySettingShowStatus = "userPrivacySettingShowStatus" - TypeUserPrivacySettingShowProfilePhoto = "userPrivacySettingShowProfilePhoto" - TypeUserPrivacySettingShowLinkInForwardedMessages = "userPrivacySettingShowLinkInForwardedMessages" - TypeUserPrivacySettingShowPhoneNumber = "userPrivacySettingShowPhoneNumber" - TypeUserPrivacySettingAllowChatInvites = "userPrivacySettingAllowChatInvites" - TypeUserPrivacySettingAllowCalls = "userPrivacySettingAllowCalls" - TypeUserPrivacySettingAllowPeerToPeerCalls = "userPrivacySettingAllowPeerToPeerCalls" - TypeUserPrivacySettingAllowFindingByPhoneNumber = "userPrivacySettingAllowFindingByPhoneNumber" - TypeUserPrivacySettingAllowPrivateVoiceAndVideoNoteMessages = "userPrivacySettingAllowPrivateVoiceAndVideoNoteMessages" - TypeAccountTtl = "accountTtl" - TypeMessageAutoDeleteTime = "messageAutoDeleteTime" - TypeSessionTypeAndroid = "sessionTypeAndroid" - TypeSessionTypeApple = "sessionTypeApple" - TypeSessionTypeBrave = "sessionTypeBrave" - TypeSessionTypeChrome = "sessionTypeChrome" - TypeSessionTypeEdge = "sessionTypeEdge" - TypeSessionTypeFirefox = "sessionTypeFirefox" - TypeSessionTypeIpad = "sessionTypeIpad" - TypeSessionTypeIphone = "sessionTypeIphone" - TypeSessionTypeLinux = "sessionTypeLinux" - TypeSessionTypeMac = "sessionTypeMac" - TypeSessionTypeOpera = "sessionTypeOpera" - TypeSessionTypeSafari = "sessionTypeSafari" - TypeSessionTypeUbuntu = "sessionTypeUbuntu" - TypeSessionTypeUnknown = "sessionTypeUnknown" - TypeSessionTypeVivaldi = "sessionTypeVivaldi" - TypeSessionTypeWindows = "sessionTypeWindows" - TypeSessionTypeXbox = "sessionTypeXbox" - TypeSession = "session" - TypeSessions = "sessions" - TypeConnectedWebsite = "connectedWebsite" - TypeConnectedWebsites = "connectedWebsites" - TypeChatReportReasonSpam = "chatReportReasonSpam" - TypeChatReportReasonViolence = "chatReportReasonViolence" - TypeChatReportReasonPornography = "chatReportReasonPornography" - TypeChatReportReasonChildAbuse = "chatReportReasonChildAbuse" - TypeChatReportReasonCopyright = "chatReportReasonCopyright" - TypeChatReportReasonUnrelatedLocation = "chatReportReasonUnrelatedLocation" - TypeChatReportReasonFake = "chatReportReasonFake" - TypeChatReportReasonIllegalDrugs = "chatReportReasonIllegalDrugs" - TypeChatReportReasonPersonalDetails = "chatReportReasonPersonalDetails" - TypeChatReportReasonCustom = "chatReportReasonCustom" - TypeTargetChatCurrent = "targetChatCurrent" - TypeTargetChatChosen = "targetChatChosen" - TypeTargetChatInternalLink = "targetChatInternalLink" - TypeInternalLinkTypeActiveSessions = "internalLinkTypeActiveSessions" - TypeInternalLinkTypeAttachmentMenuBot = "internalLinkTypeAttachmentMenuBot" - TypeInternalLinkTypeAuthenticationCode = "internalLinkTypeAuthenticationCode" - TypeInternalLinkTypeBackground = "internalLinkTypeBackground" - TypeInternalLinkTypeBotAddToChannel = "internalLinkTypeBotAddToChannel" - TypeInternalLinkTypeBotStart = "internalLinkTypeBotStart" - TypeInternalLinkTypeBotStartInGroup = "internalLinkTypeBotStartInGroup" - TypeInternalLinkTypeChangePhoneNumber = "internalLinkTypeChangePhoneNumber" - TypeInternalLinkTypeChatInvite = "internalLinkTypeChatInvite" - TypeInternalLinkTypeDefaultMessageAutoDeleteTimerSettings = "internalLinkTypeDefaultMessageAutoDeleteTimerSettings" - TypeInternalLinkTypeEditProfileSettings = "internalLinkTypeEditProfileSettings" - TypeInternalLinkTypeFilterSettings = "internalLinkTypeFilterSettings" - TypeInternalLinkTypeGame = "internalLinkTypeGame" - TypeInternalLinkTypeInstantView = "internalLinkTypeInstantView" - TypeInternalLinkTypeInvoice = "internalLinkTypeInvoice" - TypeInternalLinkTypeLanguagePack = "internalLinkTypeLanguagePack" - TypeInternalLinkTypeLanguageSettings = "internalLinkTypeLanguageSettings" - TypeInternalLinkTypeMessage = "internalLinkTypeMessage" - TypeInternalLinkTypeMessageDraft = "internalLinkTypeMessageDraft" - TypeInternalLinkTypePassportDataRequest = "internalLinkTypePassportDataRequest" - TypeInternalLinkTypePhoneNumberConfirmation = "internalLinkTypePhoneNumberConfirmation" - TypeInternalLinkTypePremiumFeatures = "internalLinkTypePremiumFeatures" - TypeInternalLinkTypePrivacyAndSecuritySettings = "internalLinkTypePrivacyAndSecuritySettings" - TypeInternalLinkTypeProxy = "internalLinkTypeProxy" - TypeInternalLinkTypePublicChat = "internalLinkTypePublicChat" - TypeInternalLinkTypeQrCodeAuthentication = "internalLinkTypeQrCodeAuthentication" - TypeInternalLinkTypeRestorePurchases = "internalLinkTypeRestorePurchases" - TypeInternalLinkTypeSettings = "internalLinkTypeSettings" - TypeInternalLinkTypeStickerSet = "internalLinkTypeStickerSet" - TypeInternalLinkTypeTheme = "internalLinkTypeTheme" - TypeInternalLinkTypeThemeSettings = "internalLinkTypeThemeSettings" - TypeInternalLinkTypeUnknownDeepLink = "internalLinkTypeUnknownDeepLink" - TypeInternalLinkTypeUnsupportedProxy = "internalLinkTypeUnsupportedProxy" - TypeInternalLinkTypeUserPhoneNumber = "internalLinkTypeUserPhoneNumber" - TypeInternalLinkTypeUserToken = "internalLinkTypeUserToken" - TypeInternalLinkTypeVideoChat = "internalLinkTypeVideoChat" - TypeInternalLinkTypeWebApp = "internalLinkTypeWebApp" - TypeMessageLink = "messageLink" - TypeMessageLinkInfo = "messageLinkInfo" - TypeFilePart = "filePart" - TypeFileTypeNone = "fileTypeNone" - TypeFileTypeAnimation = "fileTypeAnimation" - TypeFileTypeAudio = "fileTypeAudio" - TypeFileTypeDocument = "fileTypeDocument" - TypeFileTypeNotificationSound = "fileTypeNotificationSound" - TypeFileTypePhoto = "fileTypePhoto" - TypeFileTypeProfilePhoto = "fileTypeProfilePhoto" - TypeFileTypeSecret = "fileTypeSecret" - TypeFileTypeSecretThumbnail = "fileTypeSecretThumbnail" - TypeFileTypeSecure = "fileTypeSecure" - TypeFileTypeSticker = "fileTypeSticker" - TypeFileTypeThumbnail = "fileTypeThumbnail" - TypeFileTypeUnknown = "fileTypeUnknown" - TypeFileTypeVideo = "fileTypeVideo" - TypeFileTypeVideoNote = "fileTypeVideoNote" - TypeFileTypeVoiceNote = "fileTypeVoiceNote" - TypeFileTypeWallpaper = "fileTypeWallpaper" - TypeStorageStatisticsByFileType = "storageStatisticsByFileType" - TypeStorageStatisticsByChat = "storageStatisticsByChat" - TypeStorageStatistics = "storageStatistics" - TypeStorageStatisticsFast = "storageStatisticsFast" - TypeDatabaseStatistics = "databaseStatistics" - TypeNetworkTypeNone = "networkTypeNone" - TypeNetworkTypeMobile = "networkTypeMobile" - TypeNetworkTypeMobileRoaming = "networkTypeMobileRoaming" - TypeNetworkTypeWiFi = "networkTypeWiFi" - TypeNetworkTypeOther = "networkTypeOther" - TypeNetworkStatisticsEntryFile = "networkStatisticsEntryFile" - TypeNetworkStatisticsEntryCall = "networkStatisticsEntryCall" - TypeNetworkStatistics = "networkStatistics" - TypeAutoDownloadSettings = "autoDownloadSettings" - TypeAutoDownloadSettingsPresets = "autoDownloadSettingsPresets" - TypeAutosaveSettingsScopePrivateChats = "autosaveSettingsScopePrivateChats" - TypeAutosaveSettingsScopeGroupChats = "autosaveSettingsScopeGroupChats" - TypeAutosaveSettingsScopeChannelChats = "autosaveSettingsScopeChannelChats" - TypeAutosaveSettingsScopeChat = "autosaveSettingsScopeChat" - TypeScopeAutosaveSettings = "scopeAutosaveSettings" - TypeAutosaveSettingsException = "autosaveSettingsException" - TypeAutosaveSettings = "autosaveSettings" - TypeConnectionStateWaitingForNetwork = "connectionStateWaitingForNetwork" - TypeConnectionStateConnectingToProxy = "connectionStateConnectingToProxy" - TypeConnectionStateConnecting = "connectionStateConnecting" - TypeConnectionStateUpdating = "connectionStateUpdating" - TypeConnectionStateReady = "connectionStateReady" - TypeTopChatCategoryUsers = "topChatCategoryUsers" - TypeTopChatCategoryBots = "topChatCategoryBots" - TypeTopChatCategoryGroups = "topChatCategoryGroups" - TypeTopChatCategoryChannels = "topChatCategoryChannels" - TypeTopChatCategoryInlineBots = "topChatCategoryInlineBots" - TypeTopChatCategoryCalls = "topChatCategoryCalls" - TypeTopChatCategoryForwardChats = "topChatCategoryForwardChats" - TypeTMeUrlTypeUser = "tMeUrlTypeUser" - TypeTMeUrlTypeSupergroup = "tMeUrlTypeSupergroup" - TypeTMeUrlTypeChatInvite = "tMeUrlTypeChatInvite" - TypeTMeUrlTypeStickerSet = "tMeUrlTypeStickerSet" - TypeTMeUrl = "tMeUrl" - TypeTMeUrls = "tMeUrls" - TypeSuggestedActionEnableArchiveAndMuteNewChats = "suggestedActionEnableArchiveAndMuteNewChats" - TypeSuggestedActionCheckPassword = "suggestedActionCheckPassword" - TypeSuggestedActionCheckPhoneNumber = "suggestedActionCheckPhoneNumber" - TypeSuggestedActionViewChecksHint = "suggestedActionViewChecksHint" - TypeSuggestedActionConvertToBroadcastGroup = "suggestedActionConvertToBroadcastGroup" - TypeSuggestedActionSetPassword = "suggestedActionSetPassword" - TypeSuggestedActionUpgradePremium = "suggestedActionUpgradePremium" - TypeSuggestedActionSubscribeToAnnualPremium = "suggestedActionSubscribeToAnnualPremium" - TypeCount = "count" - TypeText = "text" - TypeSeconds = "seconds" - TypeFileDownloadedPrefixSize = "fileDownloadedPrefixSize" - TypeDeepLinkInfo = "deepLinkInfo" - TypeTextParseModeMarkdown = "textParseModeMarkdown" - TypeTextParseModeHTML = "textParseModeHTML" - TypeProxyTypeSocks5 = "proxyTypeSocks5" - TypeProxyTypeHttp = "proxyTypeHttp" - TypeProxyTypeMtproto = "proxyTypeMtproto" - TypeProxy = "proxy" - TypeProxies = "proxies" - TypeInputSticker = "inputSticker" - TypeDateRange = "dateRange" - TypeStatisticalValue = "statisticalValue" - TypeStatisticalGraphData = "statisticalGraphData" - TypeStatisticalGraphAsync = "statisticalGraphAsync" - TypeStatisticalGraphError = "statisticalGraphError" - TypeChatStatisticsMessageInteractionInfo = "chatStatisticsMessageInteractionInfo" - TypeChatStatisticsMessageSenderInfo = "chatStatisticsMessageSenderInfo" - TypeChatStatisticsAdministratorActionsInfo = "chatStatisticsAdministratorActionsInfo" - TypeChatStatisticsInviterInfo = "chatStatisticsInviterInfo" - TypeChatStatisticsSupergroup = "chatStatisticsSupergroup" - TypeChatStatisticsChannel = "chatStatisticsChannel" - TypeMessageStatistics = "messageStatistics" - TypePoint = "point" - TypeVectorPathCommandLine = "vectorPathCommandLine" - TypeVectorPathCommandCubicBezierCurve = "vectorPathCommandCubicBezierCurve" - TypeBotCommandScopeDefault = "botCommandScopeDefault" - TypeBotCommandScopeAllPrivateChats = "botCommandScopeAllPrivateChats" - TypeBotCommandScopeAllGroupChats = "botCommandScopeAllGroupChats" - TypeBotCommandScopeAllChatAdministrators = "botCommandScopeAllChatAdministrators" - TypeBotCommandScopeChat = "botCommandScopeChat" - TypeBotCommandScopeChatAdministrators = "botCommandScopeChatAdministrators" - TypeBotCommandScopeChatMember = "botCommandScopeChatMember" - TypeUpdateAuthorizationState = "updateAuthorizationState" - TypeUpdateNewMessage = "updateNewMessage" - TypeUpdateMessageSendAcknowledged = "updateMessageSendAcknowledged" - TypeUpdateMessageSendSucceeded = "updateMessageSendSucceeded" - TypeUpdateMessageSendFailed = "updateMessageSendFailed" - TypeUpdateMessageContent = "updateMessageContent" - TypeUpdateMessageEdited = "updateMessageEdited" - TypeUpdateMessageIsPinned = "updateMessageIsPinned" - TypeUpdateMessageInteractionInfo = "updateMessageInteractionInfo" - TypeUpdateMessageContentOpened = "updateMessageContentOpened" - TypeUpdateMessageMentionRead = "updateMessageMentionRead" - TypeUpdateMessageUnreadReactions = "updateMessageUnreadReactions" - TypeUpdateMessageLiveLocationViewed = "updateMessageLiveLocationViewed" - TypeUpdateNewChat = "updateNewChat" - TypeUpdateChatTitle = "updateChatTitle" - TypeUpdateChatPhoto = "updateChatPhoto" - TypeUpdateChatPermissions = "updateChatPermissions" - TypeUpdateChatLastMessage = "updateChatLastMessage" - TypeUpdateChatPosition = "updateChatPosition" - TypeUpdateChatReadInbox = "updateChatReadInbox" - TypeUpdateChatReadOutbox = "updateChatReadOutbox" - TypeUpdateChatActionBar = "updateChatActionBar" - TypeUpdateChatAvailableReactions = "updateChatAvailableReactions" - TypeUpdateChatDraftMessage = "updateChatDraftMessage" - TypeUpdateChatMessageSender = "updateChatMessageSender" - TypeUpdateChatMessageAutoDeleteTime = "updateChatMessageAutoDeleteTime" - TypeUpdateChatNotificationSettings = "updateChatNotificationSettings" - TypeUpdateChatPendingJoinRequests = "updateChatPendingJoinRequests" - TypeUpdateChatReplyMarkup = "updateChatReplyMarkup" - TypeUpdateChatTheme = "updateChatTheme" - TypeUpdateChatUnreadMentionCount = "updateChatUnreadMentionCount" - TypeUpdateChatUnreadReactionCount = "updateChatUnreadReactionCount" - TypeUpdateChatVideoChat = "updateChatVideoChat" - TypeUpdateChatDefaultDisableNotification = "updateChatDefaultDisableNotification" - TypeUpdateChatHasProtectedContent = "updateChatHasProtectedContent" - TypeUpdateChatIsTranslatable = "updateChatIsTranslatable" - TypeUpdateChatIsMarkedAsUnread = "updateChatIsMarkedAsUnread" - TypeUpdateChatIsBlocked = "updateChatIsBlocked" - TypeUpdateChatHasScheduledMessages = "updateChatHasScheduledMessages" - TypeUpdateChatFilters = "updateChatFilters" - TypeUpdateChatOnlineMemberCount = "updateChatOnlineMemberCount" - TypeUpdateForumTopicInfo = "updateForumTopicInfo" - TypeUpdateScopeNotificationSettings = "updateScopeNotificationSettings" - TypeUpdateNotification = "updateNotification" - TypeUpdateNotificationGroup = "updateNotificationGroup" - TypeUpdateActiveNotifications = "updateActiveNotifications" - TypeUpdateHavePendingNotifications = "updateHavePendingNotifications" - TypeUpdateDeleteMessages = "updateDeleteMessages" - TypeUpdateChatAction = "updateChatAction" - TypeUpdateUserStatus = "updateUserStatus" - TypeUpdateUser = "updateUser" - TypeUpdateBasicGroup = "updateBasicGroup" - TypeUpdateSupergroup = "updateSupergroup" - TypeUpdateSecretChat = "updateSecretChat" - TypeUpdateUserFullInfo = "updateUserFullInfo" - TypeUpdateBasicGroupFullInfo = "updateBasicGroupFullInfo" - TypeUpdateSupergroupFullInfo = "updateSupergroupFullInfo" - TypeUpdateServiceNotification = "updateServiceNotification" - TypeUpdateFile = "updateFile" - TypeUpdateFileGenerationStart = "updateFileGenerationStart" - TypeUpdateFileGenerationStop = "updateFileGenerationStop" - TypeUpdateFileDownloads = "updateFileDownloads" - TypeUpdateFileAddedToDownloads = "updateFileAddedToDownloads" - TypeUpdateFileDownload = "updateFileDownload" - TypeUpdateFileRemovedFromDownloads = "updateFileRemovedFromDownloads" - TypeUpdateCall = "updateCall" - TypeUpdateGroupCall = "updateGroupCall" - TypeUpdateGroupCallParticipant = "updateGroupCallParticipant" - TypeUpdateNewCallSignalingData = "updateNewCallSignalingData" - TypeUpdateUserPrivacySettingRules = "updateUserPrivacySettingRules" - TypeUpdateUnreadMessageCount = "updateUnreadMessageCount" - TypeUpdateUnreadChatCount = "updateUnreadChatCount" - TypeUpdateOption = "updateOption" - TypeUpdateStickerSet = "updateStickerSet" - TypeUpdateInstalledStickerSets = "updateInstalledStickerSets" - TypeUpdateTrendingStickerSets = "updateTrendingStickerSets" - TypeUpdateRecentStickers = "updateRecentStickers" - TypeUpdateFavoriteStickers = "updateFavoriteStickers" - TypeUpdateSavedAnimations = "updateSavedAnimations" - TypeUpdateSavedNotificationSounds = "updateSavedNotificationSounds" - TypeUpdateSelectedBackground = "updateSelectedBackground" - TypeUpdateChatThemes = "updateChatThemes" - TypeUpdateLanguagePackStrings = "updateLanguagePackStrings" - TypeUpdateConnectionState = "updateConnectionState" - TypeUpdateTermsOfService = "updateTermsOfService" - TypeUpdateUsersNearby = "updateUsersNearby" - TypeUpdateAttachmentMenuBots = "updateAttachmentMenuBots" - TypeUpdateWebAppMessageSent = "updateWebAppMessageSent" - TypeUpdateActiveEmojiReactions = "updateActiveEmojiReactions" - TypeUpdateDefaultReactionType = "updateDefaultReactionType" - TypeUpdateDiceEmojis = "updateDiceEmojis" - TypeUpdateAnimatedEmojiMessageClicked = "updateAnimatedEmojiMessageClicked" - TypeUpdateAnimationSearchParameters = "updateAnimationSearchParameters" - TypeUpdateSuggestedActions = "updateSuggestedActions" - TypeUpdateAddChatMembersPrivacyForbidden = "updateAddChatMembersPrivacyForbidden" - TypeUpdateAutosaveSettings = "updateAutosaveSettings" - TypeUpdateNewInlineQuery = "updateNewInlineQuery" - TypeUpdateNewChosenInlineResult = "updateNewChosenInlineResult" - TypeUpdateNewCallbackQuery = "updateNewCallbackQuery" - TypeUpdateNewInlineCallbackQuery = "updateNewInlineCallbackQuery" - TypeUpdateNewShippingQuery = "updateNewShippingQuery" - TypeUpdateNewPreCheckoutQuery = "updateNewPreCheckoutQuery" - TypeUpdateNewCustomEvent = "updateNewCustomEvent" - TypeUpdateNewCustomQuery = "updateNewCustomQuery" - TypeUpdatePoll = "updatePoll" - TypeUpdatePollAnswer = "updatePollAnswer" - TypeUpdateChatMember = "updateChatMember" - TypeUpdateNewChatJoinRequest = "updateNewChatJoinRequest" - TypeUpdates = "updates" - TypeLogStreamDefault = "logStreamDefault" - TypeLogStreamFile = "logStreamFile" - TypeLogStreamEmpty = "logStreamEmpty" - TypeLogVerbosityLevel = "logVerbosityLevel" - TypeLogTags = "logTags" - TypeUserSupportInfo = "userSupportInfo" - TypeTestInt = "testInt" - TypeTestString = "testString" - TypeTestBytes = "testBytes" - TypeTestVectorInt = "testVectorInt" - TypeTestVectorIntObject = "testVectorIntObject" - TypeTestVectorString = "testVectorString" - TypeTestVectorStringObject = "testVectorStringObject" + TypeError = "error" + TypeOk = "ok" + TypeAuthenticationCodeTypeTelegramMessage = "authenticationCodeTypeTelegramMessage" + TypeAuthenticationCodeTypeSms = "authenticationCodeTypeSms" + TypeAuthenticationCodeTypeSmsWord = "authenticationCodeTypeSmsWord" + TypeAuthenticationCodeTypeSmsPhrase = "authenticationCodeTypeSmsPhrase" + TypeAuthenticationCodeTypeCall = "authenticationCodeTypeCall" + TypeAuthenticationCodeTypeFlashCall = "authenticationCodeTypeFlashCall" + TypeAuthenticationCodeTypeMissedCall = "authenticationCodeTypeMissedCall" + TypeAuthenticationCodeTypeFragment = "authenticationCodeTypeFragment" + TypeAuthenticationCodeTypeFirebaseAndroid = "authenticationCodeTypeFirebaseAndroid" + TypeAuthenticationCodeTypeFirebaseIos = "authenticationCodeTypeFirebaseIos" + TypeAuthenticationCodeInfo = "authenticationCodeInfo" + TypeEmailAddressAuthenticationCodeInfo = "emailAddressAuthenticationCodeInfo" + TypeEmailAddressAuthenticationCode = "emailAddressAuthenticationCode" + TypeEmailAddressAuthenticationAppleId = "emailAddressAuthenticationAppleId" + TypeEmailAddressAuthenticationGoogleId = "emailAddressAuthenticationGoogleId" + TypeEmailAddressResetStateAvailable = "emailAddressResetStateAvailable" + TypeEmailAddressResetStatePending = "emailAddressResetStatePending" + TypeTextEntity = "textEntity" + TypeTextEntities = "textEntities" + TypeFormattedText = "formattedText" + TypeTermsOfService = "termsOfService" + TypePasskey = "passkey" + TypePasskeys = "passkeys" + TypeAuthorizationStateWaitTdlibParameters = "authorizationStateWaitTdlibParameters" + TypeAuthorizationStateWaitPhoneNumber = "authorizationStateWaitPhoneNumber" + TypeAuthorizationStateWaitPremiumPurchase = "authorizationStateWaitPremiumPurchase" + TypeAuthorizationStateWaitEmailAddress = "authorizationStateWaitEmailAddress" + TypeAuthorizationStateWaitEmailCode = "authorizationStateWaitEmailCode" + TypeAuthorizationStateWaitCode = "authorizationStateWaitCode" + TypeAuthorizationStateWaitOtherDeviceConfirmation = "authorizationStateWaitOtherDeviceConfirmation" + TypeAuthorizationStateWaitRegistration = "authorizationStateWaitRegistration" + TypeAuthorizationStateWaitPassword = "authorizationStateWaitPassword" + TypeAuthorizationStateReady = "authorizationStateReady" + TypeAuthorizationStateLoggingOut = "authorizationStateLoggingOut" + TypeAuthorizationStateClosing = "authorizationStateClosing" + TypeAuthorizationStateClosed = "authorizationStateClosed" + TypeFirebaseDeviceVerificationParametersSafetyNet = "firebaseDeviceVerificationParametersSafetyNet" + TypeFirebaseDeviceVerificationParametersPlayIntegrity = "firebaseDeviceVerificationParametersPlayIntegrity" + TypePasswordState = "passwordState" + TypeRecoveryEmailAddress = "recoveryEmailAddress" + TypeTemporaryPasswordState = "temporaryPasswordState" + TypeLocalFile = "localFile" + TypeRemoteFile = "remoteFile" + TypeFile = "file" + TypeInputFileId = "inputFileId" + TypeInputFileRemote = "inputFileRemote" + TypeInputFileLocal = "inputFileLocal" + TypeInputFileGenerated = "inputFileGenerated" + TypePhotoSize = "photoSize" + TypeMinithumbnail = "minithumbnail" + TypeThumbnailFormatJpeg = "thumbnailFormatJpeg" + TypeThumbnailFormatGif = "thumbnailFormatGif" + TypeThumbnailFormatMpeg4 = "thumbnailFormatMpeg4" + TypeThumbnailFormatPng = "thumbnailFormatPng" + TypeThumbnailFormatTgs = "thumbnailFormatTgs" + TypeThumbnailFormatWebm = "thumbnailFormatWebm" + TypeThumbnailFormatWebp = "thumbnailFormatWebp" + TypeThumbnail = "thumbnail" + TypeMaskPointForehead = "maskPointForehead" + TypeMaskPointEyes = "maskPointEyes" + TypeMaskPointMouth = "maskPointMouth" + TypeMaskPointChin = "maskPointChin" + TypeMaskPosition = "maskPosition" + TypeStickerFormatWebp = "stickerFormatWebp" + TypeStickerFormatTgs = "stickerFormatTgs" + TypeStickerFormatWebm = "stickerFormatWebm" + TypeStickerTypeRegular = "stickerTypeRegular" + TypeStickerTypeMask = "stickerTypeMask" + TypeStickerTypeCustomEmoji = "stickerTypeCustomEmoji" + TypeStickerFullTypeRegular = "stickerFullTypeRegular" + TypeStickerFullTypeMask = "stickerFullTypeMask" + TypeStickerFullTypeCustomEmoji = "stickerFullTypeCustomEmoji" + TypeClosedVectorPath = "closedVectorPath" + TypeOutline = "outline" + TypePollOption = "pollOption" + TypePollTypeRegular = "pollTypeRegular" + TypePollTypeQuiz = "pollTypeQuiz" + TypeChecklistTask = "checklistTask" + TypeInputChecklistTask = "inputChecklistTask" + TypeChecklist = "checklist" + TypeInputChecklist = "inputChecklist" + TypeAnimation = "animation" + TypeAudio = "audio" + TypeAudios = "audios" + TypeDocument = "document" + TypePhoto = "photo" + TypeSticker = "sticker" + TypeVideo = "video" + TypeVideoNote = "videoNote" + TypeVoiceNote = "voiceNote" + TypeAnimatedEmoji = "animatedEmoji" + TypeContact = "contact" + TypeLocation = "location" + TypeVenue = "venue" + TypeGame = "game" + TypeStakeDiceState = "stakeDiceState" + TypeWebApp = "webApp" + TypePoll = "poll" + TypeAlternativeVideo = "alternativeVideo" + TypeVideoStoryboard = "videoStoryboard" + TypeBackground = "background" + TypeBackgrounds = "backgrounds" + TypeChatBackground = "chatBackground" + TypeProfilePhoto = "profilePhoto" + TypeChatPhotoInfo = "chatPhotoInfo" + TypeProfileTabPosts = "profileTabPosts" + TypeProfileTabGifts = "profileTabGifts" + TypeProfileTabMedia = "profileTabMedia" + TypeProfileTabFiles = "profileTabFiles" + TypeProfileTabLinks = "profileTabLinks" + TypeProfileTabMusic = "profileTabMusic" + TypeProfileTabVoice = "profileTabVoice" + TypeProfileTabGifs = "profileTabGifs" + TypeUserTypeRegular = "userTypeRegular" + TypeUserTypeDeleted = "userTypeDeleted" + TypeUserTypeBot = "userTypeBot" + TypeUserTypeUnknown = "userTypeUnknown" + TypeBotCommand = "botCommand" + TypeBotCommands = "botCommands" + TypeBotMenuButton = "botMenuButton" + TypeBotVerificationParameters = "botVerificationParameters" + TypeBotVerification = "botVerification" + TypeVerificationStatus = "verificationStatus" + TypeChatLocation = "chatLocation" + TypeBirthdate = "birthdate" + TypeCloseBirthdayUser = "closeBirthdayUser" + TypeBusinessAwayMessageScheduleAlways = "businessAwayMessageScheduleAlways" + TypeBusinessAwayMessageScheduleOutsideOfOpeningHours = "businessAwayMessageScheduleOutsideOfOpeningHours" + TypeBusinessAwayMessageScheduleCustom = "businessAwayMessageScheduleCustom" + TypeBusinessLocation = "businessLocation" + TypeBusinessRecipients = "businessRecipients" + TypeBusinessAwayMessageSettings = "businessAwayMessageSettings" + TypeBusinessGreetingMessageSettings = "businessGreetingMessageSettings" + TypeBusinessBotRights = "businessBotRights" + TypeBusinessConnectedBot = "businessConnectedBot" + TypeBusinessStartPage = "businessStartPage" + TypeInputBusinessStartPage = "inputBusinessStartPage" + TypeBusinessOpeningHoursInterval = "businessOpeningHoursInterval" + TypeBusinessOpeningHours = "businessOpeningHours" + TypeBusinessInfo = "businessInfo" + TypeBusinessChatLink = "businessChatLink" + TypeBusinessChatLinks = "businessChatLinks" + TypeInputBusinessChatLink = "inputBusinessChatLink" + TypeBusinessChatLinkInfo = "businessChatLinkInfo" + TypeChatPhotoStickerTypeRegularOrMask = "chatPhotoStickerTypeRegularOrMask" + TypeChatPhotoStickerTypeCustomEmoji = "chatPhotoStickerTypeCustomEmoji" + TypeChatPhotoSticker = "chatPhotoSticker" + TypeAnimatedChatPhoto = "animatedChatPhoto" + TypeChatPhoto = "chatPhoto" + TypeChatPhotos = "chatPhotos" + TypeInputChatPhotoPrevious = "inputChatPhotoPrevious" + TypeInputChatPhotoStatic = "inputChatPhotoStatic" + TypeInputChatPhotoAnimation = "inputChatPhotoAnimation" + TypeInputChatPhotoSticker = "inputChatPhotoSticker" + TypeChatPermissions = "chatPermissions" + TypeChatAdministratorRights = "chatAdministratorRights" + TypeGiftResalePriceStar = "giftResalePriceStar" + TypeGiftResalePriceTon = "giftResalePriceTon" + TypeGiftPurchaseOfferStatePending = "giftPurchaseOfferStatePending" + TypeGiftPurchaseOfferStateAccepted = "giftPurchaseOfferStateAccepted" + TypeGiftPurchaseOfferStateRejected = "giftPurchaseOfferStateRejected" + TypeSuggestedPostPriceStar = "suggestedPostPriceStar" + TypeSuggestedPostPriceTon = "suggestedPostPriceTon" + TypeSuggestedPostStatePending = "suggestedPostStatePending" + TypeSuggestedPostStateApproved = "suggestedPostStateApproved" + TypeSuggestedPostStateDeclined = "suggestedPostStateDeclined" + TypeSuggestedPostInfo = "suggestedPostInfo" + TypeInputSuggestedPostInfo = "inputSuggestedPostInfo" + TypeSuggestedPostRefundReasonPostDeleted = "suggestedPostRefundReasonPostDeleted" + TypeSuggestedPostRefundReasonPaymentRefunded = "suggestedPostRefundReasonPaymentRefunded" + TypeStarAmount = "starAmount" + TypeStarSubscriptionTypeChannel = "starSubscriptionTypeChannel" + TypeStarSubscriptionTypeBot = "starSubscriptionTypeBot" + TypeStarSubscriptionPricing = "starSubscriptionPricing" + TypeStarSubscription = "starSubscription" + TypeStarSubscriptions = "starSubscriptions" + TypeAffiliateTypeCurrentUser = "affiliateTypeCurrentUser" + TypeAffiliateTypeBot = "affiliateTypeBot" + TypeAffiliateTypeChannel = "affiliateTypeChannel" + TypeAffiliateProgramSortOrderProfitability = "affiliateProgramSortOrderProfitability" + TypeAffiliateProgramSortOrderCreationDate = "affiliateProgramSortOrderCreationDate" + TypeAffiliateProgramSortOrderRevenue = "affiliateProgramSortOrderRevenue" + TypeAffiliateProgramParameters = "affiliateProgramParameters" + TypeAffiliateProgramInfo = "affiliateProgramInfo" + TypeAffiliateInfo = "affiliateInfo" + TypeFoundAffiliateProgram = "foundAffiliateProgram" + TypeFoundAffiliatePrograms = "foundAffiliatePrograms" + TypeConnectedAffiliateProgram = "connectedAffiliateProgram" + TypeConnectedAffiliatePrograms = "connectedAffiliatePrograms" + TypeProductInfo = "productInfo" + TypePremiumPaymentOption = "premiumPaymentOption" + TypePremiumStatePaymentOption = "premiumStatePaymentOption" + TypePremiumGiftPaymentOption = "premiumGiftPaymentOption" + TypePremiumGiftPaymentOptions = "premiumGiftPaymentOptions" + TypePremiumGiveawayPaymentOption = "premiumGiveawayPaymentOption" + TypePremiumGiveawayPaymentOptions = "premiumGiveawayPaymentOptions" + TypePremiumGiftCodeInfo = "premiumGiftCodeInfo" + TypeStarPaymentOption = "starPaymentOption" + TypeStarPaymentOptions = "starPaymentOptions" + TypeStarGiveawayWinnerOption = "starGiveawayWinnerOption" + TypeStarGiveawayPaymentOption = "starGiveawayPaymentOption" + TypeStarGiveawayPaymentOptions = "starGiveawayPaymentOptions" + TypeAcceptedGiftTypes = "acceptedGiftTypes" + TypeGiftSettings = "giftSettings" + TypeGiftAuction = "giftAuction" + TypeGiftBackground = "giftBackground" + TypeGiftPurchaseLimits = "giftPurchaseLimits" + TypeGiftResaleParameters = "giftResaleParameters" + TypeGiftCollection = "giftCollection" + TypeGiftCollections = "giftCollections" + TypeCanSendGiftResultOk = "canSendGiftResultOk" + TypeCanSendGiftResultFail = "canSendGiftResultFail" + TypeUpgradedGiftOriginUpgrade = "upgradedGiftOriginUpgrade" + TypeUpgradedGiftOriginTransfer = "upgradedGiftOriginTransfer" + TypeUpgradedGiftOriginResale = "upgradedGiftOriginResale" + TypeUpgradedGiftOriginBlockchain = "upgradedGiftOriginBlockchain" + TypeUpgradedGiftOriginPrepaidUpgrade = "upgradedGiftOriginPrepaidUpgrade" + TypeUpgradedGiftOriginOffer = "upgradedGiftOriginOffer" + TypeUpgradedGiftOriginCraft = "upgradedGiftOriginCraft" + TypeUpgradedGiftAttributeRarityPerMille = "upgradedGiftAttributeRarityPerMille" + TypeUpgradedGiftAttributeRarityUncommon = "upgradedGiftAttributeRarityUncommon" + TypeUpgradedGiftAttributeRarityRare = "upgradedGiftAttributeRarityRare" + TypeUpgradedGiftAttributeRarityEpic = "upgradedGiftAttributeRarityEpic" + TypeUpgradedGiftAttributeRarityLegendary = "upgradedGiftAttributeRarityLegendary" + TypeUpgradedGiftModel = "upgradedGiftModel" + TypeUpgradedGiftSymbol = "upgradedGiftSymbol" + TypeUpgradedGiftBackdropColors = "upgradedGiftBackdropColors" + TypeUpgradedGiftBackdrop = "upgradedGiftBackdrop" + TypeUpgradedGiftOriginalDetails = "upgradedGiftOriginalDetails" + TypeUpgradedGiftColors = "upgradedGiftColors" + TypeGift = "gift" + TypeUpgradedGift = "upgradedGift" + TypeUpgradedGiftValueInfo = "upgradedGiftValueInfo" + TypeUpgradeGiftResult = "upgradeGiftResult" + TypeCraftGiftResultSuccess = "craftGiftResultSuccess" + TypeCraftGiftResultTooEarly = "craftGiftResultTooEarly" + TypeCraftGiftResultInvalidGift = "craftGiftResultInvalidGift" + TypeCraftGiftResultFail = "craftGiftResultFail" + TypeAvailableGift = "availableGift" + TypeAvailableGifts = "availableGifts" + TypeGiftUpgradePrice = "giftUpgradePrice" + TypeUpgradedGiftAttributeIdModel = "upgradedGiftAttributeIdModel" + TypeUpgradedGiftAttributeIdSymbol = "upgradedGiftAttributeIdSymbol" + TypeUpgradedGiftAttributeIdBackdrop = "upgradedGiftAttributeIdBackdrop" + TypeUpgradedGiftModelCount = "upgradedGiftModelCount" + TypeUpgradedGiftSymbolCount = "upgradedGiftSymbolCount" + TypeUpgradedGiftBackdropCount = "upgradedGiftBackdropCount" + TypeGiftForResaleOrderPrice = "giftForResaleOrderPrice" + TypeGiftForResaleOrderPriceChangeDate = "giftForResaleOrderPriceChangeDate" + TypeGiftForResaleOrderNumber = "giftForResaleOrderNumber" + TypeGiftForResale = "giftForResale" + TypeGiftsForResale = "giftsForResale" + TypeGiftResaleResultOk = "giftResaleResultOk" + TypeGiftResaleResultPriceIncreased = "giftResaleResultPriceIncreased" + TypeSentGiftRegular = "sentGiftRegular" + TypeSentGiftUpgraded = "sentGiftUpgraded" + TypeReceivedGift = "receivedGift" + TypeReceivedGifts = "receivedGifts" + TypeAttributeCraftPersistenceProbability = "attributeCraftPersistenceProbability" + TypeGiftsForCrafting = "giftsForCrafting" + TypeGiftUpgradePreview = "giftUpgradePreview" + TypeGiftUpgradeVariants = "giftUpgradeVariants" + TypeAuctionBid = "auctionBid" + TypeUserAuctionBid = "userAuctionBid" + TypeAuctionRound = "auctionRound" + TypeAuctionStateActive = "auctionStateActive" + TypeAuctionStateFinished = "auctionStateFinished" + TypeGiftAuctionState = "giftAuctionState" + TypeGiftAuctionAcquiredGift = "giftAuctionAcquiredGift" + TypeGiftAuctionAcquiredGifts = "giftAuctionAcquiredGifts" + TypeTransactionDirectionIncoming = "transactionDirectionIncoming" + TypeTransactionDirectionOutgoing = "transactionDirectionOutgoing" + TypeStarTransactionTypePremiumBotDeposit = "starTransactionTypePremiumBotDeposit" + TypeStarTransactionTypeAppStoreDeposit = "starTransactionTypeAppStoreDeposit" + TypeStarTransactionTypeGooglePlayDeposit = "starTransactionTypeGooglePlayDeposit" + TypeStarTransactionTypeFragmentDeposit = "starTransactionTypeFragmentDeposit" + TypeStarTransactionTypeUserDeposit = "starTransactionTypeUserDeposit" + TypeStarTransactionTypeGiveawayDeposit = "starTransactionTypeGiveawayDeposit" + TypeStarTransactionTypeFragmentWithdrawal = "starTransactionTypeFragmentWithdrawal" + TypeStarTransactionTypeTelegramAdsWithdrawal = "starTransactionTypeTelegramAdsWithdrawal" + TypeStarTransactionTypeTelegramApiUsage = "starTransactionTypeTelegramApiUsage" + TypeStarTransactionTypeBotPaidMediaPurchase = "starTransactionTypeBotPaidMediaPurchase" + TypeStarTransactionTypeBotPaidMediaSale = "starTransactionTypeBotPaidMediaSale" + TypeStarTransactionTypeChannelPaidMediaPurchase = "starTransactionTypeChannelPaidMediaPurchase" + TypeStarTransactionTypeChannelPaidMediaSale = "starTransactionTypeChannelPaidMediaSale" + TypeStarTransactionTypeBotInvoicePurchase = "starTransactionTypeBotInvoicePurchase" + TypeStarTransactionTypeBotInvoiceSale = "starTransactionTypeBotInvoiceSale" + TypeStarTransactionTypeBotSubscriptionPurchase = "starTransactionTypeBotSubscriptionPurchase" + TypeStarTransactionTypeBotSubscriptionSale = "starTransactionTypeBotSubscriptionSale" + TypeStarTransactionTypeChannelSubscriptionPurchase = "starTransactionTypeChannelSubscriptionPurchase" + TypeStarTransactionTypeChannelSubscriptionSale = "starTransactionTypeChannelSubscriptionSale" + TypeStarTransactionTypeGiftAuctionBid = "starTransactionTypeGiftAuctionBid" + TypeStarTransactionTypeGiftPurchase = "starTransactionTypeGiftPurchase" + TypeStarTransactionTypeGiftPurchaseOffer = "starTransactionTypeGiftPurchaseOffer" + TypeStarTransactionTypeGiftTransfer = "starTransactionTypeGiftTransfer" + TypeStarTransactionTypeGiftOriginalDetailsDrop = "starTransactionTypeGiftOriginalDetailsDrop" + TypeStarTransactionTypeGiftSale = "starTransactionTypeGiftSale" + TypeStarTransactionTypeGiftUpgrade = "starTransactionTypeGiftUpgrade" + TypeStarTransactionTypeGiftUpgradePurchase = "starTransactionTypeGiftUpgradePurchase" + TypeStarTransactionTypeUpgradedGiftPurchase = "starTransactionTypeUpgradedGiftPurchase" + TypeStarTransactionTypeUpgradedGiftSale = "starTransactionTypeUpgradedGiftSale" + TypeStarTransactionTypeChannelPaidReactionSend = "starTransactionTypeChannelPaidReactionSend" + TypeStarTransactionTypeChannelPaidReactionReceive = "starTransactionTypeChannelPaidReactionReceive" + TypeStarTransactionTypeAffiliateProgramCommission = "starTransactionTypeAffiliateProgramCommission" + TypeStarTransactionTypePaidMessageSend = "starTransactionTypePaidMessageSend" + TypeStarTransactionTypePaidMessageReceive = "starTransactionTypePaidMessageReceive" + TypeStarTransactionTypePaidGroupCallMessageSend = "starTransactionTypePaidGroupCallMessageSend" + TypeStarTransactionTypePaidGroupCallMessageReceive = "starTransactionTypePaidGroupCallMessageReceive" + TypeStarTransactionTypePaidGroupCallReactionSend = "starTransactionTypePaidGroupCallReactionSend" + TypeStarTransactionTypePaidGroupCallReactionReceive = "starTransactionTypePaidGroupCallReactionReceive" + TypeStarTransactionTypeSuggestedPostPaymentSend = "starTransactionTypeSuggestedPostPaymentSend" + TypeStarTransactionTypeSuggestedPostPaymentReceive = "starTransactionTypeSuggestedPostPaymentReceive" + TypeStarTransactionTypePremiumPurchase = "starTransactionTypePremiumPurchase" + TypeStarTransactionTypeBusinessBotTransferSend = "starTransactionTypeBusinessBotTransferSend" + TypeStarTransactionTypeBusinessBotTransferReceive = "starTransactionTypeBusinessBotTransferReceive" + TypeStarTransactionTypePublicPostSearch = "starTransactionTypePublicPostSearch" + TypeStarTransactionTypeUnsupported = "starTransactionTypeUnsupported" + TypeStarTransaction = "starTransaction" + TypeStarTransactions = "starTransactions" + TypeTonTransactionTypeFragmentDeposit = "tonTransactionTypeFragmentDeposit" + TypeTonTransactionTypeFragmentWithdrawal = "tonTransactionTypeFragmentWithdrawal" + TypeTonTransactionTypeSuggestedPostPayment = "tonTransactionTypeSuggestedPostPayment" + TypeTonTransactionTypeGiftPurchaseOffer = "tonTransactionTypeGiftPurchaseOffer" + TypeTonTransactionTypeUpgradedGiftPurchase = "tonTransactionTypeUpgradedGiftPurchase" + TypeTonTransactionTypeUpgradedGiftSale = "tonTransactionTypeUpgradedGiftSale" + TypeTonTransactionTypeStakeDiceStake = "tonTransactionTypeStakeDiceStake" + TypeTonTransactionTypeStakeDicePayout = "tonTransactionTypeStakeDicePayout" + TypeTonTransactionTypeUnsupported = "tonTransactionTypeUnsupported" + TypeTonTransaction = "tonTransaction" + TypeTonTransactions = "tonTransactions" + TypeActiveStoryStateLive = "activeStoryStateLive" + TypeActiveStoryStateUnread = "activeStoryStateUnread" + TypeActiveStoryStateRead = "activeStoryStateRead" + TypeGiveawayParticipantStatusEligible = "giveawayParticipantStatusEligible" + TypeGiveawayParticipantStatusParticipating = "giveawayParticipantStatusParticipating" + TypeGiveawayParticipantStatusAlreadyWasMember = "giveawayParticipantStatusAlreadyWasMember" + TypeGiveawayParticipantStatusAdministrator = "giveawayParticipantStatusAdministrator" + TypeGiveawayParticipantStatusDisallowedCountry = "giveawayParticipantStatusDisallowedCountry" + TypeGiveawayInfoOngoing = "giveawayInfoOngoing" + TypeGiveawayInfoCompleted = "giveawayInfoCompleted" + TypeGiveawayPrizePremium = "giveawayPrizePremium" + TypeGiveawayPrizeStars = "giveawayPrizeStars" + TypeAccentColor = "accentColor" + TypeProfileAccentColors = "profileAccentColors" + TypeProfileAccentColor = "profileAccentColor" + TypeUserRating = "userRating" + TypeRestrictionInfo = "restrictionInfo" + TypeEmojiStatusTypeCustomEmoji = "emojiStatusTypeCustomEmoji" + TypeEmojiStatusTypeUpgradedGift = "emojiStatusTypeUpgradedGift" + TypeEmojiStatus = "emojiStatus" + TypeEmojiStatuses = "emojiStatuses" + TypeEmojiStatusCustomEmojis = "emojiStatusCustomEmojis" + TypeUsernames = "usernames" + TypeUser = "user" + TypeBotInfo = "botInfo" + TypeUserFullInfo = "userFullInfo" + TypeUsers = "users" + TypeFoundUsers = "foundUsers" + TypeChatAdministrator = "chatAdministrator" + TypeChatAdministrators = "chatAdministrators" + TypeChatMemberStatusCreator = "chatMemberStatusCreator" + TypeChatMemberStatusAdministrator = "chatMemberStatusAdministrator" + TypeChatMemberStatusMember = "chatMemberStatusMember" + TypeChatMemberStatusRestricted = "chatMemberStatusRestricted" + TypeChatMemberStatusLeft = "chatMemberStatusLeft" + TypeChatMemberStatusBanned = "chatMemberStatusBanned" + TypeChatMember = "chatMember" + TypeChatMembers = "chatMembers" + TypeChatMembersFilterContacts = "chatMembersFilterContacts" + TypeChatMembersFilterAdministrators = "chatMembersFilterAdministrators" + TypeChatMembersFilterMembers = "chatMembersFilterMembers" + TypeChatMembersFilterMention = "chatMembersFilterMention" + TypeChatMembersFilterRestricted = "chatMembersFilterRestricted" + TypeChatMembersFilterBanned = "chatMembersFilterBanned" + TypeChatMembersFilterBots = "chatMembersFilterBots" + TypeSupergroupMembersFilterRecent = "supergroupMembersFilterRecent" + TypeSupergroupMembersFilterContacts = "supergroupMembersFilterContacts" + TypeSupergroupMembersFilterAdministrators = "supergroupMembersFilterAdministrators" + TypeSupergroupMembersFilterSearch = "supergroupMembersFilterSearch" + TypeSupergroupMembersFilterRestricted = "supergroupMembersFilterRestricted" + TypeSupergroupMembersFilterBanned = "supergroupMembersFilterBanned" + TypeSupergroupMembersFilterMention = "supergroupMembersFilterMention" + TypeSupergroupMembersFilterBots = "supergroupMembersFilterBots" + TypeChatInviteLink = "chatInviteLink" + TypeChatInviteLinks = "chatInviteLinks" + TypeChatInviteLinkCount = "chatInviteLinkCount" + TypeChatInviteLinkCounts = "chatInviteLinkCounts" + TypeChatInviteLinkMember = "chatInviteLinkMember" + TypeChatInviteLinkMembers = "chatInviteLinkMembers" + TypeInviteLinkChatTypeBasicGroup = "inviteLinkChatTypeBasicGroup" + TypeInviteLinkChatTypeSupergroup = "inviteLinkChatTypeSupergroup" + TypeInviteLinkChatTypeChannel = "inviteLinkChatTypeChannel" + TypeChatInviteLinkSubscriptionInfo = "chatInviteLinkSubscriptionInfo" + TypeChatInviteLinkInfo = "chatInviteLinkInfo" + TypeChatJoinRequest = "chatJoinRequest" + TypeChatJoinRequests = "chatJoinRequests" + TypeChatJoinRequestsInfo = "chatJoinRequestsInfo" + TypeBasicGroup = "basicGroup" + TypeBasicGroupFullInfo = "basicGroupFullInfo" + TypeSupergroup = "supergroup" + TypeSupergroupFullInfo = "supergroupFullInfo" + TypeSecretChatStatePending = "secretChatStatePending" + TypeSecretChatStateReady = "secretChatStateReady" + TypeSecretChatStateClosed = "secretChatStateClosed" + TypeSecretChat = "secretChat" + TypePublicPostSearchLimits = "publicPostSearchLimits" + TypeMessageSenderUser = "messageSenderUser" + TypeMessageSenderChat = "messageSenderChat" + TypeMessageSenders = "messageSenders" + TypeChatMessageSender = "chatMessageSender" + TypeChatMessageSenders = "chatMessageSenders" + TypeMessageReadDateRead = "messageReadDateRead" + TypeMessageReadDateUnread = "messageReadDateUnread" + TypeMessageReadDateTooOld = "messageReadDateTooOld" + TypeMessageReadDateUserPrivacyRestricted = "messageReadDateUserPrivacyRestricted" + TypeMessageReadDateMyPrivacyRestricted = "messageReadDateMyPrivacyRestricted" + TypeMessageViewer = "messageViewer" + TypeMessageViewers = "messageViewers" + TypeMessageOriginUser = "messageOriginUser" + TypeMessageOriginHiddenUser = "messageOriginHiddenUser" + TypeMessageOriginChat = "messageOriginChat" + TypeMessageOriginChannel = "messageOriginChannel" + TypeForwardSource = "forwardSource" + TypeReactionTypeEmoji = "reactionTypeEmoji" + TypeReactionTypeCustomEmoji = "reactionTypeCustomEmoji" + TypeReactionTypePaid = "reactionTypePaid" + TypePaidReactionTypeRegular = "paidReactionTypeRegular" + TypePaidReactionTypeAnonymous = "paidReactionTypeAnonymous" + TypePaidReactionTypeChat = "paidReactionTypeChat" + TypePaidReactor = "paidReactor" + TypeLiveStoryDonors = "liveStoryDonors" + TypeMessageForwardInfo = "messageForwardInfo" + TypeMessageImportInfo = "messageImportInfo" + TypeMessageReplyInfo = "messageReplyInfo" + TypeMessageReaction = "messageReaction" + TypeMessageReactions = "messageReactions" + TypeMessageInteractionInfo = "messageInteractionInfo" + TypeUnreadReaction = "unreadReaction" + TypeMessageTopicThread = "messageTopicThread" + TypeMessageTopicForum = "messageTopicForum" + TypeMessageTopicDirectMessages = "messageTopicDirectMessages" + TypeMessageTopicSavedMessages = "messageTopicSavedMessages" + TypeMessageEffectTypeEmojiReaction = "messageEffectTypeEmojiReaction" + TypeMessageEffectTypePremiumSticker = "messageEffectTypePremiumSticker" + TypeMessageEffect = "messageEffect" + TypeMessageSendingStatePending = "messageSendingStatePending" + TypeMessageSendingStateFailed = "messageSendingStateFailed" + TypeTextQuote = "textQuote" + TypeInputTextQuote = "inputTextQuote" + TypeMessageReplyToMessage = "messageReplyToMessage" + TypeMessageReplyToStory = "messageReplyToStory" + TypeInputMessageReplyToMessage = "inputMessageReplyToMessage" + TypeInputMessageReplyToExternalMessage = "inputMessageReplyToExternalMessage" + TypeInputMessageReplyToStory = "inputMessageReplyToStory" + TypeFactCheck = "factCheck" + TypeMessage = "message" + TypeMessages = "messages" + TypeFoundMessages = "foundMessages" + TypeFoundChatMessages = "foundChatMessages" + TypeFoundPublicPosts = "foundPublicPosts" + TypeMessagePosition = "messagePosition" + TypeMessagePositions = "messagePositions" + TypeMessageCalendarDay = "messageCalendarDay" + TypeMessageCalendar = "messageCalendar" + TypeBusinessMessage = "businessMessage" + TypeBusinessMessages = "businessMessages" + TypeMessageSourceChatHistory = "messageSourceChatHistory" + TypeMessageSourceMessageThreadHistory = "messageSourceMessageThreadHistory" + TypeMessageSourceForumTopicHistory = "messageSourceForumTopicHistory" + TypeMessageSourceDirectMessagesChatTopicHistory = "messageSourceDirectMessagesChatTopicHistory" + TypeMessageSourceHistoryPreview = "messageSourceHistoryPreview" + TypeMessageSourceChatList = "messageSourceChatList" + TypeMessageSourceSearch = "messageSourceSearch" + TypeMessageSourceChatEventLog = "messageSourceChatEventLog" + TypeMessageSourceNotification = "messageSourceNotification" + TypeMessageSourceScreenshot = "messageSourceScreenshot" + TypeMessageSourceOther = "messageSourceOther" + TypeAdvertisementSponsor = "advertisementSponsor" + TypeSponsoredMessage = "sponsoredMessage" + TypeSponsoredMessages = "sponsoredMessages" + TypeSponsoredChat = "sponsoredChat" + TypeSponsoredChats = "sponsoredChats" + TypeVideoMessageAdvertisement = "videoMessageAdvertisement" + TypeVideoMessageAdvertisements = "videoMessageAdvertisements" + TypeReportOption = "reportOption" + TypeReportSponsoredResultOk = "reportSponsoredResultOk" + TypeReportSponsoredResultFailed = "reportSponsoredResultFailed" + TypeReportSponsoredResultOptionRequired = "reportSponsoredResultOptionRequired" + TypeReportSponsoredResultAdsHidden = "reportSponsoredResultAdsHidden" + TypeReportSponsoredResultPremiumRequired = "reportSponsoredResultPremiumRequired" + TypeFileDownload = "fileDownload" + TypeDownloadedFileCounts = "downloadedFileCounts" + TypeFoundFileDownloads = "foundFileDownloads" + TypeNotificationSettingsScopePrivateChats = "notificationSettingsScopePrivateChats" + TypeNotificationSettingsScopeGroupChats = "notificationSettingsScopeGroupChats" + TypeNotificationSettingsScopeChannelChats = "notificationSettingsScopeChannelChats" + TypeChatNotificationSettings = "chatNotificationSettings" + TypeScopeNotificationSettings = "scopeNotificationSettings" + TypeReactionNotificationSourceNone = "reactionNotificationSourceNone" + TypeReactionNotificationSourceContacts = "reactionNotificationSourceContacts" + TypeReactionNotificationSourceAll = "reactionNotificationSourceAll" + TypeReactionNotificationSettings = "reactionNotificationSettings" + TypeDraftMessage = "draftMessage" + TypeChatTypePrivate = "chatTypePrivate" + TypeChatTypeBasicGroup = "chatTypeBasicGroup" + TypeChatTypeSupergroup = "chatTypeSupergroup" + TypeChatTypeSecret = "chatTypeSecret" + TypeChatFolderIcon = "chatFolderIcon" + TypeChatFolderName = "chatFolderName" + TypeChatFolder = "chatFolder" + TypeChatFolderInfo = "chatFolderInfo" + TypeChatFolderInviteLink = "chatFolderInviteLink" + TypeChatFolderInviteLinks = "chatFolderInviteLinks" + TypeChatFolderInviteLinkInfo = "chatFolderInviteLinkInfo" + TypeRecommendedChatFolder = "recommendedChatFolder" + TypeRecommendedChatFolders = "recommendedChatFolders" + TypeArchiveChatListSettings = "archiveChatListSettings" + TypeChatListMain = "chatListMain" + TypeChatListArchive = "chatListArchive" + TypeChatListFolder = "chatListFolder" + TypeChatLists = "chatLists" + TypeChatSourceMtprotoProxy = "chatSourceMtprotoProxy" + TypeChatSourcePublicServiceAnnouncement = "chatSourcePublicServiceAnnouncement" + TypeChatPosition = "chatPosition" + TypeChatAvailableReactionsAll = "chatAvailableReactionsAll" + TypeChatAvailableReactionsSome = "chatAvailableReactionsSome" + TypeSavedMessagesTag = "savedMessagesTag" + TypeSavedMessagesTags = "savedMessagesTags" + TypeBusinessBotManageBar = "businessBotManageBar" + TypeVideoChat = "videoChat" + TypeChat = "chat" + TypeChats = "chats" + TypeFailedToAddMember = "failedToAddMember" + TypeFailedToAddMembers = "failedToAddMembers" + TypeCreatedBasicGroupChat = "createdBasicGroupChat" + TypePublicChatTypeHasUsername = "publicChatTypeHasUsername" + TypePublicChatTypeIsLocationBased = "publicChatTypeIsLocationBased" + TypeAccountInfo = "accountInfo" + TypeChatActionBarReportSpam = "chatActionBarReportSpam" + TypeChatActionBarInviteMembers = "chatActionBarInviteMembers" + TypeChatActionBarReportAddBlock = "chatActionBarReportAddBlock" + TypeChatActionBarAddContact = "chatActionBarAddContact" + TypeChatActionBarSharePhoneNumber = "chatActionBarSharePhoneNumber" + TypeChatActionBarJoinRequest = "chatActionBarJoinRequest" + TypeButtonStyleDefault = "buttonStyleDefault" + TypeButtonStylePrimary = "buttonStylePrimary" + TypeButtonStyleDanger = "buttonStyleDanger" + TypeButtonStyleSuccess = "buttonStyleSuccess" + TypeKeyboardButtonTypeText = "keyboardButtonTypeText" + TypeKeyboardButtonTypeRequestPhoneNumber = "keyboardButtonTypeRequestPhoneNumber" + TypeKeyboardButtonTypeRequestLocation = "keyboardButtonTypeRequestLocation" + TypeKeyboardButtonTypeRequestPoll = "keyboardButtonTypeRequestPoll" + TypeKeyboardButtonTypeRequestUsers = "keyboardButtonTypeRequestUsers" + TypeKeyboardButtonTypeRequestChat = "keyboardButtonTypeRequestChat" + TypeKeyboardButtonTypeWebApp = "keyboardButtonTypeWebApp" + TypeKeyboardButton = "keyboardButton" + TypeInlineKeyboardButtonTypeUrl = "inlineKeyboardButtonTypeUrl" + TypeInlineKeyboardButtonTypeLoginUrl = "inlineKeyboardButtonTypeLoginUrl" + TypeInlineKeyboardButtonTypeWebApp = "inlineKeyboardButtonTypeWebApp" + TypeInlineKeyboardButtonTypeCallback = "inlineKeyboardButtonTypeCallback" + TypeInlineKeyboardButtonTypeCallbackWithPassword = "inlineKeyboardButtonTypeCallbackWithPassword" + TypeInlineKeyboardButtonTypeCallbackGame = "inlineKeyboardButtonTypeCallbackGame" + TypeInlineKeyboardButtonTypeSwitchInline = "inlineKeyboardButtonTypeSwitchInline" + TypeInlineKeyboardButtonTypeBuy = "inlineKeyboardButtonTypeBuy" + TypeInlineKeyboardButtonTypeUser = "inlineKeyboardButtonTypeUser" + TypeInlineKeyboardButtonTypeCopyText = "inlineKeyboardButtonTypeCopyText" + TypeInlineKeyboardButton = "inlineKeyboardButton" + TypeReplyMarkupRemoveKeyboard = "replyMarkupRemoveKeyboard" + TypeReplyMarkupForceReply = "replyMarkupForceReply" + TypeReplyMarkupShowKeyboard = "replyMarkupShowKeyboard" + TypeReplyMarkupInlineKeyboard = "replyMarkupInlineKeyboard" + TypeLoginUrlInfoOpen = "loginUrlInfoOpen" + TypeLoginUrlInfoRequestConfirmation = "loginUrlInfoRequestConfirmation" + TypeThemeParameters = "themeParameters" + TypeWebAppOpenModeCompact = "webAppOpenModeCompact" + TypeWebAppOpenModeFullSize = "webAppOpenModeFullSize" + TypeWebAppOpenModeFullScreen = "webAppOpenModeFullScreen" + TypeFoundWebApp = "foundWebApp" + TypeWebAppInfo = "webAppInfo" + TypeMainWebApp = "mainWebApp" + TypeWebAppOpenParameters = "webAppOpenParameters" + TypeMessageThreadInfo = "messageThreadInfo" + TypeSavedMessagesTopicTypeMyNotes = "savedMessagesTopicTypeMyNotes" + TypeSavedMessagesTopicTypeAuthorHidden = "savedMessagesTopicTypeAuthorHidden" + TypeSavedMessagesTopicTypeSavedFromChat = "savedMessagesTopicTypeSavedFromChat" + TypeSavedMessagesTopic = "savedMessagesTopic" + TypeDirectMessagesChatTopic = "directMessagesChatTopic" + TypeForumTopicIcon = "forumTopicIcon" + TypeForumTopicInfo = "forumTopicInfo" + TypeForumTopic = "forumTopic" + TypeForumTopics = "forumTopics" + TypeLinkPreviewOptions = "linkPreviewOptions" + TypeSharedUser = "sharedUser" + TypeSharedChat = "sharedChat" + TypeBuiltInThemeClassic = "builtInThemeClassic" + TypeBuiltInThemeDay = "builtInThemeDay" + TypeBuiltInThemeNight = "builtInThemeNight" + TypeBuiltInThemeTinted = "builtInThemeTinted" + TypeBuiltInThemeArctic = "builtInThemeArctic" + TypeThemeSettings = "themeSettings" + TypeRichTextPlain = "richTextPlain" + TypeRichTextBold = "richTextBold" + TypeRichTextItalic = "richTextItalic" + TypeRichTextUnderline = "richTextUnderline" + TypeRichTextStrikethrough = "richTextStrikethrough" + TypeRichTextFixed = "richTextFixed" + TypeRichTextUrl = "richTextUrl" + TypeRichTextEmailAddress = "richTextEmailAddress" + TypeRichTextSubscript = "richTextSubscript" + TypeRichTextSuperscript = "richTextSuperscript" + TypeRichTextMarked = "richTextMarked" + TypeRichTextPhoneNumber = "richTextPhoneNumber" + TypeRichTextIcon = "richTextIcon" + TypeRichTextReference = "richTextReference" + TypeRichTextAnchor = "richTextAnchor" + TypeRichTextAnchorLink = "richTextAnchorLink" + TypeRichTexts = "richTexts" + TypePageBlockCaption = "pageBlockCaption" + TypePageBlockListItem = "pageBlockListItem" + TypePageBlockHorizontalAlignmentLeft = "pageBlockHorizontalAlignmentLeft" + TypePageBlockHorizontalAlignmentCenter = "pageBlockHorizontalAlignmentCenter" + TypePageBlockHorizontalAlignmentRight = "pageBlockHorizontalAlignmentRight" + TypePageBlockVerticalAlignmentTop = "pageBlockVerticalAlignmentTop" + TypePageBlockVerticalAlignmentMiddle = "pageBlockVerticalAlignmentMiddle" + TypePageBlockVerticalAlignmentBottom = "pageBlockVerticalAlignmentBottom" + TypePageBlockTableCell = "pageBlockTableCell" + TypePageBlockRelatedArticle = "pageBlockRelatedArticle" + TypePageBlockTitle = "pageBlockTitle" + TypePageBlockSubtitle = "pageBlockSubtitle" + TypePageBlockAuthorDate = "pageBlockAuthorDate" + TypePageBlockHeader = "pageBlockHeader" + TypePageBlockSubheader = "pageBlockSubheader" + TypePageBlockKicker = "pageBlockKicker" + TypePageBlockParagraph = "pageBlockParagraph" + TypePageBlockPreformatted = "pageBlockPreformatted" + TypePageBlockFooter = "pageBlockFooter" + TypePageBlockDivider = "pageBlockDivider" + TypePageBlockAnchor = "pageBlockAnchor" + TypePageBlockList = "pageBlockList" + TypePageBlockBlockQuote = "pageBlockBlockQuote" + TypePageBlockPullQuote = "pageBlockPullQuote" + TypePageBlockAnimation = "pageBlockAnimation" + TypePageBlockAudio = "pageBlockAudio" + TypePageBlockPhoto = "pageBlockPhoto" + TypePageBlockVideo = "pageBlockVideo" + TypePageBlockVoiceNote = "pageBlockVoiceNote" + TypePageBlockCover = "pageBlockCover" + TypePageBlockEmbedded = "pageBlockEmbedded" + TypePageBlockEmbeddedPost = "pageBlockEmbeddedPost" + TypePageBlockCollage = "pageBlockCollage" + TypePageBlockSlideshow = "pageBlockSlideshow" + TypePageBlockChatLink = "pageBlockChatLink" + TypePageBlockTable = "pageBlockTable" + TypePageBlockDetails = "pageBlockDetails" + TypePageBlockRelatedArticles = "pageBlockRelatedArticles" + TypePageBlockMap = "pageBlockMap" + TypeWebPageInstantView = "webPageInstantView" + TypeLinkPreviewAlbumMediaPhoto = "linkPreviewAlbumMediaPhoto" + TypeLinkPreviewAlbumMediaVideo = "linkPreviewAlbumMediaVideo" + TypeLinkPreviewTypeAlbum = "linkPreviewTypeAlbum" + TypeLinkPreviewTypeAnimation = "linkPreviewTypeAnimation" + TypeLinkPreviewTypeApp = "linkPreviewTypeApp" + TypeLinkPreviewTypeArticle = "linkPreviewTypeArticle" + TypeLinkPreviewTypeAudio = "linkPreviewTypeAudio" + TypeLinkPreviewTypeBackground = "linkPreviewTypeBackground" + TypeLinkPreviewTypeChannelBoost = "linkPreviewTypeChannelBoost" + TypeLinkPreviewTypeChat = "linkPreviewTypeChat" + TypeLinkPreviewTypeDirectMessagesChat = "linkPreviewTypeDirectMessagesChat" + TypeLinkPreviewTypeDocument = "linkPreviewTypeDocument" + TypeLinkPreviewTypeEmbeddedAnimationPlayer = "linkPreviewTypeEmbeddedAnimationPlayer" + TypeLinkPreviewTypeEmbeddedAudioPlayer = "linkPreviewTypeEmbeddedAudioPlayer" + TypeLinkPreviewTypeEmbeddedVideoPlayer = "linkPreviewTypeEmbeddedVideoPlayer" + TypeLinkPreviewTypeExternalAudio = "linkPreviewTypeExternalAudio" + TypeLinkPreviewTypeExternalVideo = "linkPreviewTypeExternalVideo" + TypeLinkPreviewTypeGiftAuction = "linkPreviewTypeGiftAuction" + TypeLinkPreviewTypeGiftCollection = "linkPreviewTypeGiftCollection" + TypeLinkPreviewTypeGroupCall = "linkPreviewTypeGroupCall" + TypeLinkPreviewTypeInvoice = "linkPreviewTypeInvoice" + TypeLinkPreviewTypeLiveStory = "linkPreviewTypeLiveStory" + TypeLinkPreviewTypeMessage = "linkPreviewTypeMessage" + TypeLinkPreviewTypePhoto = "linkPreviewTypePhoto" + TypeLinkPreviewTypePremiumGiftCode = "linkPreviewTypePremiumGiftCode" + TypeLinkPreviewTypeShareableChatFolder = "linkPreviewTypeShareableChatFolder" + TypeLinkPreviewTypeSticker = "linkPreviewTypeSticker" + TypeLinkPreviewTypeStickerSet = "linkPreviewTypeStickerSet" + TypeLinkPreviewTypeStory = "linkPreviewTypeStory" + TypeLinkPreviewTypeStoryAlbum = "linkPreviewTypeStoryAlbum" + TypeLinkPreviewTypeSupergroupBoost = "linkPreviewTypeSupergroupBoost" + TypeLinkPreviewTypeTheme = "linkPreviewTypeTheme" + TypeLinkPreviewTypeUnsupported = "linkPreviewTypeUnsupported" + TypeLinkPreviewTypeUpgradedGift = "linkPreviewTypeUpgradedGift" + TypeLinkPreviewTypeUser = "linkPreviewTypeUser" + TypeLinkPreviewTypeVideo = "linkPreviewTypeVideo" + TypeLinkPreviewTypeVideoChat = "linkPreviewTypeVideoChat" + TypeLinkPreviewTypeVideoNote = "linkPreviewTypeVideoNote" + TypeLinkPreviewTypeVoiceNote = "linkPreviewTypeVoiceNote" + TypeLinkPreviewTypeWebApp = "linkPreviewTypeWebApp" + TypeLinkPreview = "linkPreview" + TypeCountryInfo = "countryInfo" + TypeCountries = "countries" + TypePhoneNumberInfo = "phoneNumberInfo" + TypeCollectibleItemTypeUsername = "collectibleItemTypeUsername" + TypeCollectibleItemTypePhoneNumber = "collectibleItemTypePhoneNumber" + TypeCollectibleItemInfo = "collectibleItemInfo" + TypeBankCardActionOpenUrl = "bankCardActionOpenUrl" + TypeBankCardInfo = "bankCardInfo" + TypeAddress = "address" + TypeLocationAddress = "locationAddress" + TypeLabeledPricePart = "labeledPricePart" + TypeInvoice = "invoice" + TypeOrderInfo = "orderInfo" + TypeShippingOption = "shippingOption" + TypeSavedCredentials = "savedCredentials" + TypeInputCredentialsSaved = "inputCredentialsSaved" + TypeInputCredentialsNew = "inputCredentialsNew" + TypeInputCredentialsApplePay = "inputCredentialsApplePay" + TypeInputCredentialsGooglePay = "inputCredentialsGooglePay" + TypePaymentProviderSmartGlocal = "paymentProviderSmartGlocal" + TypePaymentProviderStripe = "paymentProviderStripe" + TypePaymentProviderOther = "paymentProviderOther" + TypePaymentOption = "paymentOption" + TypePaymentFormTypeRegular = "paymentFormTypeRegular" + TypePaymentFormTypeStars = "paymentFormTypeStars" + TypePaymentFormTypeStarSubscription = "paymentFormTypeStarSubscription" + TypePaymentForm = "paymentForm" + TypeValidatedOrderInfo = "validatedOrderInfo" + TypePaymentResult = "paymentResult" + TypePaymentReceiptTypeRegular = "paymentReceiptTypeRegular" + TypePaymentReceiptTypeStars = "paymentReceiptTypeStars" + TypePaymentReceipt = "paymentReceipt" + TypeInputInvoiceMessage = "inputInvoiceMessage" + TypeInputInvoiceName = "inputInvoiceName" + TypeInputInvoiceTelegram = "inputInvoiceTelegram" + TypePaidMediaPreview = "paidMediaPreview" + TypePaidMediaPhoto = "paidMediaPhoto" + TypePaidMediaVideo = "paidMediaVideo" + TypePaidMediaUnsupported = "paidMediaUnsupported" + TypeGiveawayParameters = "giveawayParameters" + TypeDatedFile = "datedFile" + TypePassportElementTypePersonalDetails = "passportElementTypePersonalDetails" + TypePassportElementTypePassport = "passportElementTypePassport" + TypePassportElementTypeDriverLicense = "passportElementTypeDriverLicense" + TypePassportElementTypeIdentityCard = "passportElementTypeIdentityCard" + TypePassportElementTypeInternalPassport = "passportElementTypeInternalPassport" + TypePassportElementTypeAddress = "passportElementTypeAddress" + TypePassportElementTypeUtilityBill = "passportElementTypeUtilityBill" + TypePassportElementTypeBankStatement = "passportElementTypeBankStatement" + TypePassportElementTypeRentalAgreement = "passportElementTypeRentalAgreement" + TypePassportElementTypePassportRegistration = "passportElementTypePassportRegistration" + TypePassportElementTypeTemporaryRegistration = "passportElementTypeTemporaryRegistration" + TypePassportElementTypePhoneNumber = "passportElementTypePhoneNumber" + TypePassportElementTypeEmailAddress = "passportElementTypeEmailAddress" + TypeDate = "date" + TypePersonalDetails = "personalDetails" + TypeIdentityDocument = "identityDocument" + TypeInputIdentityDocument = "inputIdentityDocument" + TypePersonalDocument = "personalDocument" + TypeInputPersonalDocument = "inputPersonalDocument" + TypePassportElementPersonalDetails = "passportElementPersonalDetails" + TypePassportElementPassport = "passportElementPassport" + TypePassportElementDriverLicense = "passportElementDriverLicense" + TypePassportElementIdentityCard = "passportElementIdentityCard" + TypePassportElementInternalPassport = "passportElementInternalPassport" + TypePassportElementAddress = "passportElementAddress" + TypePassportElementUtilityBill = "passportElementUtilityBill" + TypePassportElementBankStatement = "passportElementBankStatement" + TypePassportElementRentalAgreement = "passportElementRentalAgreement" + TypePassportElementPassportRegistration = "passportElementPassportRegistration" + TypePassportElementTemporaryRegistration = "passportElementTemporaryRegistration" + TypePassportElementPhoneNumber = "passportElementPhoneNumber" + TypePassportElementEmailAddress = "passportElementEmailAddress" + TypeInputPassportElementPersonalDetails = "inputPassportElementPersonalDetails" + TypeInputPassportElementPassport = "inputPassportElementPassport" + TypeInputPassportElementDriverLicense = "inputPassportElementDriverLicense" + TypeInputPassportElementIdentityCard = "inputPassportElementIdentityCard" + TypeInputPassportElementInternalPassport = "inputPassportElementInternalPassport" + TypeInputPassportElementAddress = "inputPassportElementAddress" + TypeInputPassportElementUtilityBill = "inputPassportElementUtilityBill" + TypeInputPassportElementBankStatement = "inputPassportElementBankStatement" + TypeInputPassportElementRentalAgreement = "inputPassportElementRentalAgreement" + TypeInputPassportElementPassportRegistration = "inputPassportElementPassportRegistration" + TypeInputPassportElementTemporaryRegistration = "inputPassportElementTemporaryRegistration" + TypeInputPassportElementPhoneNumber = "inputPassportElementPhoneNumber" + TypeInputPassportElementEmailAddress = "inputPassportElementEmailAddress" + TypePassportElements = "passportElements" + TypePassportElementErrorSourceUnspecified = "passportElementErrorSourceUnspecified" + TypePassportElementErrorSourceDataField = "passportElementErrorSourceDataField" + TypePassportElementErrorSourceFrontSide = "passportElementErrorSourceFrontSide" + TypePassportElementErrorSourceReverseSide = "passportElementErrorSourceReverseSide" + TypePassportElementErrorSourceSelfie = "passportElementErrorSourceSelfie" + TypePassportElementErrorSourceTranslationFile = "passportElementErrorSourceTranslationFile" + TypePassportElementErrorSourceTranslationFiles = "passportElementErrorSourceTranslationFiles" + TypePassportElementErrorSourceFile = "passportElementErrorSourceFile" + TypePassportElementErrorSourceFiles = "passportElementErrorSourceFiles" + TypePassportElementError = "passportElementError" + TypePassportSuitableElement = "passportSuitableElement" + TypePassportRequiredElement = "passportRequiredElement" + TypePassportAuthorizationForm = "passportAuthorizationForm" + TypePassportElementsWithErrors = "passportElementsWithErrors" + TypeEncryptedCredentials = "encryptedCredentials" + TypeEncryptedPassportElement = "encryptedPassportElement" + TypeInputPassportElementErrorSourceUnspecified = "inputPassportElementErrorSourceUnspecified" + TypeInputPassportElementErrorSourceDataField = "inputPassportElementErrorSourceDataField" + TypeInputPassportElementErrorSourceFrontSide = "inputPassportElementErrorSourceFrontSide" + TypeInputPassportElementErrorSourceReverseSide = "inputPassportElementErrorSourceReverseSide" + TypeInputPassportElementErrorSourceSelfie = "inputPassportElementErrorSourceSelfie" + TypeInputPassportElementErrorSourceTranslationFile = "inputPassportElementErrorSourceTranslationFile" + TypeInputPassportElementErrorSourceTranslationFiles = "inputPassportElementErrorSourceTranslationFiles" + TypeInputPassportElementErrorSourceFile = "inputPassportElementErrorSourceFile" + TypeInputPassportElementErrorSourceFiles = "inputPassportElementErrorSourceFiles" + TypeInputPassportElementError = "inputPassportElementError" + TypeMessageText = "messageText" + TypeMessageAnimation = "messageAnimation" + TypeMessageAudio = "messageAudio" + TypeMessageDocument = "messageDocument" + TypeMessagePaidMedia = "messagePaidMedia" + TypeMessagePhoto = "messagePhoto" + TypeMessageSticker = "messageSticker" + TypeMessageVideo = "messageVideo" + TypeMessageVideoNote = "messageVideoNote" + TypeMessageVoiceNote = "messageVoiceNote" + TypeMessageExpiredPhoto = "messageExpiredPhoto" + TypeMessageExpiredVideo = "messageExpiredVideo" + TypeMessageExpiredVideoNote = "messageExpiredVideoNote" + TypeMessageExpiredVoiceNote = "messageExpiredVoiceNote" + TypeMessageLocation = "messageLocation" + TypeMessageVenue = "messageVenue" + TypeMessageContact = "messageContact" + TypeMessageAnimatedEmoji = "messageAnimatedEmoji" + TypeMessageDice = "messageDice" + TypeMessageGame = "messageGame" + TypeMessagePoll = "messagePoll" + TypeMessageStakeDice = "messageStakeDice" + TypeMessageStory = "messageStory" + TypeMessageChecklist = "messageChecklist" + TypeMessageInvoice = "messageInvoice" + TypeMessageCall = "messageCall" + TypeMessageGroupCall = "messageGroupCall" + TypeMessageVideoChatScheduled = "messageVideoChatScheduled" + TypeMessageVideoChatStarted = "messageVideoChatStarted" + TypeMessageVideoChatEnded = "messageVideoChatEnded" + TypeMessageInviteVideoChatParticipants = "messageInviteVideoChatParticipants" + TypeMessageBasicGroupChatCreate = "messageBasicGroupChatCreate" + TypeMessageSupergroupChatCreate = "messageSupergroupChatCreate" + TypeMessageChatChangeTitle = "messageChatChangeTitle" + TypeMessageChatChangePhoto = "messageChatChangePhoto" + TypeMessageChatDeletePhoto = "messageChatDeletePhoto" + TypeMessageChatOwnerLeft = "messageChatOwnerLeft" + TypeMessageChatOwnerChanged = "messageChatOwnerChanged" + TypeMessageChatAddMembers = "messageChatAddMembers" + TypeMessageChatJoinByLink = "messageChatJoinByLink" + TypeMessageChatJoinByRequest = "messageChatJoinByRequest" + TypeMessageChatDeleteMember = "messageChatDeleteMember" + TypeMessageChatUpgradeTo = "messageChatUpgradeTo" + TypeMessageChatUpgradeFrom = "messageChatUpgradeFrom" + TypeMessagePinMessage = "messagePinMessage" + TypeMessageScreenshotTaken = "messageScreenshotTaken" + TypeMessageChatSetBackground = "messageChatSetBackground" + TypeMessageChatSetTheme = "messageChatSetTheme" + TypeMessageChatSetMessageAutoDeleteTime = "messageChatSetMessageAutoDeleteTime" + TypeMessageChatBoost = "messageChatBoost" + TypeMessageForumTopicCreated = "messageForumTopicCreated" + TypeMessageForumTopicEdited = "messageForumTopicEdited" + TypeMessageForumTopicIsClosedToggled = "messageForumTopicIsClosedToggled" + TypeMessageForumTopicIsHiddenToggled = "messageForumTopicIsHiddenToggled" + TypeMessageSuggestProfilePhoto = "messageSuggestProfilePhoto" + TypeMessageSuggestBirthdate = "messageSuggestBirthdate" + TypeMessageCustomServiceAction = "messageCustomServiceAction" + TypeMessageGameScore = "messageGameScore" + TypeMessagePaymentSuccessful = "messagePaymentSuccessful" + TypeMessagePaymentSuccessfulBot = "messagePaymentSuccessfulBot" + TypeMessagePaymentRefunded = "messagePaymentRefunded" + TypeMessageGiftedPremium = "messageGiftedPremium" + TypeMessagePremiumGiftCode = "messagePremiumGiftCode" + TypeMessageGiveawayCreated = "messageGiveawayCreated" + TypeMessageGiveaway = "messageGiveaway" + TypeMessageGiveawayCompleted = "messageGiveawayCompleted" + TypeMessageGiveawayWinners = "messageGiveawayWinners" + TypeMessageGiftedStars = "messageGiftedStars" + TypeMessageGiftedTon = "messageGiftedTon" + TypeMessageGiveawayPrizeStars = "messageGiveawayPrizeStars" + TypeMessageGift = "messageGift" + TypeMessageUpgradedGift = "messageUpgradedGift" + TypeMessageRefundedUpgradedGift = "messageRefundedUpgradedGift" + TypeMessageUpgradedGiftPurchaseOffer = "messageUpgradedGiftPurchaseOffer" + TypeMessageUpgradedGiftPurchaseOfferRejected = "messageUpgradedGiftPurchaseOfferRejected" + TypeMessagePaidMessagesRefunded = "messagePaidMessagesRefunded" + TypeMessagePaidMessagePriceChanged = "messagePaidMessagePriceChanged" + TypeMessageDirectMessagePriceChanged = "messageDirectMessagePriceChanged" + TypeMessageChecklistTasksDone = "messageChecklistTasksDone" + TypeMessageChecklistTasksAdded = "messageChecklistTasksAdded" + TypeMessageSuggestedPostApprovalFailed = "messageSuggestedPostApprovalFailed" + TypeMessageSuggestedPostApproved = "messageSuggestedPostApproved" + TypeMessageSuggestedPostDeclined = "messageSuggestedPostDeclined" + TypeMessageSuggestedPostPaid = "messageSuggestedPostPaid" + TypeMessageSuggestedPostRefunded = "messageSuggestedPostRefunded" + TypeMessageContactRegistered = "messageContactRegistered" + TypeMessageUsersShared = "messageUsersShared" + TypeMessageChatShared = "messageChatShared" + TypeMessageBotWriteAccessAllowed = "messageBotWriteAccessAllowed" + TypeMessageWebAppDataSent = "messageWebAppDataSent" + TypeMessageWebAppDataReceived = "messageWebAppDataReceived" + TypeMessagePassportDataSent = "messagePassportDataSent" + TypeMessagePassportDataReceived = "messagePassportDataReceived" + TypeMessageProximityAlertTriggered = "messageProximityAlertTriggered" + TypeMessageUnsupported = "messageUnsupported" + TypeTextEntityTypeMention = "textEntityTypeMention" + TypeTextEntityTypeHashtag = "textEntityTypeHashtag" + TypeTextEntityTypeCashtag = "textEntityTypeCashtag" + TypeTextEntityTypeBotCommand = "textEntityTypeBotCommand" + TypeTextEntityTypeUrl = "textEntityTypeUrl" + TypeTextEntityTypeEmailAddress = "textEntityTypeEmailAddress" + TypeTextEntityTypePhoneNumber = "textEntityTypePhoneNumber" + TypeTextEntityTypeBankCardNumber = "textEntityTypeBankCardNumber" + TypeTextEntityTypeBold = "textEntityTypeBold" + TypeTextEntityTypeItalic = "textEntityTypeItalic" + TypeTextEntityTypeUnderline = "textEntityTypeUnderline" + TypeTextEntityTypeStrikethrough = "textEntityTypeStrikethrough" + TypeTextEntityTypeSpoiler = "textEntityTypeSpoiler" + TypeTextEntityTypeCode = "textEntityTypeCode" + TypeTextEntityTypePre = "textEntityTypePre" + TypeTextEntityTypePreCode = "textEntityTypePreCode" + TypeTextEntityTypeBlockQuote = "textEntityTypeBlockQuote" + TypeTextEntityTypeExpandableBlockQuote = "textEntityTypeExpandableBlockQuote" + TypeTextEntityTypeTextUrl = "textEntityTypeTextUrl" + TypeTextEntityTypeMentionName = "textEntityTypeMentionName" + TypeTextEntityTypeCustomEmoji = "textEntityTypeCustomEmoji" + TypeTextEntityTypeMediaTimestamp = "textEntityTypeMediaTimestamp" + TypeInputThumbnail = "inputThumbnail" + TypeInputPaidMediaTypePhoto = "inputPaidMediaTypePhoto" + TypeInputPaidMediaTypeVideo = "inputPaidMediaTypeVideo" + TypeInputPaidMedia = "inputPaidMedia" + TypeMessageSchedulingStateSendAtDate = "messageSchedulingStateSendAtDate" + TypeMessageSchedulingStateSendWhenOnline = "messageSchedulingStateSendWhenOnline" + TypeMessageSchedulingStateSendWhenVideoProcessed = "messageSchedulingStateSendWhenVideoProcessed" + TypeMessageSelfDestructTypeTimer = "messageSelfDestructTypeTimer" + TypeMessageSelfDestructTypeImmediately = "messageSelfDestructTypeImmediately" + TypeMessageSendOptions = "messageSendOptions" + TypeMessageCopyOptions = "messageCopyOptions" + TypeInputMessageText = "inputMessageText" + TypeInputMessageAnimation = "inputMessageAnimation" + TypeInputMessageAudio = "inputMessageAudio" + TypeInputMessageDocument = "inputMessageDocument" + TypeInputMessagePaidMedia = "inputMessagePaidMedia" + TypeInputMessagePhoto = "inputMessagePhoto" + TypeInputMessageSticker = "inputMessageSticker" + TypeInputMessageVideo = "inputMessageVideo" + TypeInputMessageVideoNote = "inputMessageVideoNote" + TypeInputMessageVoiceNote = "inputMessageVoiceNote" + TypeInputMessageLocation = "inputMessageLocation" + TypeInputMessageVenue = "inputMessageVenue" + TypeInputMessageContact = "inputMessageContact" + TypeInputMessageDice = "inputMessageDice" + TypeInputMessageGame = "inputMessageGame" + TypeInputMessageInvoice = "inputMessageInvoice" + TypeInputMessagePoll = "inputMessagePoll" + TypeInputMessageStakeDice = "inputMessageStakeDice" + TypeInputMessageStory = "inputMessageStory" + TypeInputMessageChecklist = "inputMessageChecklist" + TypeInputMessageForwarded = "inputMessageForwarded" + TypeMessageProperties = "messageProperties" + TypeSearchMessagesFilterEmpty = "searchMessagesFilterEmpty" + TypeSearchMessagesFilterAnimation = "searchMessagesFilterAnimation" + TypeSearchMessagesFilterAudio = "searchMessagesFilterAudio" + TypeSearchMessagesFilterDocument = "searchMessagesFilterDocument" + TypeSearchMessagesFilterPhoto = "searchMessagesFilterPhoto" + TypeSearchMessagesFilterVideo = "searchMessagesFilterVideo" + TypeSearchMessagesFilterVoiceNote = "searchMessagesFilterVoiceNote" + TypeSearchMessagesFilterPhotoAndVideo = "searchMessagesFilterPhotoAndVideo" + TypeSearchMessagesFilterUrl = "searchMessagesFilterUrl" + TypeSearchMessagesFilterChatPhoto = "searchMessagesFilterChatPhoto" + TypeSearchMessagesFilterVideoNote = "searchMessagesFilterVideoNote" + TypeSearchMessagesFilterVoiceAndVideoNote = "searchMessagesFilterVoiceAndVideoNote" + TypeSearchMessagesFilterMention = "searchMessagesFilterMention" + TypeSearchMessagesFilterUnreadMention = "searchMessagesFilterUnreadMention" + TypeSearchMessagesFilterUnreadReaction = "searchMessagesFilterUnreadReaction" + TypeSearchMessagesFilterFailedToSend = "searchMessagesFilterFailedToSend" + TypeSearchMessagesFilterPinned = "searchMessagesFilterPinned" + TypeSearchMessagesChatTypeFilterPrivate = "searchMessagesChatTypeFilterPrivate" + TypeSearchMessagesChatTypeFilterGroup = "searchMessagesChatTypeFilterGroup" + TypeSearchMessagesChatTypeFilterChannel = "searchMessagesChatTypeFilterChannel" + TypeChatActionTyping = "chatActionTyping" + TypeChatActionRecordingVideo = "chatActionRecordingVideo" + TypeChatActionUploadingVideo = "chatActionUploadingVideo" + TypeChatActionRecordingVoiceNote = "chatActionRecordingVoiceNote" + TypeChatActionUploadingVoiceNote = "chatActionUploadingVoiceNote" + TypeChatActionUploadingPhoto = "chatActionUploadingPhoto" + TypeChatActionUploadingDocument = "chatActionUploadingDocument" + TypeChatActionChoosingSticker = "chatActionChoosingSticker" + TypeChatActionChoosingLocation = "chatActionChoosingLocation" + TypeChatActionChoosingContact = "chatActionChoosingContact" + TypeChatActionStartPlayingGame = "chatActionStartPlayingGame" + TypeChatActionRecordingVideoNote = "chatActionRecordingVideoNote" + TypeChatActionUploadingVideoNote = "chatActionUploadingVideoNote" + TypeChatActionWatchingAnimations = "chatActionWatchingAnimations" + TypeChatActionCancel = "chatActionCancel" + TypeUserStatusEmpty = "userStatusEmpty" + TypeUserStatusOnline = "userStatusOnline" + TypeUserStatusOffline = "userStatusOffline" + TypeUserStatusRecently = "userStatusRecently" + TypeUserStatusLastWeek = "userStatusLastWeek" + TypeUserStatusLastMonth = "userStatusLastMonth" + TypeEmojiKeyword = "emojiKeyword" + TypeEmojiKeywords = "emojiKeywords" + TypeStickers = "stickers" + TypeEmojis = "emojis" + TypeStickerSet = "stickerSet" + TypeStickerSetInfo = "stickerSetInfo" + TypeStickerSets = "stickerSets" + TypeTrendingStickerSets = "trendingStickerSets" + TypeEmojiCategorySourceSearch = "emojiCategorySourceSearch" + TypeEmojiCategorySourcePremium = "emojiCategorySourcePremium" + TypeEmojiCategory = "emojiCategory" + TypeEmojiCategories = "emojiCategories" + TypeEmojiCategoryTypeDefault = "emojiCategoryTypeDefault" + TypeEmojiCategoryTypeRegularStickers = "emojiCategoryTypeRegularStickers" + TypeEmojiCategoryTypeEmojiStatus = "emojiCategoryTypeEmojiStatus" + TypeEmojiCategoryTypeChatPhoto = "emojiCategoryTypeChatPhoto" + TypeCurrentWeather = "currentWeather" + TypeStoryAreaPosition = "storyAreaPosition" + TypeStoryAreaTypeLocation = "storyAreaTypeLocation" + TypeStoryAreaTypeVenue = "storyAreaTypeVenue" + TypeStoryAreaTypeSuggestedReaction = "storyAreaTypeSuggestedReaction" + TypeStoryAreaTypeMessage = "storyAreaTypeMessage" + TypeStoryAreaTypeLink = "storyAreaTypeLink" + TypeStoryAreaTypeWeather = "storyAreaTypeWeather" + TypeStoryAreaTypeUpgradedGift = "storyAreaTypeUpgradedGift" + TypeStoryArea = "storyArea" + TypeInputStoryAreaTypeLocation = "inputStoryAreaTypeLocation" + TypeInputStoryAreaTypeFoundVenue = "inputStoryAreaTypeFoundVenue" + TypeInputStoryAreaTypePreviousVenue = "inputStoryAreaTypePreviousVenue" + TypeInputStoryAreaTypeSuggestedReaction = "inputStoryAreaTypeSuggestedReaction" + TypeInputStoryAreaTypeMessage = "inputStoryAreaTypeMessage" + TypeInputStoryAreaTypeLink = "inputStoryAreaTypeLink" + TypeInputStoryAreaTypeWeather = "inputStoryAreaTypeWeather" + TypeInputStoryAreaTypeUpgradedGift = "inputStoryAreaTypeUpgradedGift" + TypeInputStoryArea = "inputStoryArea" + TypeInputStoryAreas = "inputStoryAreas" + TypeStoryVideo = "storyVideo" + TypeStoryContentTypePhoto = "storyContentTypePhoto" + TypeStoryContentTypeVideo = "storyContentTypeVideo" + TypeStoryContentTypeLive = "storyContentTypeLive" + TypeStoryContentTypeUnsupported = "storyContentTypeUnsupported" + TypeStoryContentPhoto = "storyContentPhoto" + TypeStoryContentVideo = "storyContentVideo" + TypeStoryContentLive = "storyContentLive" + TypeStoryContentUnsupported = "storyContentUnsupported" + TypeInputStoryContentPhoto = "inputStoryContentPhoto" + TypeInputStoryContentVideo = "inputStoryContentVideo" + TypeStoryListMain = "storyListMain" + TypeStoryListArchive = "storyListArchive" + TypeStoryOriginPublicStory = "storyOriginPublicStory" + TypeStoryOriginHiddenUser = "storyOriginHiddenUser" + TypeStoryRepostInfo = "storyRepostInfo" + TypeStoryInteractionInfo = "storyInteractionInfo" + TypeStory = "story" + TypeStories = "stories" + TypeFoundStories = "foundStories" + TypeStoryAlbum = "storyAlbum" + TypeStoryAlbums = "storyAlbums" + TypeStoryFullId = "storyFullId" + TypeStoryInfo = "storyInfo" + TypeChatActiveStories = "chatActiveStories" + TypeStoryInteractionTypeView = "storyInteractionTypeView" + TypeStoryInteractionTypeForward = "storyInteractionTypeForward" + TypeStoryInteractionTypeRepost = "storyInteractionTypeRepost" + TypeStoryInteraction = "storyInteraction" + TypeStoryInteractions = "storyInteractions" + TypeQuickReplyMessage = "quickReplyMessage" + TypeQuickReplyMessages = "quickReplyMessages" + TypeQuickReplyShortcut = "quickReplyShortcut" + TypePublicForwardMessage = "publicForwardMessage" + TypePublicForwardStory = "publicForwardStory" + TypePublicForwards = "publicForwards" + TypeBotMediaPreview = "botMediaPreview" + TypeBotMediaPreviews = "botMediaPreviews" + TypeBotMediaPreviewInfo = "botMediaPreviewInfo" + TypeChatBoostLevelFeatures = "chatBoostLevelFeatures" + TypeChatBoostFeatures = "chatBoostFeatures" + TypeChatBoostSourceGiftCode = "chatBoostSourceGiftCode" + TypeChatBoostSourceGiveaway = "chatBoostSourceGiveaway" + TypeChatBoostSourcePremium = "chatBoostSourcePremium" + TypePrepaidGiveaway = "prepaidGiveaway" + TypeChatBoostStatus = "chatBoostStatus" + TypeChatBoost = "chatBoost" + TypeFoundChatBoosts = "foundChatBoosts" + TypeChatBoostSlot = "chatBoostSlot" + TypeChatBoostSlots = "chatBoostSlots" + TypeResendCodeReasonUserRequest = "resendCodeReasonUserRequest" + TypeResendCodeReasonVerificationFailed = "resendCodeReasonVerificationFailed" + TypeCallDiscardReasonEmpty = "callDiscardReasonEmpty" + TypeCallDiscardReasonMissed = "callDiscardReasonMissed" + TypeCallDiscardReasonDeclined = "callDiscardReasonDeclined" + TypeCallDiscardReasonDisconnected = "callDiscardReasonDisconnected" + TypeCallDiscardReasonHungUp = "callDiscardReasonHungUp" + TypeCallDiscardReasonUpgradeToGroupCall = "callDiscardReasonUpgradeToGroupCall" + TypeCallProtocol = "callProtocol" + TypeCallServerTypeTelegramReflector = "callServerTypeTelegramReflector" + TypeCallServerTypeWebrtc = "callServerTypeWebrtc" + TypeCallServer = "callServer" + TypeCallId = "callId" + TypeGroupCallId = "groupCallId" + TypeCallStatePending = "callStatePending" + TypeCallStateExchangingKeys = "callStateExchangingKeys" + TypeCallStateReady = "callStateReady" + TypeCallStateHangingUp = "callStateHangingUp" + TypeCallStateDiscarded = "callStateDiscarded" + TypeCallStateError = "callStateError" + TypeGroupCallJoinParameters = "groupCallJoinParameters" + TypeGroupCallVideoQualityThumbnail = "groupCallVideoQualityThumbnail" + TypeGroupCallVideoQualityMedium = "groupCallVideoQualityMedium" + TypeGroupCallVideoQualityFull = "groupCallVideoQualityFull" + TypeGroupCallStream = "groupCallStream" + TypeGroupCallStreams = "groupCallStreams" + TypeRtmpUrl = "rtmpUrl" + TypeGroupCallRecentSpeaker = "groupCallRecentSpeaker" + TypeGroupCall = "groupCall" + TypeGroupCallVideoSourceGroup = "groupCallVideoSourceGroup" + TypeGroupCallParticipantVideoInfo = "groupCallParticipantVideoInfo" + TypeGroupCallParticipant = "groupCallParticipant" + TypeGroupCallParticipants = "groupCallParticipants" + TypeGroupCallInfo = "groupCallInfo" + TypeGroupCallMessage = "groupCallMessage" + TypeGroupCallMessageLevel = "groupCallMessageLevel" + TypeInviteGroupCallParticipantResultUserPrivacyRestricted = "inviteGroupCallParticipantResultUserPrivacyRestricted" + TypeInviteGroupCallParticipantResultUserAlreadyParticipant = "inviteGroupCallParticipantResultUserAlreadyParticipant" + TypeInviteGroupCallParticipantResultUserWasBanned = "inviteGroupCallParticipantResultUserWasBanned" + TypeInviteGroupCallParticipantResultSuccess = "inviteGroupCallParticipantResultSuccess" + TypeGroupCallDataChannelMain = "groupCallDataChannelMain" + TypeGroupCallDataChannelScreenSharing = "groupCallDataChannelScreenSharing" + TypeInputGroupCallLink = "inputGroupCallLink" + TypeInputGroupCallMessage = "inputGroupCallMessage" + TypeCallProblemEcho = "callProblemEcho" + TypeCallProblemNoise = "callProblemNoise" + TypeCallProblemInterruptions = "callProblemInterruptions" + TypeCallProblemDistortedSpeech = "callProblemDistortedSpeech" + TypeCallProblemSilentLocal = "callProblemSilentLocal" + TypeCallProblemSilentRemote = "callProblemSilentRemote" + TypeCallProblemDropped = "callProblemDropped" + TypeCallProblemDistortedVideo = "callProblemDistortedVideo" + TypeCallProblemPixelatedVideo = "callProblemPixelatedVideo" + TypeCall = "call" + TypeFirebaseAuthenticationSettingsAndroid = "firebaseAuthenticationSettingsAndroid" + TypeFirebaseAuthenticationSettingsIos = "firebaseAuthenticationSettingsIos" + TypePhoneNumberAuthenticationSettings = "phoneNumberAuthenticationSettings" + TypeAddedReaction = "addedReaction" + TypeAddedReactions = "addedReactions" + TypeAvailableReaction = "availableReaction" + TypeAvailableReactions = "availableReactions" + TypeEmojiReaction = "emojiReaction" + TypeReactionUnavailabilityReasonAnonymousAdministrator = "reactionUnavailabilityReasonAnonymousAdministrator" + TypeReactionUnavailabilityReasonGuest = "reactionUnavailabilityReasonGuest" + TypeAnimations = "animations" + TypeDiceStickersRegular = "diceStickersRegular" + TypeDiceStickersSlotMachine = "diceStickersSlotMachine" + TypeImportedContact = "importedContact" + TypeImportedContacts = "importedContacts" + TypeSpeechRecognitionResultPending = "speechRecognitionResultPending" + TypeSpeechRecognitionResultText = "speechRecognitionResultText" + TypeSpeechRecognitionResultError = "speechRecognitionResultError" + TypeBusinessConnection = "businessConnection" + TypeAttachmentMenuBotColor = "attachmentMenuBotColor" + TypeAttachmentMenuBot = "attachmentMenuBot" + TypeSentWebAppMessage = "sentWebAppMessage" + TypeBotWriteAccessAllowReasonConnectedWebsite = "botWriteAccessAllowReasonConnectedWebsite" + TypeBotWriteAccessAllowReasonAddedToAttachmentMenu = "botWriteAccessAllowReasonAddedToAttachmentMenu" + TypeBotWriteAccessAllowReasonLaunchedWebApp = "botWriteAccessAllowReasonLaunchedWebApp" + TypeBotWriteAccessAllowReasonAcceptedRequest = "botWriteAccessAllowReasonAcceptedRequest" + TypeHttpUrl = "httpUrl" + TypeUserLink = "userLink" + TypeTargetChatTypes = "targetChatTypes" + TypeTargetChatCurrent = "targetChatCurrent" + TypeTargetChatChosen = "targetChatChosen" + TypeTargetChatInternalLink = "targetChatInternalLink" + TypeInputInlineQueryResultAnimation = "inputInlineQueryResultAnimation" + TypeInputInlineQueryResultArticle = "inputInlineQueryResultArticle" + TypeInputInlineQueryResultAudio = "inputInlineQueryResultAudio" + TypeInputInlineQueryResultContact = "inputInlineQueryResultContact" + TypeInputInlineQueryResultDocument = "inputInlineQueryResultDocument" + TypeInputInlineQueryResultGame = "inputInlineQueryResultGame" + TypeInputInlineQueryResultLocation = "inputInlineQueryResultLocation" + TypeInputInlineQueryResultPhoto = "inputInlineQueryResultPhoto" + TypeInputInlineQueryResultSticker = "inputInlineQueryResultSticker" + TypeInputInlineQueryResultVenue = "inputInlineQueryResultVenue" + TypeInputInlineQueryResultVideo = "inputInlineQueryResultVideo" + TypeInputInlineQueryResultVoiceNote = "inputInlineQueryResultVoiceNote" + TypeInlineQueryResultArticle = "inlineQueryResultArticle" + TypeInlineQueryResultContact = "inlineQueryResultContact" + TypeInlineQueryResultLocation = "inlineQueryResultLocation" + TypeInlineQueryResultVenue = "inlineQueryResultVenue" + TypeInlineQueryResultGame = "inlineQueryResultGame" + TypeInlineQueryResultAnimation = "inlineQueryResultAnimation" + TypeInlineQueryResultAudio = "inlineQueryResultAudio" + TypeInlineQueryResultDocument = "inlineQueryResultDocument" + TypeInlineQueryResultPhoto = "inlineQueryResultPhoto" + TypeInlineQueryResultSticker = "inlineQueryResultSticker" + TypeInlineQueryResultVideo = "inlineQueryResultVideo" + TypeInlineQueryResultVoiceNote = "inlineQueryResultVoiceNote" + TypeInlineQueryResultsButtonTypeStartBot = "inlineQueryResultsButtonTypeStartBot" + TypeInlineQueryResultsButtonTypeWebApp = "inlineQueryResultsButtonTypeWebApp" + TypeInlineQueryResultsButton = "inlineQueryResultsButton" + TypeInlineQueryResults = "inlineQueryResults" + TypePreparedInlineMessageId = "preparedInlineMessageId" + TypePreparedInlineMessage = "preparedInlineMessage" + TypeCallbackQueryPayloadData = "callbackQueryPayloadData" + TypeCallbackQueryPayloadDataWithPassword = "callbackQueryPayloadDataWithPassword" + TypeCallbackQueryPayloadGame = "callbackQueryPayloadGame" + TypeCallbackQueryAnswer = "callbackQueryAnswer" + TypeCustomRequestResult = "customRequestResult" + TypeGameHighScore = "gameHighScore" + TypeGameHighScores = "gameHighScores" + TypeChatEventMessageEdited = "chatEventMessageEdited" + TypeChatEventMessageDeleted = "chatEventMessageDeleted" + TypeChatEventMessagePinned = "chatEventMessagePinned" + TypeChatEventMessageUnpinned = "chatEventMessageUnpinned" + TypeChatEventPollStopped = "chatEventPollStopped" + TypeChatEventMemberJoined = "chatEventMemberJoined" + TypeChatEventMemberJoinedByInviteLink = "chatEventMemberJoinedByInviteLink" + TypeChatEventMemberJoinedByRequest = "chatEventMemberJoinedByRequest" + TypeChatEventMemberInvited = "chatEventMemberInvited" + TypeChatEventMemberLeft = "chatEventMemberLeft" + TypeChatEventMemberPromoted = "chatEventMemberPromoted" + TypeChatEventMemberRestricted = "chatEventMemberRestricted" + TypeChatEventMemberSubscriptionExtended = "chatEventMemberSubscriptionExtended" + TypeChatEventAvailableReactionsChanged = "chatEventAvailableReactionsChanged" + TypeChatEventBackgroundChanged = "chatEventBackgroundChanged" + TypeChatEventDescriptionChanged = "chatEventDescriptionChanged" + TypeChatEventEmojiStatusChanged = "chatEventEmojiStatusChanged" + TypeChatEventLinkedChatChanged = "chatEventLinkedChatChanged" + TypeChatEventLocationChanged = "chatEventLocationChanged" + TypeChatEventMessageAutoDeleteTimeChanged = "chatEventMessageAutoDeleteTimeChanged" + TypeChatEventPermissionsChanged = "chatEventPermissionsChanged" + TypeChatEventPhotoChanged = "chatEventPhotoChanged" + TypeChatEventSlowModeDelayChanged = "chatEventSlowModeDelayChanged" + TypeChatEventStickerSetChanged = "chatEventStickerSetChanged" + TypeChatEventCustomEmojiStickerSetChanged = "chatEventCustomEmojiStickerSetChanged" + TypeChatEventTitleChanged = "chatEventTitleChanged" + TypeChatEventUsernameChanged = "chatEventUsernameChanged" + TypeChatEventActiveUsernamesChanged = "chatEventActiveUsernamesChanged" + TypeChatEventAccentColorChanged = "chatEventAccentColorChanged" + TypeChatEventProfileAccentColorChanged = "chatEventProfileAccentColorChanged" + TypeChatEventHasProtectedContentToggled = "chatEventHasProtectedContentToggled" + TypeChatEventInvitesToggled = "chatEventInvitesToggled" + TypeChatEventIsAllHistoryAvailableToggled = "chatEventIsAllHistoryAvailableToggled" + TypeChatEventHasAggressiveAntiSpamEnabledToggled = "chatEventHasAggressiveAntiSpamEnabledToggled" + TypeChatEventSignMessagesToggled = "chatEventSignMessagesToggled" + TypeChatEventShowMessageSenderToggled = "chatEventShowMessageSenderToggled" + TypeChatEventAutomaticTranslationToggled = "chatEventAutomaticTranslationToggled" + TypeChatEventInviteLinkEdited = "chatEventInviteLinkEdited" + TypeChatEventInviteLinkRevoked = "chatEventInviteLinkRevoked" + TypeChatEventInviteLinkDeleted = "chatEventInviteLinkDeleted" + TypeChatEventVideoChatCreated = "chatEventVideoChatCreated" + TypeChatEventVideoChatEnded = "chatEventVideoChatEnded" + TypeChatEventVideoChatMuteNewParticipantsToggled = "chatEventVideoChatMuteNewParticipantsToggled" + TypeChatEventVideoChatParticipantIsMutedToggled = "chatEventVideoChatParticipantIsMutedToggled" + TypeChatEventVideoChatParticipantVolumeLevelChanged = "chatEventVideoChatParticipantVolumeLevelChanged" + TypeChatEventIsForumToggled = "chatEventIsForumToggled" + TypeChatEventForumTopicCreated = "chatEventForumTopicCreated" + TypeChatEventForumTopicEdited = "chatEventForumTopicEdited" + TypeChatEventForumTopicToggleIsClosed = "chatEventForumTopicToggleIsClosed" + TypeChatEventForumTopicToggleIsHidden = "chatEventForumTopicToggleIsHidden" + TypeChatEventForumTopicDeleted = "chatEventForumTopicDeleted" + TypeChatEventForumTopicPinned = "chatEventForumTopicPinned" + TypeChatEvent = "chatEvent" + TypeChatEvents = "chatEvents" + TypeChatEventLogFilters = "chatEventLogFilters" + TypeLanguagePackStringValueOrdinary = "languagePackStringValueOrdinary" + TypeLanguagePackStringValuePluralized = "languagePackStringValuePluralized" + TypeLanguagePackStringValueDeleted = "languagePackStringValueDeleted" + TypeLanguagePackString = "languagePackString" + TypeLanguagePackStrings = "languagePackStrings" + TypeLanguagePackInfo = "languagePackInfo" + TypeLocalizationTargetInfo = "localizationTargetInfo" + TypePremiumLimitTypeSupergroupCount = "premiumLimitTypeSupergroupCount" + TypePremiumLimitTypePinnedChatCount = "premiumLimitTypePinnedChatCount" + TypePremiumLimitTypeCreatedPublicChatCount = "premiumLimitTypeCreatedPublicChatCount" + TypePremiumLimitTypeSavedAnimationCount = "premiumLimitTypeSavedAnimationCount" + TypePremiumLimitTypeFavoriteStickerCount = "premiumLimitTypeFavoriteStickerCount" + TypePremiumLimitTypeChatFolderCount = "premiumLimitTypeChatFolderCount" + TypePremiumLimitTypeChatFolderChosenChatCount = "premiumLimitTypeChatFolderChosenChatCount" + TypePremiumLimitTypePinnedArchivedChatCount = "premiumLimitTypePinnedArchivedChatCount" + TypePremiumLimitTypePinnedSavedMessagesTopicCount = "premiumLimitTypePinnedSavedMessagesTopicCount" + TypePremiumLimitTypeCaptionLength = "premiumLimitTypeCaptionLength" + TypePremiumLimitTypeBioLength = "premiumLimitTypeBioLength" + TypePremiumLimitTypeChatFolderInviteLinkCount = "premiumLimitTypeChatFolderInviteLinkCount" + TypePremiumLimitTypeShareableChatFolderCount = "premiumLimitTypeShareableChatFolderCount" + TypePremiumLimitTypeActiveStoryCount = "premiumLimitTypeActiveStoryCount" + TypePremiumLimitTypeWeeklyPostedStoryCount = "premiumLimitTypeWeeklyPostedStoryCount" + TypePremiumLimitTypeMonthlyPostedStoryCount = "premiumLimitTypeMonthlyPostedStoryCount" + TypePremiumLimitTypeStoryCaptionLength = "premiumLimitTypeStoryCaptionLength" + TypePremiumLimitTypeStorySuggestedReactionAreaCount = "premiumLimitTypeStorySuggestedReactionAreaCount" + TypePremiumLimitTypeSimilarChatCount = "premiumLimitTypeSimilarChatCount" + TypePremiumFeatureIncreasedLimits = "premiumFeatureIncreasedLimits" + TypePremiumFeatureIncreasedUploadFileSize = "premiumFeatureIncreasedUploadFileSize" + TypePremiumFeatureImprovedDownloadSpeed = "premiumFeatureImprovedDownloadSpeed" + TypePremiumFeatureVoiceRecognition = "premiumFeatureVoiceRecognition" + TypePremiumFeatureDisabledAds = "premiumFeatureDisabledAds" + TypePremiumFeatureUniqueReactions = "premiumFeatureUniqueReactions" + TypePremiumFeatureUniqueStickers = "premiumFeatureUniqueStickers" + TypePremiumFeatureCustomEmoji = "premiumFeatureCustomEmoji" + TypePremiumFeatureAdvancedChatManagement = "premiumFeatureAdvancedChatManagement" + TypePremiumFeatureProfileBadge = "premiumFeatureProfileBadge" + TypePremiumFeatureEmojiStatus = "premiumFeatureEmojiStatus" + TypePremiumFeatureAnimatedProfilePhoto = "premiumFeatureAnimatedProfilePhoto" + TypePremiumFeatureForumTopicIcon = "premiumFeatureForumTopicIcon" + TypePremiumFeatureAppIcons = "premiumFeatureAppIcons" + TypePremiumFeatureRealTimeChatTranslation = "premiumFeatureRealTimeChatTranslation" + TypePremiumFeatureUpgradedStories = "premiumFeatureUpgradedStories" + TypePremiumFeatureChatBoost = "premiumFeatureChatBoost" + TypePremiumFeatureAccentColor = "premiumFeatureAccentColor" + TypePremiumFeatureBackgroundForBoth = "premiumFeatureBackgroundForBoth" + TypePremiumFeatureSavedMessagesTags = "premiumFeatureSavedMessagesTags" + TypePremiumFeatureMessagePrivacy = "premiumFeatureMessagePrivacy" + TypePremiumFeatureLastSeenTimes = "premiumFeatureLastSeenTimes" + TypePremiumFeatureBusiness = "premiumFeatureBusiness" + TypePremiumFeatureMessageEffects = "premiumFeatureMessageEffects" + TypePremiumFeatureChecklists = "premiumFeatureChecklists" + TypePremiumFeaturePaidMessages = "premiumFeaturePaidMessages" + TypeBusinessFeatureLocation = "businessFeatureLocation" + TypeBusinessFeatureOpeningHours = "businessFeatureOpeningHours" + TypeBusinessFeatureQuickReplies = "businessFeatureQuickReplies" + TypeBusinessFeatureGreetingMessage = "businessFeatureGreetingMessage" + TypeBusinessFeatureAwayMessage = "businessFeatureAwayMessage" + TypeBusinessFeatureAccountLinks = "businessFeatureAccountLinks" + TypeBusinessFeatureStartPage = "businessFeatureStartPage" + TypeBusinessFeatureBots = "businessFeatureBots" + TypeBusinessFeatureEmojiStatus = "businessFeatureEmojiStatus" + TypeBusinessFeatureChatFolderTags = "businessFeatureChatFolderTags" + TypeBusinessFeatureUpgradedStories = "businessFeatureUpgradedStories" + TypePremiumStoryFeaturePriorityOrder = "premiumStoryFeaturePriorityOrder" + TypePremiumStoryFeatureStealthMode = "premiumStoryFeatureStealthMode" + TypePremiumStoryFeaturePermanentViewsHistory = "premiumStoryFeaturePermanentViewsHistory" + TypePremiumStoryFeatureCustomExpirationDuration = "premiumStoryFeatureCustomExpirationDuration" + TypePremiumStoryFeatureSaveStories = "premiumStoryFeatureSaveStories" + TypePremiumStoryFeatureLinksAndFormatting = "premiumStoryFeatureLinksAndFormatting" + TypePremiumStoryFeatureVideoQuality = "premiumStoryFeatureVideoQuality" + TypePremiumLimit = "premiumLimit" + TypePremiumFeatures = "premiumFeatures" + TypeBusinessFeatures = "businessFeatures" + TypePremiumSourceLimitExceeded = "premiumSourceLimitExceeded" + TypePremiumSourceFeature = "premiumSourceFeature" + TypePremiumSourceBusinessFeature = "premiumSourceBusinessFeature" + TypePremiumSourceStoryFeature = "premiumSourceStoryFeature" + TypePremiumSourceLink = "premiumSourceLink" + TypePremiumSourceSettings = "premiumSourceSettings" + TypePremiumFeaturePromotionAnimation = "premiumFeaturePromotionAnimation" + TypeBusinessFeaturePromotionAnimation = "businessFeaturePromotionAnimation" + TypePremiumState = "premiumState" + TypeStorePaymentPurposePremiumSubscription = "storePaymentPurposePremiumSubscription" + TypeStorePaymentPurposePremiumGift = "storePaymentPurposePremiumGift" + TypeStorePaymentPurposePremiumGiftCodes = "storePaymentPurposePremiumGiftCodes" + TypeStorePaymentPurposePremiumGiveaway = "storePaymentPurposePremiumGiveaway" + TypeStorePaymentPurposeStarGiveaway = "storePaymentPurposeStarGiveaway" + TypeStorePaymentPurposeStars = "storePaymentPurposeStars" + TypeStorePaymentPurposeGiftedStars = "storePaymentPurposeGiftedStars" + TypeStoreTransactionAppStore = "storeTransactionAppStore" + TypeStoreTransactionGooglePlay = "storeTransactionGooglePlay" + TypeTelegramPaymentPurposePremiumGift = "telegramPaymentPurposePremiumGift" + TypeTelegramPaymentPurposePremiumGiftCodes = "telegramPaymentPurposePremiumGiftCodes" + TypeTelegramPaymentPurposePremiumGiveaway = "telegramPaymentPurposePremiumGiveaway" + TypeTelegramPaymentPurposeStars = "telegramPaymentPurposeStars" + TypeTelegramPaymentPurposeGiftedStars = "telegramPaymentPurposeGiftedStars" + TypeTelegramPaymentPurposeStarGiveaway = "telegramPaymentPurposeStarGiveaway" + TypeTelegramPaymentPurposeJoinChat = "telegramPaymentPurposeJoinChat" + TypeDeviceTokenFirebaseCloudMessaging = "deviceTokenFirebaseCloudMessaging" + TypeDeviceTokenApplePush = "deviceTokenApplePush" + TypeDeviceTokenApplePushVoIP = "deviceTokenApplePushVoIP" + TypeDeviceTokenWindowsPush = "deviceTokenWindowsPush" + TypeDeviceTokenMicrosoftPush = "deviceTokenMicrosoftPush" + TypeDeviceTokenMicrosoftPushVoIP = "deviceTokenMicrosoftPushVoIP" + TypeDeviceTokenWebPush = "deviceTokenWebPush" + TypeDeviceTokenSimplePush = "deviceTokenSimplePush" + TypeDeviceTokenUbuntuPush = "deviceTokenUbuntuPush" + TypeDeviceTokenBlackBerryPush = "deviceTokenBlackBerryPush" + TypeDeviceTokenTizenPush = "deviceTokenTizenPush" + TypeDeviceTokenHuaweiPush = "deviceTokenHuaweiPush" + TypePushReceiverId = "pushReceiverId" + TypeBackgroundFillSolid = "backgroundFillSolid" + TypeBackgroundFillGradient = "backgroundFillGradient" + TypeBackgroundFillFreeformGradient = "backgroundFillFreeformGradient" + TypeBackgroundTypeWallpaper = "backgroundTypeWallpaper" + TypeBackgroundTypePattern = "backgroundTypePattern" + TypeBackgroundTypeFill = "backgroundTypeFill" + TypeBackgroundTypeChatTheme = "backgroundTypeChatTheme" + TypeInputBackgroundLocal = "inputBackgroundLocal" + TypeInputBackgroundRemote = "inputBackgroundRemote" + TypeInputBackgroundPrevious = "inputBackgroundPrevious" + TypeEmojiChatTheme = "emojiChatTheme" + TypeGiftChatTheme = "giftChatTheme" + TypeGiftChatThemes = "giftChatThemes" + TypeChatThemeEmoji = "chatThemeEmoji" + TypeChatThemeGift = "chatThemeGift" + TypeInputChatThemeEmoji = "inputChatThemeEmoji" + TypeInputChatThemeGift = "inputChatThemeGift" + TypeTimeZone = "timeZone" + TypeTimeZones = "timeZones" + TypeHashtags = "hashtags" + TypeCanPostStoryResultOk = "canPostStoryResultOk" + TypeCanPostStoryResultPremiumNeeded = "canPostStoryResultPremiumNeeded" + TypeCanPostStoryResultBoostNeeded = "canPostStoryResultBoostNeeded" + TypeCanPostStoryResultActiveStoryLimitExceeded = "canPostStoryResultActiveStoryLimitExceeded" + TypeCanPostStoryResultWeeklyLimitExceeded = "canPostStoryResultWeeklyLimitExceeded" + TypeCanPostStoryResultMonthlyLimitExceeded = "canPostStoryResultMonthlyLimitExceeded" + TypeCanPostStoryResultLiveStoryIsActive = "canPostStoryResultLiveStoryIsActive" + TypeStartLiveStoryResultOk = "startLiveStoryResultOk" + TypeStartLiveStoryResultFail = "startLiveStoryResultFail" + TypeCanTransferOwnershipResultOk = "canTransferOwnershipResultOk" + TypeCanTransferOwnershipResultPasswordNeeded = "canTransferOwnershipResultPasswordNeeded" + TypeCanTransferOwnershipResultPasswordTooFresh = "canTransferOwnershipResultPasswordTooFresh" + TypeCanTransferOwnershipResultSessionTooFresh = "canTransferOwnershipResultSessionTooFresh" + TypeCheckChatUsernameResultOk = "checkChatUsernameResultOk" + TypeCheckChatUsernameResultUsernameInvalid = "checkChatUsernameResultUsernameInvalid" + TypeCheckChatUsernameResultUsernameOccupied = "checkChatUsernameResultUsernameOccupied" + TypeCheckChatUsernameResultUsernamePurchasable = "checkChatUsernameResultUsernamePurchasable" + TypeCheckChatUsernameResultPublicChatsTooMany = "checkChatUsernameResultPublicChatsTooMany" + TypeCheckChatUsernameResultPublicGroupsUnavailable = "checkChatUsernameResultPublicGroupsUnavailable" + TypeCheckStickerSetNameResultOk = "checkStickerSetNameResultOk" + TypeCheckStickerSetNameResultNameInvalid = "checkStickerSetNameResultNameInvalid" + TypeCheckStickerSetNameResultNameOccupied = "checkStickerSetNameResultNameOccupied" + TypeResetPasswordResultOk = "resetPasswordResultOk" + TypeResetPasswordResultPending = "resetPasswordResultPending" + TypeResetPasswordResultDeclined = "resetPasswordResultDeclined" + TypeMessageFileTypePrivate = "messageFileTypePrivate" + TypeMessageFileTypeGroup = "messageFileTypeGroup" + TypeMessageFileTypeUnknown = "messageFileTypeUnknown" + TypePushMessageContentHidden = "pushMessageContentHidden" + TypePushMessageContentAnimation = "pushMessageContentAnimation" + TypePushMessageContentAudio = "pushMessageContentAudio" + TypePushMessageContentContact = "pushMessageContentContact" + TypePushMessageContentContactRegistered = "pushMessageContentContactRegistered" + TypePushMessageContentDocument = "pushMessageContentDocument" + TypePushMessageContentGame = "pushMessageContentGame" + TypePushMessageContentGameScore = "pushMessageContentGameScore" + TypePushMessageContentInvoice = "pushMessageContentInvoice" + TypePushMessageContentLocation = "pushMessageContentLocation" + TypePushMessageContentPaidMedia = "pushMessageContentPaidMedia" + TypePushMessageContentPhoto = "pushMessageContentPhoto" + TypePushMessageContentPoll = "pushMessageContentPoll" + TypePushMessageContentPremiumGiftCode = "pushMessageContentPremiumGiftCode" + TypePushMessageContentGiveaway = "pushMessageContentGiveaway" + TypePushMessageContentGift = "pushMessageContentGift" + TypePushMessageContentUpgradedGift = "pushMessageContentUpgradedGift" + TypePushMessageContentScreenshotTaken = "pushMessageContentScreenshotTaken" + TypePushMessageContentSticker = "pushMessageContentSticker" + TypePushMessageContentStory = "pushMessageContentStory" + TypePushMessageContentText = "pushMessageContentText" + TypePushMessageContentChecklist = "pushMessageContentChecklist" + TypePushMessageContentVideo = "pushMessageContentVideo" + TypePushMessageContentVideoNote = "pushMessageContentVideoNote" + TypePushMessageContentVoiceNote = "pushMessageContentVoiceNote" + TypePushMessageContentBasicGroupChatCreate = "pushMessageContentBasicGroupChatCreate" + TypePushMessageContentVideoChatStarted = "pushMessageContentVideoChatStarted" + TypePushMessageContentVideoChatEnded = "pushMessageContentVideoChatEnded" + TypePushMessageContentInviteVideoChatParticipants = "pushMessageContentInviteVideoChatParticipants" + TypePushMessageContentChatAddMembers = "pushMessageContentChatAddMembers" + TypePushMessageContentChatChangePhoto = "pushMessageContentChatChangePhoto" + TypePushMessageContentChatChangeTitle = "pushMessageContentChatChangeTitle" + TypePushMessageContentChatSetBackground = "pushMessageContentChatSetBackground" + TypePushMessageContentChatSetTheme = "pushMessageContentChatSetTheme" + TypePushMessageContentChatDeleteMember = "pushMessageContentChatDeleteMember" + TypePushMessageContentChatJoinByLink = "pushMessageContentChatJoinByLink" + TypePushMessageContentChatJoinByRequest = "pushMessageContentChatJoinByRequest" + TypePushMessageContentRecurringPayment = "pushMessageContentRecurringPayment" + TypePushMessageContentSuggestProfilePhoto = "pushMessageContentSuggestProfilePhoto" + TypePushMessageContentSuggestBirthdate = "pushMessageContentSuggestBirthdate" + TypePushMessageContentProximityAlertTriggered = "pushMessageContentProximityAlertTriggered" + TypePushMessageContentChecklistTasksAdded = "pushMessageContentChecklistTasksAdded" + TypePushMessageContentChecklistTasksDone = "pushMessageContentChecklistTasksDone" + TypePushMessageContentMessageForwards = "pushMessageContentMessageForwards" + TypePushMessageContentMediaAlbum = "pushMessageContentMediaAlbum" + TypeNotificationTypeNewMessage = "notificationTypeNewMessage" + TypeNotificationTypeNewSecretChat = "notificationTypeNewSecretChat" + TypeNotificationTypeNewCall = "notificationTypeNewCall" + TypeNotificationTypeNewPushMessage = "notificationTypeNewPushMessage" + TypeNotificationGroupTypeMessages = "notificationGroupTypeMessages" + TypeNotificationGroupTypeMentions = "notificationGroupTypeMentions" + TypeNotificationGroupTypeSecretChat = "notificationGroupTypeSecretChat" + TypeNotificationGroupTypeCalls = "notificationGroupTypeCalls" + TypeNotificationSound = "notificationSound" + TypeNotificationSounds = "notificationSounds" + TypeNotification = "notification" + TypeNotificationGroup = "notificationGroup" + TypeProxy = "proxy" + TypeOptionValueBoolean = "optionValueBoolean" + TypeOptionValueEmpty = "optionValueEmpty" + TypeOptionValueInteger = "optionValueInteger" + TypeOptionValueString = "optionValueString" + TypeJsonObjectMember = "jsonObjectMember" + TypeJsonValueNull = "jsonValueNull" + TypeJsonValueBoolean = "jsonValueBoolean" + TypeJsonValueNumber = "jsonValueNumber" + TypeJsonValueString = "jsonValueString" + TypeJsonValueArray = "jsonValueArray" + TypeJsonValueObject = "jsonValueObject" + TypeStoryPrivacySettingsEveryone = "storyPrivacySettingsEveryone" + TypeStoryPrivacySettingsContacts = "storyPrivacySettingsContacts" + TypeStoryPrivacySettingsCloseFriends = "storyPrivacySettingsCloseFriends" + TypeStoryPrivacySettingsSelectedUsers = "storyPrivacySettingsSelectedUsers" + TypeUserPrivacySettingRuleAllowAll = "userPrivacySettingRuleAllowAll" + TypeUserPrivacySettingRuleAllowContacts = "userPrivacySettingRuleAllowContacts" + TypeUserPrivacySettingRuleAllowBots = "userPrivacySettingRuleAllowBots" + TypeUserPrivacySettingRuleAllowPremiumUsers = "userPrivacySettingRuleAllowPremiumUsers" + TypeUserPrivacySettingRuleAllowUsers = "userPrivacySettingRuleAllowUsers" + TypeUserPrivacySettingRuleAllowChatMembers = "userPrivacySettingRuleAllowChatMembers" + TypeUserPrivacySettingRuleRestrictAll = "userPrivacySettingRuleRestrictAll" + TypeUserPrivacySettingRuleRestrictContacts = "userPrivacySettingRuleRestrictContacts" + TypeUserPrivacySettingRuleRestrictBots = "userPrivacySettingRuleRestrictBots" + TypeUserPrivacySettingRuleRestrictUsers = "userPrivacySettingRuleRestrictUsers" + TypeUserPrivacySettingRuleRestrictChatMembers = "userPrivacySettingRuleRestrictChatMembers" + TypeUserPrivacySettingRules = "userPrivacySettingRules" + TypeUserPrivacySettingShowStatus = "userPrivacySettingShowStatus" + TypeUserPrivacySettingShowProfilePhoto = "userPrivacySettingShowProfilePhoto" + TypeUserPrivacySettingShowLinkInForwardedMessages = "userPrivacySettingShowLinkInForwardedMessages" + TypeUserPrivacySettingShowPhoneNumber = "userPrivacySettingShowPhoneNumber" + TypeUserPrivacySettingShowBio = "userPrivacySettingShowBio" + TypeUserPrivacySettingShowBirthdate = "userPrivacySettingShowBirthdate" + TypeUserPrivacySettingShowProfileAudio = "userPrivacySettingShowProfileAudio" + TypeUserPrivacySettingAllowChatInvites = "userPrivacySettingAllowChatInvites" + TypeUserPrivacySettingAllowCalls = "userPrivacySettingAllowCalls" + TypeUserPrivacySettingAllowPeerToPeerCalls = "userPrivacySettingAllowPeerToPeerCalls" + TypeUserPrivacySettingAllowFindingByPhoneNumber = "userPrivacySettingAllowFindingByPhoneNumber" + TypeUserPrivacySettingAllowPrivateVoiceAndVideoNoteMessages = "userPrivacySettingAllowPrivateVoiceAndVideoNoteMessages" + TypeUserPrivacySettingAutosaveGifts = "userPrivacySettingAutosaveGifts" + TypeUserPrivacySettingAllowUnpaidMessages = "userPrivacySettingAllowUnpaidMessages" + TypeReadDatePrivacySettings = "readDatePrivacySettings" + TypeNewChatPrivacySettings = "newChatPrivacySettings" + TypeCanSendMessageToUserResultOk = "canSendMessageToUserResultOk" + TypeCanSendMessageToUserResultUserHasPaidMessages = "canSendMessageToUserResultUserHasPaidMessages" + TypeCanSendMessageToUserResultUserIsDeleted = "canSendMessageToUserResultUserIsDeleted" + TypeCanSendMessageToUserResultUserRestrictsNewChats = "canSendMessageToUserResultUserRestrictsNewChats" + TypeAccountTtl = "accountTtl" + TypeMessageAutoDeleteTime = "messageAutoDeleteTime" + TypeSessionTypeAndroid = "sessionTypeAndroid" + TypeSessionTypeApple = "sessionTypeApple" + TypeSessionTypeBrave = "sessionTypeBrave" + TypeSessionTypeChrome = "sessionTypeChrome" + TypeSessionTypeEdge = "sessionTypeEdge" + TypeSessionTypeFirefox = "sessionTypeFirefox" + TypeSessionTypeIpad = "sessionTypeIpad" + TypeSessionTypeIphone = "sessionTypeIphone" + TypeSessionTypeLinux = "sessionTypeLinux" + TypeSessionTypeMac = "sessionTypeMac" + TypeSessionTypeOpera = "sessionTypeOpera" + TypeSessionTypeSafari = "sessionTypeSafari" + TypeSessionTypeUbuntu = "sessionTypeUbuntu" + TypeSessionTypeUnknown = "sessionTypeUnknown" + TypeSessionTypeVivaldi = "sessionTypeVivaldi" + TypeSessionTypeWindows = "sessionTypeWindows" + TypeSessionTypeXbox = "sessionTypeXbox" + TypeSession = "session" + TypeSessions = "sessions" + TypeUnconfirmedSession = "unconfirmedSession" + TypeConnectedWebsite = "connectedWebsite" + TypeConnectedWebsites = "connectedWebsites" + TypeReportReasonSpam = "reportReasonSpam" + TypeReportReasonViolence = "reportReasonViolence" + TypeReportReasonPornography = "reportReasonPornography" + TypeReportReasonChildAbuse = "reportReasonChildAbuse" + TypeReportReasonCopyright = "reportReasonCopyright" + TypeReportReasonUnrelatedLocation = "reportReasonUnrelatedLocation" + TypeReportReasonFake = "reportReasonFake" + TypeReportReasonIllegalDrugs = "reportReasonIllegalDrugs" + TypeReportReasonPersonalDetails = "reportReasonPersonalDetails" + TypeReportReasonCustom = "reportReasonCustom" + TypeReportChatResultOk = "reportChatResultOk" + TypeReportChatResultOptionRequired = "reportChatResultOptionRequired" + TypeReportChatResultTextRequired = "reportChatResultTextRequired" + TypeReportChatResultMessagesRequired = "reportChatResultMessagesRequired" + TypeReportStoryResultOk = "reportStoryResultOk" + TypeReportStoryResultOptionRequired = "reportStoryResultOptionRequired" + TypeReportStoryResultTextRequired = "reportStoryResultTextRequired" + TypeSettingsSectionAppearance = "settingsSectionAppearance" + TypeSettingsSectionAskQuestion = "settingsSectionAskQuestion" + TypeSettingsSectionBusiness = "settingsSectionBusiness" + TypeSettingsSectionChatFolders = "settingsSectionChatFolders" + TypeSettingsSectionDataAndStorage = "settingsSectionDataAndStorage" + TypeSettingsSectionDevices = "settingsSectionDevices" + TypeSettingsSectionEditProfile = "settingsSectionEditProfile" + TypeSettingsSectionFaq = "settingsSectionFaq" + TypeSettingsSectionFeatures = "settingsSectionFeatures" + TypeSettingsSectionInAppBrowser = "settingsSectionInAppBrowser" + TypeSettingsSectionLanguage = "settingsSectionLanguage" + TypeSettingsSectionMyStars = "settingsSectionMyStars" + TypeSettingsSectionMyToncoins = "settingsSectionMyToncoins" + TypeSettingsSectionNotifications = "settingsSectionNotifications" + TypeSettingsSectionPowerSaving = "settingsSectionPowerSaving" + TypeSettingsSectionPremium = "settingsSectionPremium" + TypeSettingsSectionPrivacyAndSecurity = "settingsSectionPrivacyAndSecurity" + TypeSettingsSectionPrivacyPolicy = "settingsSectionPrivacyPolicy" + TypeSettingsSectionQrCode = "settingsSectionQrCode" + TypeSettingsSectionSearch = "settingsSectionSearch" + TypeSettingsSectionSendGift = "settingsSectionSendGift" + TypeInternalLinkTypeAttachmentMenuBot = "internalLinkTypeAttachmentMenuBot" + TypeInternalLinkTypeAuthenticationCode = "internalLinkTypeAuthenticationCode" + TypeInternalLinkTypeBackground = "internalLinkTypeBackground" + TypeInternalLinkTypeBotAddToChannel = "internalLinkTypeBotAddToChannel" + TypeInternalLinkTypeBotStart = "internalLinkTypeBotStart" + TypeInternalLinkTypeBotStartInGroup = "internalLinkTypeBotStartInGroup" + TypeInternalLinkTypeBusinessChat = "internalLinkTypeBusinessChat" + TypeInternalLinkTypeCallsPage = "internalLinkTypeCallsPage" + TypeInternalLinkTypeChatAffiliateProgram = "internalLinkTypeChatAffiliateProgram" + TypeInternalLinkTypeChatBoost = "internalLinkTypeChatBoost" + TypeInternalLinkTypeChatFolderInvite = "internalLinkTypeChatFolderInvite" + TypeInternalLinkTypeChatInvite = "internalLinkTypeChatInvite" + TypeInternalLinkTypeChatSelection = "internalLinkTypeChatSelection" + TypeInternalLinkTypeContactsPage = "internalLinkTypeContactsPage" + TypeInternalLinkTypeDirectMessagesChat = "internalLinkTypeDirectMessagesChat" + TypeInternalLinkTypeGame = "internalLinkTypeGame" + TypeInternalLinkTypeGiftAuction = "internalLinkTypeGiftAuction" + TypeInternalLinkTypeGiftCollection = "internalLinkTypeGiftCollection" + TypeInternalLinkTypeGroupCall = "internalLinkTypeGroupCall" + TypeInternalLinkTypeInstantView = "internalLinkTypeInstantView" + TypeInternalLinkTypeInvoice = "internalLinkTypeInvoice" + TypeInternalLinkTypeLanguagePack = "internalLinkTypeLanguagePack" + TypeInternalLinkTypeLiveStory = "internalLinkTypeLiveStory" + TypeInternalLinkTypeMainWebApp = "internalLinkTypeMainWebApp" + TypeInternalLinkTypeMessage = "internalLinkTypeMessage" + TypeInternalLinkTypeMessageDraft = "internalLinkTypeMessageDraft" + TypeInternalLinkTypeMyProfilePage = "internalLinkTypeMyProfilePage" + TypeInternalLinkTypeNewChannelChat = "internalLinkTypeNewChannelChat" + TypeInternalLinkTypeNewGroupChat = "internalLinkTypeNewGroupChat" + TypeInternalLinkTypeNewPrivateChat = "internalLinkTypeNewPrivateChat" + TypeInternalLinkTypeNewStory = "internalLinkTypeNewStory" + TypeInternalLinkTypePassportDataRequest = "internalLinkTypePassportDataRequest" + TypeInternalLinkTypePhoneNumberConfirmation = "internalLinkTypePhoneNumberConfirmation" + TypeInternalLinkTypePremiumFeaturesPage = "internalLinkTypePremiumFeaturesPage" + TypeInternalLinkTypePremiumGiftCode = "internalLinkTypePremiumGiftCode" + TypeInternalLinkTypePremiumGiftPurchase = "internalLinkTypePremiumGiftPurchase" + TypeInternalLinkTypeProxy = "internalLinkTypeProxy" + TypeInternalLinkTypePublicChat = "internalLinkTypePublicChat" + TypeInternalLinkTypeQrCodeAuthentication = "internalLinkTypeQrCodeAuthentication" + TypeInternalLinkTypeRestorePurchases = "internalLinkTypeRestorePurchases" + TypeInternalLinkTypeSavedMessages = "internalLinkTypeSavedMessages" + TypeInternalLinkTypeSearch = "internalLinkTypeSearch" + TypeInternalLinkTypeSettings = "internalLinkTypeSettings" + TypeInternalLinkTypeStarPurchase = "internalLinkTypeStarPurchase" + TypeInternalLinkTypeStickerSet = "internalLinkTypeStickerSet" + TypeInternalLinkTypeStory = "internalLinkTypeStory" + TypeInternalLinkTypeStoryAlbum = "internalLinkTypeStoryAlbum" + TypeInternalLinkTypeTheme = "internalLinkTypeTheme" + TypeInternalLinkTypeUnknownDeepLink = "internalLinkTypeUnknownDeepLink" + TypeInternalLinkTypeUpgradedGift = "internalLinkTypeUpgradedGift" + TypeInternalLinkTypeUserPhoneNumber = "internalLinkTypeUserPhoneNumber" + TypeInternalLinkTypeUserToken = "internalLinkTypeUserToken" + TypeInternalLinkTypeVideoChat = "internalLinkTypeVideoChat" + TypeInternalLinkTypeWebApp = "internalLinkTypeWebApp" + TypeMessageLink = "messageLink" + TypeMessageLinkInfo = "messageLinkInfo" + TypeChatBoostLink = "chatBoostLink" + TypeChatBoostLinkInfo = "chatBoostLinkInfo" + TypeBlockListMain = "blockListMain" + TypeBlockListStories = "blockListStories" + TypeFileTypeNone = "fileTypeNone" + TypeFileTypeAnimation = "fileTypeAnimation" + TypeFileTypeAudio = "fileTypeAudio" + TypeFileTypeDocument = "fileTypeDocument" + TypeFileTypeNotificationSound = "fileTypeNotificationSound" + TypeFileTypePhoto = "fileTypePhoto" + TypeFileTypePhotoStory = "fileTypePhotoStory" + TypeFileTypeProfilePhoto = "fileTypeProfilePhoto" + TypeFileTypeSecret = "fileTypeSecret" + TypeFileTypeSecretThumbnail = "fileTypeSecretThumbnail" + TypeFileTypeSecure = "fileTypeSecure" + TypeFileTypeSelfDestructingPhoto = "fileTypeSelfDestructingPhoto" + TypeFileTypeSelfDestructingVideo = "fileTypeSelfDestructingVideo" + TypeFileTypeSelfDestructingVideoNote = "fileTypeSelfDestructingVideoNote" + TypeFileTypeSelfDestructingVoiceNote = "fileTypeSelfDestructingVoiceNote" + TypeFileTypeSticker = "fileTypeSticker" + TypeFileTypeThumbnail = "fileTypeThumbnail" + TypeFileTypeUnknown = "fileTypeUnknown" + TypeFileTypeVideo = "fileTypeVideo" + TypeFileTypeVideoNote = "fileTypeVideoNote" + TypeFileTypeVideoStory = "fileTypeVideoStory" + TypeFileTypeVoiceNote = "fileTypeVoiceNote" + TypeFileTypeWallpaper = "fileTypeWallpaper" + TypeStorageStatisticsByFileType = "storageStatisticsByFileType" + TypeStorageStatisticsByChat = "storageStatisticsByChat" + TypeStorageStatistics = "storageStatistics" + TypeStorageStatisticsFast = "storageStatisticsFast" + TypeDatabaseStatistics = "databaseStatistics" + TypeNetworkTypeNone = "networkTypeNone" + TypeNetworkTypeMobile = "networkTypeMobile" + TypeNetworkTypeMobileRoaming = "networkTypeMobileRoaming" + TypeNetworkTypeWiFi = "networkTypeWiFi" + TypeNetworkTypeOther = "networkTypeOther" + TypeNetworkStatisticsEntryFile = "networkStatisticsEntryFile" + TypeNetworkStatisticsEntryCall = "networkStatisticsEntryCall" + TypeNetworkStatistics = "networkStatistics" + TypeAutoDownloadSettings = "autoDownloadSettings" + TypeAutoDownloadSettingsPresets = "autoDownloadSettingsPresets" + TypeAutosaveSettingsScopePrivateChats = "autosaveSettingsScopePrivateChats" + TypeAutosaveSettingsScopeGroupChats = "autosaveSettingsScopeGroupChats" + TypeAutosaveSettingsScopeChannelChats = "autosaveSettingsScopeChannelChats" + TypeAutosaveSettingsScopeChat = "autosaveSettingsScopeChat" + TypeScopeAutosaveSettings = "scopeAutosaveSettings" + TypeAutosaveSettingsException = "autosaveSettingsException" + TypeAutosaveSettings = "autosaveSettings" + TypeConnectionStateWaitingForNetwork = "connectionStateWaitingForNetwork" + TypeConnectionStateConnectingToProxy = "connectionStateConnectingToProxy" + TypeConnectionStateConnecting = "connectionStateConnecting" + TypeConnectionStateUpdating = "connectionStateUpdating" + TypeConnectionStateReady = "connectionStateReady" + TypeAgeVerificationParameters = "ageVerificationParameters" + TypeTopChatCategoryUsers = "topChatCategoryUsers" + TypeTopChatCategoryBots = "topChatCategoryBots" + TypeTopChatCategoryGroups = "topChatCategoryGroups" + TypeTopChatCategoryChannels = "topChatCategoryChannels" + TypeTopChatCategoryInlineBots = "topChatCategoryInlineBots" + TypeTopChatCategoryWebAppBots = "topChatCategoryWebAppBots" + TypeTopChatCategoryCalls = "topChatCategoryCalls" + TypeTopChatCategoryForwardChats = "topChatCategoryForwardChats" + TypeFoundPosition = "foundPosition" + TypeFoundPositions = "foundPositions" + TypeTMeUrlTypeUser = "tMeUrlTypeUser" + TypeTMeUrlTypeSupergroup = "tMeUrlTypeSupergroup" + TypeTMeUrlTypeChatInvite = "tMeUrlTypeChatInvite" + TypeTMeUrlTypeStickerSet = "tMeUrlTypeStickerSet" + TypeTMeUrl = "tMeUrl" + TypeTMeUrls = "tMeUrls" + TypeSuggestedActionEnableArchiveAndMuteNewChats = "suggestedActionEnableArchiveAndMuteNewChats" + TypeSuggestedActionCheckPassword = "suggestedActionCheckPassword" + TypeSuggestedActionCheckPhoneNumber = "suggestedActionCheckPhoneNumber" + TypeSuggestedActionViewChecksHint = "suggestedActionViewChecksHint" + TypeSuggestedActionConvertToBroadcastGroup = "suggestedActionConvertToBroadcastGroup" + TypeSuggestedActionSetPassword = "suggestedActionSetPassword" + TypeSuggestedActionUpgradePremium = "suggestedActionUpgradePremium" + TypeSuggestedActionRestorePremium = "suggestedActionRestorePremium" + TypeSuggestedActionSubscribeToAnnualPremium = "suggestedActionSubscribeToAnnualPremium" + TypeSuggestedActionGiftPremiumForChristmas = "suggestedActionGiftPremiumForChristmas" + TypeSuggestedActionSetBirthdate = "suggestedActionSetBirthdate" + TypeSuggestedActionSetProfilePhoto = "suggestedActionSetProfilePhoto" + TypeSuggestedActionExtendPremium = "suggestedActionExtendPremium" + TypeSuggestedActionExtendStarSubscriptions = "suggestedActionExtendStarSubscriptions" + TypeSuggestedActionCustom = "suggestedActionCustom" + TypeSuggestedActionSetLoginEmailAddress = "suggestedActionSetLoginEmailAddress" + TypeSuggestedActionAddLoginPasskey = "suggestedActionAddLoginPasskey" + TypeCount = "count" + TypeText = "text" + TypeData = "data" + TypeSeconds = "seconds" + TypeFileDownloadedPrefixSize = "fileDownloadedPrefixSize" + TypeStarCount = "starCount" + TypeDeepLinkInfo = "deepLinkInfo" + TypeTextParseModeMarkdown = "textParseModeMarkdown" + TypeTextParseModeHTML = "textParseModeHTML" + TypeProxyTypeSocks5 = "proxyTypeSocks5" + TypeProxyTypeHttp = "proxyTypeHttp" + TypeProxyTypeMtproto = "proxyTypeMtproto" + TypeAddedProxy = "addedProxy" + TypeAddedProxies = "addedProxies" + TypeInputSticker = "inputSticker" + TypeDateRange = "dateRange" + TypeStatisticalValue = "statisticalValue" + TypeStatisticalGraphData = "statisticalGraphData" + TypeStatisticalGraphAsync = "statisticalGraphAsync" + TypeStatisticalGraphError = "statisticalGraphError" + TypeChatStatisticsObjectTypeMessage = "chatStatisticsObjectTypeMessage" + TypeChatStatisticsObjectTypeStory = "chatStatisticsObjectTypeStory" + TypeChatStatisticsInteractionInfo = "chatStatisticsInteractionInfo" + TypeChatStatisticsMessageSenderInfo = "chatStatisticsMessageSenderInfo" + TypeChatStatisticsAdministratorActionsInfo = "chatStatisticsAdministratorActionsInfo" + TypeChatStatisticsInviterInfo = "chatStatisticsInviterInfo" + TypeChatStatisticsSupergroup = "chatStatisticsSupergroup" + TypeChatStatisticsChannel = "chatStatisticsChannel" + TypeChatRevenueAmount = "chatRevenueAmount" + TypeChatRevenueStatistics = "chatRevenueStatistics" + TypeMessageStatistics = "messageStatistics" + TypeStoryStatistics = "storyStatistics" + TypeRevenueWithdrawalStatePending = "revenueWithdrawalStatePending" + TypeRevenueWithdrawalStateSucceeded = "revenueWithdrawalStateSucceeded" + TypeRevenueWithdrawalStateFailed = "revenueWithdrawalStateFailed" + TypeChatRevenueTransactionTypeUnsupported = "chatRevenueTransactionTypeUnsupported" + TypeChatRevenueTransactionTypeSponsoredMessageEarnings = "chatRevenueTransactionTypeSponsoredMessageEarnings" + TypeChatRevenueTransactionTypeSuggestedPostEarnings = "chatRevenueTransactionTypeSuggestedPostEarnings" + TypeChatRevenueTransactionTypeFragmentWithdrawal = "chatRevenueTransactionTypeFragmentWithdrawal" + TypeChatRevenueTransactionTypeFragmentRefund = "chatRevenueTransactionTypeFragmentRefund" + TypeChatRevenueTransaction = "chatRevenueTransaction" + TypeChatRevenueTransactions = "chatRevenueTransactions" + TypeStarRevenueStatus = "starRevenueStatus" + TypeStarRevenueStatistics = "starRevenueStatistics" + TypeTonRevenueStatus = "tonRevenueStatus" + TypeTonRevenueStatistics = "tonRevenueStatistics" + TypePoint = "point" + TypeVectorPathCommandLine = "vectorPathCommandLine" + TypeVectorPathCommandCubicBezierCurve = "vectorPathCommandCubicBezierCurve" + TypeBotCommandScopeDefault = "botCommandScopeDefault" + TypeBotCommandScopeAllPrivateChats = "botCommandScopeAllPrivateChats" + TypeBotCommandScopeAllGroupChats = "botCommandScopeAllGroupChats" + TypeBotCommandScopeAllChatAdministrators = "botCommandScopeAllChatAdministrators" + TypeBotCommandScopeChat = "botCommandScopeChat" + TypeBotCommandScopeChatAdministrators = "botCommandScopeChatAdministrators" + TypeBotCommandScopeChatMember = "botCommandScopeChatMember" + TypePhoneNumberCodeTypeChange = "phoneNumberCodeTypeChange" + TypePhoneNumberCodeTypeVerify = "phoneNumberCodeTypeVerify" + TypePhoneNumberCodeTypeConfirmOwnership = "phoneNumberCodeTypeConfirmOwnership" + TypeUpdateAuthorizationState = "updateAuthorizationState" + TypeUpdateNewMessage = "updateNewMessage" + TypeUpdateMessageSendAcknowledged = "updateMessageSendAcknowledged" + TypeUpdateMessageSendSucceeded = "updateMessageSendSucceeded" + TypeUpdateMessageSendFailed = "updateMessageSendFailed" + TypeUpdateMessageContent = "updateMessageContent" + TypeUpdateMessageEdited = "updateMessageEdited" + TypeUpdateMessageIsPinned = "updateMessageIsPinned" + TypeUpdateMessageInteractionInfo = "updateMessageInteractionInfo" + TypeUpdateMessageContentOpened = "updateMessageContentOpened" + TypeUpdateMessageMentionRead = "updateMessageMentionRead" + TypeUpdateMessageUnreadReactions = "updateMessageUnreadReactions" + TypeUpdateMessageFactCheck = "updateMessageFactCheck" + TypeUpdateMessageSuggestedPostInfo = "updateMessageSuggestedPostInfo" + TypeUpdateMessageLiveLocationViewed = "updateMessageLiveLocationViewed" + TypeUpdateVideoPublished = "updateVideoPublished" + TypeUpdateNewChat = "updateNewChat" + TypeUpdateChatTitle = "updateChatTitle" + TypeUpdateChatPhoto = "updateChatPhoto" + TypeUpdateChatAccentColors = "updateChatAccentColors" + TypeUpdateChatPermissions = "updateChatPermissions" + TypeUpdateChatLastMessage = "updateChatLastMessage" + TypeUpdateChatPosition = "updateChatPosition" + TypeUpdateChatAddedToList = "updateChatAddedToList" + TypeUpdateChatRemovedFromList = "updateChatRemovedFromList" + TypeUpdateChatReadInbox = "updateChatReadInbox" + TypeUpdateChatReadOutbox = "updateChatReadOutbox" + TypeUpdateChatActionBar = "updateChatActionBar" + TypeUpdateChatBusinessBotManageBar = "updateChatBusinessBotManageBar" + TypeUpdateChatAvailableReactions = "updateChatAvailableReactions" + TypeUpdateChatDraftMessage = "updateChatDraftMessage" + TypeUpdateChatEmojiStatus = "updateChatEmojiStatus" + TypeUpdateChatMessageSender = "updateChatMessageSender" + TypeUpdateChatMessageAutoDeleteTime = "updateChatMessageAutoDeleteTime" + TypeUpdateChatNotificationSettings = "updateChatNotificationSettings" + TypeUpdateChatPendingJoinRequests = "updateChatPendingJoinRequests" + TypeUpdateChatReplyMarkup = "updateChatReplyMarkup" + TypeUpdateChatBackground = "updateChatBackground" + TypeUpdateChatTheme = "updateChatTheme" + TypeUpdateChatUnreadMentionCount = "updateChatUnreadMentionCount" + TypeUpdateChatUnreadReactionCount = "updateChatUnreadReactionCount" + TypeUpdateChatVideoChat = "updateChatVideoChat" + TypeUpdateChatDefaultDisableNotification = "updateChatDefaultDisableNotification" + TypeUpdateChatHasProtectedContent = "updateChatHasProtectedContent" + TypeUpdateChatIsTranslatable = "updateChatIsTranslatable" + TypeUpdateChatIsMarkedAsUnread = "updateChatIsMarkedAsUnread" + TypeUpdateChatViewAsTopics = "updateChatViewAsTopics" + TypeUpdateChatBlockList = "updateChatBlockList" + TypeUpdateChatHasScheduledMessages = "updateChatHasScheduledMessages" + TypeUpdateChatFolders = "updateChatFolders" + TypeUpdateChatOnlineMemberCount = "updateChatOnlineMemberCount" + TypeUpdateSavedMessagesTopic = "updateSavedMessagesTopic" + TypeUpdateSavedMessagesTopicCount = "updateSavedMessagesTopicCount" + TypeUpdateDirectMessagesChatTopic = "updateDirectMessagesChatTopic" + TypeUpdateTopicMessageCount = "updateTopicMessageCount" + TypeUpdateQuickReplyShortcut = "updateQuickReplyShortcut" + TypeUpdateQuickReplyShortcutDeleted = "updateQuickReplyShortcutDeleted" + TypeUpdateQuickReplyShortcuts = "updateQuickReplyShortcuts" + TypeUpdateQuickReplyShortcutMessages = "updateQuickReplyShortcutMessages" + TypeUpdateForumTopicInfo = "updateForumTopicInfo" + TypeUpdateForumTopic = "updateForumTopic" + TypeUpdateScopeNotificationSettings = "updateScopeNotificationSettings" + TypeUpdateReactionNotificationSettings = "updateReactionNotificationSettings" + TypeUpdateNotification = "updateNotification" + TypeUpdateNotificationGroup = "updateNotificationGroup" + TypeUpdateActiveNotifications = "updateActiveNotifications" + TypeUpdateHavePendingNotifications = "updateHavePendingNotifications" + TypeUpdateDeleteMessages = "updateDeleteMessages" + TypeUpdateChatAction = "updateChatAction" + TypeUpdatePendingTextMessage = "updatePendingTextMessage" + TypeUpdateUserStatus = "updateUserStatus" + TypeUpdateUser = "updateUser" + TypeUpdateBasicGroup = "updateBasicGroup" + TypeUpdateSupergroup = "updateSupergroup" + TypeUpdateSecretChat = "updateSecretChat" + TypeUpdateUserFullInfo = "updateUserFullInfo" + TypeUpdateBasicGroupFullInfo = "updateBasicGroupFullInfo" + TypeUpdateSupergroupFullInfo = "updateSupergroupFullInfo" + TypeUpdateServiceNotification = "updateServiceNotification" + TypeUpdateFile = "updateFile" + TypeUpdateFileGenerationStart = "updateFileGenerationStart" + TypeUpdateFileGenerationStop = "updateFileGenerationStop" + TypeUpdateFileDownloads = "updateFileDownloads" + TypeUpdateFileAddedToDownloads = "updateFileAddedToDownloads" + TypeUpdateFileDownload = "updateFileDownload" + TypeUpdateFileRemovedFromDownloads = "updateFileRemovedFromDownloads" + TypeUpdateApplicationVerificationRequired = "updateApplicationVerificationRequired" + TypeUpdateApplicationRecaptchaVerificationRequired = "updateApplicationRecaptchaVerificationRequired" + TypeUpdateCall = "updateCall" + TypeUpdateGroupCall = "updateGroupCall" + TypeUpdateGroupCallParticipant = "updateGroupCallParticipant" + TypeUpdateGroupCallParticipants = "updateGroupCallParticipants" + TypeUpdateGroupCallVerificationState = "updateGroupCallVerificationState" + TypeUpdateNewGroupCallMessage = "updateNewGroupCallMessage" + TypeUpdateNewGroupCallPaidReaction = "updateNewGroupCallPaidReaction" + TypeUpdateGroupCallMessageSendFailed = "updateGroupCallMessageSendFailed" + TypeUpdateGroupCallMessagesDeleted = "updateGroupCallMessagesDeleted" + TypeUpdateLiveStoryTopDonors = "updateLiveStoryTopDonors" + TypeUpdateNewCallSignalingData = "updateNewCallSignalingData" + TypeUpdateGiftAuctionState = "updateGiftAuctionState" + TypeUpdateActiveGiftAuctions = "updateActiveGiftAuctions" + TypeUpdateUserPrivacySettingRules = "updateUserPrivacySettingRules" + TypeUpdateUnreadMessageCount = "updateUnreadMessageCount" + TypeUpdateUnreadChatCount = "updateUnreadChatCount" + TypeUpdateStory = "updateStory" + TypeUpdateStoryDeleted = "updateStoryDeleted" + TypeUpdateStoryPostSucceeded = "updateStoryPostSucceeded" + TypeUpdateStoryPostFailed = "updateStoryPostFailed" + TypeUpdateChatActiveStories = "updateChatActiveStories" + TypeUpdateStoryListChatCount = "updateStoryListChatCount" + TypeUpdateStoryStealthMode = "updateStoryStealthMode" + TypeUpdateTrustedMiniAppBots = "updateTrustedMiniAppBots" + TypeUpdateOption = "updateOption" + TypeUpdateStickerSet = "updateStickerSet" + TypeUpdateInstalledStickerSets = "updateInstalledStickerSets" + TypeUpdateTrendingStickerSets = "updateTrendingStickerSets" + TypeUpdateRecentStickers = "updateRecentStickers" + TypeUpdateFavoriteStickers = "updateFavoriteStickers" + TypeUpdateSavedAnimations = "updateSavedAnimations" + TypeUpdateSavedNotificationSounds = "updateSavedNotificationSounds" + TypeUpdateDefaultBackground = "updateDefaultBackground" + TypeUpdateEmojiChatThemes = "updateEmojiChatThemes" + TypeUpdateAccentColors = "updateAccentColors" + TypeUpdateProfileAccentColors = "updateProfileAccentColors" + TypeUpdateLanguagePackStrings = "updateLanguagePackStrings" + TypeUpdateConnectionState = "updateConnectionState" + TypeUpdateFreezeState = "updateFreezeState" + TypeUpdateAgeVerificationParameters = "updateAgeVerificationParameters" + TypeUpdateTermsOfService = "updateTermsOfService" + TypeUpdateUnconfirmedSession = "updateUnconfirmedSession" + TypeUpdateAttachmentMenuBots = "updateAttachmentMenuBots" + TypeUpdateWebAppMessageSent = "updateWebAppMessageSent" + TypeUpdateActiveEmojiReactions = "updateActiveEmojiReactions" + TypeUpdateAvailableMessageEffects = "updateAvailableMessageEffects" + TypeUpdateDefaultReactionType = "updateDefaultReactionType" + TypeUpdateDefaultPaidReactionType = "updateDefaultPaidReactionType" + TypeUpdateSavedMessagesTags = "updateSavedMessagesTags" + TypeUpdateActiveLiveLocationMessages = "updateActiveLiveLocationMessages" + TypeUpdateOwnedStarCount = "updateOwnedStarCount" + TypeUpdateOwnedTonCount = "updateOwnedTonCount" + TypeUpdateChatRevenueAmount = "updateChatRevenueAmount" + TypeUpdateStarRevenueStatus = "updateStarRevenueStatus" + TypeUpdateTonRevenueStatus = "updateTonRevenueStatus" + TypeUpdateSpeechRecognitionTrial = "updateSpeechRecognitionTrial" + TypeUpdateGroupCallMessageLevels = "updateGroupCallMessageLevels" + TypeUpdateDiceEmojis = "updateDiceEmojis" + TypeUpdateStakeDiceState = "updateStakeDiceState" + TypeUpdateAnimatedEmojiMessageClicked = "updateAnimatedEmojiMessageClicked" + TypeUpdateAnimationSearchParameters = "updateAnimationSearchParameters" + TypeUpdateSuggestedActions = "updateSuggestedActions" + TypeUpdateSpeedLimitNotification = "updateSpeedLimitNotification" + TypeUpdateContactCloseBirthdays = "updateContactCloseBirthdays" + TypeUpdateAutosaveSettings = "updateAutosaveSettings" + TypeUpdateBusinessConnection = "updateBusinessConnection" + TypeUpdateNewBusinessMessage = "updateNewBusinessMessage" + TypeUpdateBusinessMessageEdited = "updateBusinessMessageEdited" + TypeUpdateBusinessMessagesDeleted = "updateBusinessMessagesDeleted" + TypeUpdateNewInlineQuery = "updateNewInlineQuery" + TypeUpdateNewChosenInlineResult = "updateNewChosenInlineResult" + TypeUpdateNewCallbackQuery = "updateNewCallbackQuery" + TypeUpdateNewInlineCallbackQuery = "updateNewInlineCallbackQuery" + TypeUpdateNewBusinessCallbackQuery = "updateNewBusinessCallbackQuery" + TypeUpdateNewShippingQuery = "updateNewShippingQuery" + TypeUpdateNewPreCheckoutQuery = "updateNewPreCheckoutQuery" + TypeUpdateNewCustomEvent = "updateNewCustomEvent" + TypeUpdateNewCustomQuery = "updateNewCustomQuery" + TypeUpdatePoll = "updatePoll" + TypeUpdatePollAnswer = "updatePollAnswer" + TypeUpdateChatMember = "updateChatMember" + TypeUpdateNewChatJoinRequest = "updateNewChatJoinRequest" + TypeUpdateChatBoost = "updateChatBoost" + TypeUpdateMessageReaction = "updateMessageReaction" + TypeUpdateMessageReactions = "updateMessageReactions" + TypeUpdatePaidMediaPurchased = "updatePaidMediaPurchased" + TypeUpdates = "updates" + TypeLogStreamDefault = "logStreamDefault" + TypeLogStreamFile = "logStreamFile" + TypeLogStreamEmpty = "logStreamEmpty" + TypeLogVerbosityLevel = "logVerbosityLevel" + TypeLogTags = "logTags" + TypeUserSupportInfo = "userSupportInfo" + TypeTestInt = "testInt" + TypeTestString = "testString" + TypeTestBytes = "testBytes" + TypeTestVectorInt = "testVectorInt" + TypeTestVectorIntObject = "testVectorIntObject" + TypeTestVectorString = "testVectorString" + TypeTestVectorStringObject = "testVectorStringObject" ) // Provides information about the method by which an authentication code is delivered to the user type AuthenticationCodeType interface { - AuthenticationCodeTypeType() string + AuthenticationCodeTypeType() string } -// Contains authentication data for a email address +// Contains authentication data for an email address type EmailAddressAuthentication interface { - EmailAddressAuthenticationType() string + EmailAddressAuthenticationType() string +} + +// Describes reset state of an email address +type EmailAddressResetState interface { + EmailAddressResetStateType() string } // Represents the current authorization state of the TDLib client type AuthorizationState interface { - AuthorizationStateType() string + AuthorizationStateType() string +} + +// Describes parameters to be used for device verification +type FirebaseDeviceVerificationParameters interface { + FirebaseDeviceVerificationParametersType() string } // Points to a file type InputFile interface { - InputFileType() string + InputFileType() string } // Describes format of a thumbnail type ThumbnailFormat interface { - ThumbnailFormatType() string + ThumbnailFormatType() string } // Part of the face, relative to which a mask is placed type MaskPoint interface { - MaskPointType() string + MaskPointType() string } // Describes format of a sticker type StickerFormat interface { - StickerFormatType() string + StickerFormatType() string } -// Describes type of a sticker +// Describes type of sticker type StickerType interface { - StickerTypeType() string + StickerTypeType() string } // Contains full information about sticker type type StickerFullType interface { - StickerFullTypeType() string + StickerFullTypeType() string } -// Describes the type of a poll +// Describes the type of poll type PollType interface { - PollTypeType() string + PollTypeType() string } -// Represents the type of a user. The following types are possible: regular users, deleted users and bots +// Describes a tab shown in a user or a chat profile +type ProfileTab interface { + ProfileTabType() string +} + +// Represents the type of user. The following types are possible: regular users, deleted users and bots type UserType interface { - UserTypeType() string + UserTypeType() string } -// Describes type of a sticker, which was used to create a chat photo +// Describes conditions for sending of away messages by a Telegram Business account +type BusinessAwayMessageSchedule interface { + BusinessAwayMessageScheduleType() string +} + +// Describes type of sticker, which was used to create a chat photo type ChatPhotoStickerType interface { - ChatPhotoStickerTypeType() string + ChatPhotoStickerTypeType() string } // Describes a photo to be set as a user profile or chat photo type InputChatPhoto interface { - InputChatPhotoType() string + InputChatPhotoType() string +} + +// Describes price of a resold gift +type GiftResalePrice interface { + GiftResalePriceType() string +} + +// Describes state of a gift purchase offer +type GiftPurchaseOfferState interface { + GiftPurchaseOfferStateType() string +} + +// Describes price of a suggested post +type SuggestedPostPrice interface { + SuggestedPostPriceType() string +} + +// Describes state of a suggested post +type SuggestedPostState interface { + SuggestedPostStateType() string +} + +// Describes reason for refund of the payment for a suggested post +type SuggestedPostRefundReason interface { + SuggestedPostRefundReasonType() string +} + +// Describes type of subscription paid in Telegram Stars +type StarSubscriptionType interface { + StarSubscriptionTypeType() string +} + +// Describes type of affiliate for an affiliate program +type AffiliateType interface { + AffiliateTypeType() string +} + +// Describes the order of the found affiliate programs +type AffiliateProgramSortOrder interface { + AffiliateProgramSortOrderType() string +} + +// Describes whether a gift can be sent now by the current user +type CanSendGiftResult interface { + CanSendGiftResultType() string +} + +// Describes origin from which the upgraded gift was obtained +type UpgradedGiftOrigin interface { + UpgradedGiftOriginType() string +} + +// Describes rarity of an upgraded gift attribute +type UpgradedGiftAttributeRarity interface { + UpgradedGiftAttributeRarityType() string +} + +// Contains result of gift crafting +type CraftGiftResult interface { + CraftGiftResultType() string +} + +// Contains identifier of an upgraded gift attribute to search for +type UpgradedGiftAttributeId interface { + UpgradedGiftAttributeIdType() string +} + +// Describes order in which upgraded gifts for resale will be sorted +type GiftForResaleOrder interface { + GiftForResaleOrderType() string +} + +// Describes result of sending a resold gift +type GiftResaleResult interface { + GiftResaleResultType() string +} + +// Represents content of a gift received by a user or a channel chat +type SentGift interface { + SentGiftType() string +} + +// Describes state of an auction +type AuctionState interface { + AuctionStateType() string +} + +// Describes direction of transactions in a transaction list +type TransactionDirection interface { + TransactionDirectionType() string +} + +// Describes type of transaction with Telegram Stars +type StarTransactionType interface { + StarTransactionTypeType() string +} + +// Describes type of transaction with Toncoins +type TonTransactionType interface { + TonTransactionTypeType() string +} + +// Describes state of active stories posted by a chat +type ActiveStoryState interface { + ActiveStoryStateType() string +} + +// Contains information about status of a user in a giveaway +type GiveawayParticipantStatus interface { + GiveawayParticipantStatusType() string +} + +// Contains information about a giveaway +type GiveawayInfo interface { + GiveawayInfoType() string +} + +// Contains information about a giveaway prize +type GiveawayPrize interface { + GiveawayPrizeType() string +} + +// Describes type of emoji status +type EmojiStatusType interface { + EmojiStatusTypeType() string } // Provides information about the status of a member in a chat type ChatMemberStatus interface { - ChatMemberStatusType() string + ChatMemberStatusType() string } // Specifies the kind of chat members to return in searchChatMembers type ChatMembersFilter interface { - ChatMembersFilterType() string + ChatMembersFilterType() string } // Specifies the kind of chat members to return in getSupergroupMembers type SupergroupMembersFilter interface { - SupergroupMembersFilterType() string + SupergroupMembersFilterType() string +} + +// Describes the type of chat to which points an invite link +type InviteLinkChatType interface { + InviteLinkChatTypeType() string } // Describes the current secret chat state type SecretChatState interface { - SecretChatStateType() string + SecretChatStateType() string } // Contains information about the sender of a message type MessageSender interface { - MessageSenderType() string + MessageSenderType() string } -// Contains information about the origin of a forwarded message -type MessageForwardOrigin interface { - MessageForwardOriginType() string +// Describes read date of a recent outgoing message in a private chat +type MessageReadDate interface { + MessageReadDateType() string +} + +// Contains information about the origin of a message +type MessageOrigin interface { + MessageOriginType() string } // Describes type of message reaction type ReactionType interface { - ReactionTypeType() string + ReactionTypeType() string +} + +// Describes type of paid message reaction +type PaidReactionType interface { + PaidReactionTypeType() string +} + +// Describes a topic of messages in a chat +type MessageTopic interface { + MessageTopicType() string +} + +// Describes type of emoji effect +type MessageEffectType interface { + MessageEffectTypeType() string } // Contains information about the sending state of the message type MessageSendingState interface { - MessageSendingStateType() string + MessageSendingStateType() string +} + +// Contains information about the message or the story a message is replying to +type MessageReplyTo interface { + MessageReplyToType() string +} + +// Contains information about the message or the story to be replied +type InputMessageReplyTo interface { + InputMessageReplyToType() string } // Describes source of a message type MessageSource interface { - MessageSourceType() string + MessageSourceType() string +} + +// Describes result of sponsored message or chat report +type ReportSponsoredResult interface { + ReportSponsoredResultType() string } // Describes the types of chats to which notification settings are relevant type NotificationSettingsScope interface { - NotificationSettingsScopeType() string + NotificationSettingsScopeType() string } -// Describes the type of a chat +// Describes sources of reactions for which notifications will be shown +type ReactionNotificationSource interface { + ReactionNotificationSourceType() string +} + +// Describes the type of chat type ChatType interface { - ChatTypeType() string + ChatTypeType() string } // Describes a list of chats type ChatList interface { - ChatListType() string + ChatListType() string } // Describes a reason why an external chat is shown in a chat list type ChatSource interface { - ChatSourceType() string + ChatSourceType() string } // Describes reactions available in the chat type ChatAvailableReactions interface { - ChatAvailableReactionsType() string + ChatAvailableReactionsType() string } -// Describes a type of public chats +// Describes type of public chat type PublicChatType interface { - PublicChatTypeType() string + PublicChatTypeType() string } // Describes actions which must be possible to do through a chat action bar type ChatActionBar interface { - ChatActionBarType() string + ChatActionBarType() string +} + +// Describes style of a button +type ButtonStyle interface { + ButtonStyleType() string } // Describes a keyboard button type type KeyboardButtonType interface { - KeyboardButtonTypeType() string + KeyboardButtonTypeType() string } -// Describes the type of an inline keyboard button +// Describes the type of inline keyboard button type InlineKeyboardButtonType interface { - InlineKeyboardButtonTypeType() string + InlineKeyboardButtonTypeType() string } // Contains a description of a custom keyboard and actions that can be done with it to quickly reply to bots type ReplyMarkup interface { - ReplyMarkupType() string + ReplyMarkupType() string } // Contains information about an inline button of type inlineKeyboardButtonTypeLoginUrl type LoginUrlInfo interface { - LoginUrlInfoType() string + LoginUrlInfoType() string } -// Describes a text object inside an instant-view web page +// Describes mode in which a Web App is opened +type WebAppOpenMode interface { + WebAppOpenModeType() string +} + +// Describes type of Saved Messages topic +type SavedMessagesTopicType interface { + SavedMessagesTopicTypeType() string +} + +// Describes a built-in theme of an official app +type BuiltInTheme interface { + BuiltInThemeType() string +} + +// Describes a formatted text object type RichText interface { - RichTextType() string + RichTextType() string } // Describes a horizontal alignment of a table cell content type PageBlockHorizontalAlignment interface { - PageBlockHorizontalAlignmentType() string + PageBlockHorizontalAlignmentType() string } // Describes a Vertical alignment of a table cell content type PageBlockVerticalAlignment interface { - PageBlockVerticalAlignmentType() string + PageBlockVerticalAlignmentType() string } -// Describes a block of an instant view web page +// Describes a block of an instant view for a web page type PageBlock interface { - PageBlockType() string + PageBlockType() string +} + +// Describes a media from a link preview album +type LinkPreviewAlbumMedia interface { + LinkPreviewAlbumMediaType() string +} + +// Describes type of link preview +type LinkPreviewType interface { + LinkPreviewTypeType() string +} + +// Describes a collectible item that can be purchased at https://fragment.com +type CollectibleItemType interface { + CollectibleItemTypeType() string } // Contains information about the payment method chosen by the user type InputCredentials interface { - InputCredentialsType() string + InputCredentialsType() string } // Contains information about a payment provider type PaymentProvider interface { - PaymentProviderType() string + PaymentProviderType() string +} + +// Describes type of payment form +type PaymentFormType interface { + PaymentFormTypeType() string +} + +// Describes type of successful payment +type PaymentReceiptType interface { + PaymentReceiptTypeType() string } // Describes an invoice to process type InputInvoice interface { - InputInvoiceType() string + InputInvoiceType() string } -// Describes a media, which is attached to an invoice -type MessageExtendedMedia interface { - MessageExtendedMediaType() string +// Describes a paid media +type PaidMedia interface { + PaidMediaType() string } -// Contains the type of a Telegram Passport element +// Contains the type of Telegram Passport element type PassportElementType interface { - PassportElementTypeType() string + PassportElementTypeType() string } // Contains information about a Telegram Passport element type PassportElement interface { - PassportElementType() string + PassportElementType() string } // Contains information about a Telegram Passport element to be saved type InputPassportElement interface { - InputPassportElementType() string + InputPassportElementType() string } // Contains the description of an error in a Telegram Passport element type PassportElementErrorSource interface { - PassportElementErrorSourceType() string + PassportElementErrorSourceType() string } // Contains the description of an error in a Telegram Passport element; for bots only type InputPassportElementErrorSource interface { - InputPassportElementErrorSourceType() string + InputPassportElementErrorSourceType() string } // Contains the content of a message type MessageContent interface { - MessageContentType() string + MessageContentType() string } // Represents a part of the text which must be formatted differently type TextEntityType interface { - TextEntityTypeType() string + TextEntityTypeType() string +} + +// Describes type of paid media to sent +type InputPaidMediaType interface { + InputPaidMediaTypeType() string } // Contains information about the time when a scheduled message will be sent type MessageSchedulingState interface { - MessageSchedulingStateType() string + MessageSchedulingStateType() string +} + +// Describes when a message will be self-destructed +type MessageSelfDestructType interface { + MessageSelfDestructTypeType() string } // The content of a message to send type InputMessageContent interface { - InputMessageContentType() string + InputMessageContentType() string } // Represents a filter for message search results type SearchMessagesFilter interface { - SearchMessagesFilterType() string + SearchMessagesFilterType() string +} + +// Represents a filter for type of the chats in which to search messages +type SearchMessagesChatTypeFilter interface { + SearchMessagesChatTypeFilterType() string } // Describes the different types of activity in a chat type ChatAction interface { - ChatActionType() string + ChatActionType() string } // Describes the last time the user was online type UserStatus interface { - UserStatusType() string + UserStatusType() string } -// Describes type of an emoji category +// Describes source of stickers for an emoji category +type EmojiCategorySource interface { + EmojiCategorySourceType() string +} + +// Describes type of emoji category type EmojiCategoryType interface { - EmojiCategoryTypeType() string + EmojiCategoryTypeType() string +} + +// Describes type of clickable area on a story media +type StoryAreaType interface { + StoryAreaTypeType() string +} + +// Describes type of clickable area on a story media to be added +type InputStoryAreaType interface { + InputStoryAreaTypeType() string +} + +// Contains the type of the content of a story +type StoryContentType interface { + StoryContentTypeType() string +} + +// Contains the content of a story +type StoryContent interface { + StoryContentType() string +} + +// The content of a story to post +type InputStoryContent interface { + InputStoryContentType() string +} + +// Describes a list of stories +type StoryList interface { + StoryListType() string +} + +// Contains information about the origin of a story that was reposted +type StoryOrigin interface { + StoryOriginType() string +} + +// Describes type of interaction with a story +type StoryInteractionType interface { + StoryInteractionTypeType() string +} + +// Describes a public forward or repost of a story +type PublicForward interface { + PublicForwardType() string +} + +// Describes source of a chat boost +type ChatBoostSource interface { + ChatBoostSourceType() string +} + +// Describes the reason why a code needs to be re-sent +type ResendCodeReason interface { + ResendCodeReasonType() string } // Describes the reason why a call was discarded type CallDiscardReason interface { - CallDiscardReasonType() string + CallDiscardReasonType() string } -// Describes the type of a call server +// Describes the type of call server type CallServerType interface { - CallServerTypeType() string + CallServerTypeType() string } // Describes the current call state type CallState interface { - CallStateType() string + CallStateType() string } // Describes the quality of a group call video type GroupCallVideoQuality interface { - GroupCallVideoQualityType() string + GroupCallVideoQualityType() string } -// Describes the exact type of a problem with a call +// Describes result of group call participant invitation +type InviteGroupCallParticipantResult interface { + InviteGroupCallParticipantResultType() string +} + +// Describes data channel for a group call +type GroupCallDataChannel interface { + GroupCallDataChannelType() string +} + +// Describes a non-joined group call that isn't bound to a chat +type InputGroupCall interface { + InputGroupCallType() string +} + +// Describes the exact type of problem with a call type CallProblem interface { - CallProblemType() string + CallProblemType() string } // Contains settings for Firebase Authentication in the official applications type FirebaseAuthenticationSettings interface { - FirebaseAuthenticationSettingsType() string + FirebaseAuthenticationSettingsType() string +} + +// Describes why the current user can't add reactions to the message, despite some other users can +type ReactionUnavailabilityReason interface { + ReactionUnavailabilityReasonType() string } // Contains animated stickers which must be used for dice animation rendering type DiceStickers interface { - DiceStickersType() string + DiceStickersType() string } // Describes result of speech recognition in a voice note type SpeechRecognitionResult interface { - SpeechRecognitionResultType() string + SpeechRecognitionResultType() string } -// Represents a single result of an inline query; for bots only -type InputInlineQueryResult interface { - InputInlineQueryResultType() string -} - -// Represents a single result of an inline query -type InlineQueryResult interface { - InlineQueryResultType() string -} - -// Represents a type of a button in results of inline query -type InlineQueryResultsButtonType interface { - InlineQueryResultsButtonTypeType() string -} - -// Represents a payload of a callback query -type CallbackQueryPayload interface { - CallbackQueryPayloadType() string -} - -// Represents a chat event -type ChatEventAction interface { - ChatEventActionType() string -} - -// Represents the value of a string in a language pack -type LanguagePackStringValue interface { - LanguagePackStringValueType() string -} - -// Describes type of a limit, increased for Premium users -type PremiumLimitType interface { - PremiumLimitTypeType() string -} - -// Describes a feature available to Premium users -type PremiumFeature interface { - PremiumFeatureType() string -} - -// Describes a source from which the Premium features screen is opened -type PremiumSource interface { - PremiumSourceType() string -} - -// Describes a purpose of an in-store payment -type StorePaymentPurpose interface { - StorePaymentPurposeType() string -} - -// Represents a data needed to subscribe for push notifications through registerDevice method. To use specific push notification service, the correct application platform must be specified and a valid server authentication data must be uploaded at https://my.telegram.org -type DeviceToken interface { - DeviceTokenType() string -} - -// Describes a fill of a background -type BackgroundFill interface { - BackgroundFillType() string -} - -// Describes the type of a background -type BackgroundType interface { - BackgroundTypeType() string -} - -// Contains information about background to set -type InputBackground interface { - InputBackgroundType() string -} - -// Represents result of checking whether the current session can be used to transfer a chat ownership to another user -type CanTransferOwnershipResult interface { - CanTransferOwnershipResultType() string -} - -// Represents result of checking whether a username can be set for a chat -type CheckChatUsernameResult interface { - CheckChatUsernameResultType() string -} - -// Represents result of checking whether a name can be used for a new sticker set -type CheckStickerSetNameResult interface { - CheckStickerSetNameResultType() string -} - -// Represents result of 2-step verification password reset -type ResetPasswordResult interface { - ResetPasswordResultType() string -} - -// Contains information about a file with messages exported from another app -type MessageFileType interface { - MessageFileTypeType() string -} - -// Contains content of a push message notification -type PushMessageContent interface { - PushMessageContentType() string -} - -// Contains detailed information about a notification -type NotificationType interface { - NotificationTypeType() string -} - -// Describes the type of notifications in a notification group -type NotificationGroupType interface { - NotificationGroupTypeType() string -} - -// Represents the value of an option -type OptionValue interface { - OptionValueType() string -} - -// Represents a JSON value -type JsonValue interface { - JsonValueType() string -} - -// Represents a single rule for managing privacy settings -type UserPrivacySettingRule interface { - UserPrivacySettingRuleType() string -} - -// Describes available user privacy settings -type UserPrivacySetting interface { - UserPrivacySettingType() string -} - -// Represents the type of a session -type SessionType interface { - SessionTypeType() string -} - -// Describes the reason why a chat is reported -type ChatReportReason interface { - ChatReportReasonType() string +// Describes a reason why a bot was allowed to write messages to the current user +type BotWriteAccessAllowReason interface { + BotWriteAccessAllowReasonType() string } // Describes the target chat to be opened type TargetChat interface { - TargetChatType() string + TargetChatType() string +} + +// Represents a single result of an inline query; for bots only +type InputInlineQueryResult interface { + InputInlineQueryResultType() string +} + +// Represents a single result of an inline query +type InlineQueryResult interface { + InlineQueryResultType() string +} + +// Represents type of button in results of inline query +type InlineQueryResultsButtonType interface { + InlineQueryResultsButtonTypeType() string +} + +// Represents a payload of a callback query +type CallbackQueryPayload interface { + CallbackQueryPayloadType() string +} + +// Represents a chat event +type ChatEventAction interface { + ChatEventActionType() string +} + +// Represents the value of a string in a language pack +type LanguagePackStringValue interface { + LanguagePackStringValueType() string +} + +// Describes type of limit, increased for Premium users +type PremiumLimitType interface { + PremiumLimitTypeType() string +} + +// Describes a feature available to Premium users +type PremiumFeature interface { + PremiumFeatureType() string +} + +// Describes a feature available to Business user accounts +type BusinessFeature interface { + BusinessFeatureType() string +} + +// Describes a story feature available to Premium users +type PremiumStoryFeature interface { + PremiumStoryFeatureType() string +} + +// Describes a source from which the Premium features screen is opened +type PremiumSource interface { + PremiumSourceType() string +} + +// Describes a purpose of an in-store payment +type StorePaymentPurpose interface { + StorePaymentPurposeType() string +} + +// Describes an in-store transaction +type StoreTransaction interface { + StoreTransactionType() string +} + +// Describes a purpose of a payment toward Telegram +type TelegramPaymentPurpose interface { + TelegramPaymentPurposeType() string +} + +// Represents a data needed to subscribe for push notifications through registerDevice method. To use specific push notification service, the correct application platform must be specified and a valid server authentication data must be uploaded at https://my.telegram.org +type DeviceToken interface { + DeviceTokenType() string +} + +// Describes a fill of a background +type BackgroundFill interface { + BackgroundFillType() string +} + +// Describes the type of background +type BackgroundType interface { + BackgroundTypeType() string +} + +// Contains information about background to set +type InputBackground interface { + InputBackgroundType() string +} + +// Describes a chat theme +type ChatTheme interface { + ChatThemeType() string +} + +// Describes a chat theme to set +type InputChatTheme interface { + InputChatThemeType() string +} + +// Represents result of checking whether the current user can post a story on behalf of the specific chat +type CanPostStoryResult interface { + CanPostStoryResultType() string +} + +// Represents result of starting a live story +type StartLiveStoryResult interface { + StartLiveStoryResultType() string +} + +// Represents result of checking whether the current session can be used to transfer a chat ownership to another user +type CanTransferOwnershipResult interface { + CanTransferOwnershipResultType() string +} + +// Represents result of checking whether a username can be set for a chat +type CheckChatUsernameResult interface { + CheckChatUsernameResultType() string +} + +// Represents result of checking whether a name can be used for a new sticker set +type CheckStickerSetNameResult interface { + CheckStickerSetNameResultType() string +} + +// Represents result of 2-step verification password reset +type ResetPasswordResult interface { + ResetPasswordResultType() string +} + +// Contains information about a file with messages exported from another app +type MessageFileType interface { + MessageFileTypeType() string +} + +// Contains content of a push message notification +type PushMessageContent interface { + PushMessageContentType() string +} + +// Contains detailed information about a notification +type NotificationType interface { + NotificationTypeType() string +} + +// Describes the type of notifications in a notification group +type NotificationGroupType interface { + NotificationGroupTypeType() string +} + +// Represents the value of an option +type OptionValue interface { + OptionValueType() string +} + +// Represents a JSON value +type JsonValue interface { + JsonValueType() string +} + +// Describes privacy settings of a story +type StoryPrivacySettings interface { + StoryPrivacySettingsType() string +} + +// Represents a single rule for managing user privacy settings +type UserPrivacySettingRule interface { + UserPrivacySettingRuleType() string +} + +// Describes available user privacy settings +type UserPrivacySetting interface { + UserPrivacySettingType() string +} + +// Describes result of canSendMessageToUser +type CanSendMessageToUserResult interface { + CanSendMessageToUserResultType() string +} + +// Represents the type of session +type SessionType interface { + SessionTypeType() string +} + +// Describes the reason why a chat is reported +type ReportReason interface { + ReportReasonType() string +} + +// Describes result of chat report +type ReportChatResult interface { + ReportChatResultType() string +} + +// Describes result of story report +type ReportStoryResult interface { + ReportStoryResultType() string +} + +// Describes a section of the application settings +type SettingsSection interface { + SettingsSectionType() string } // Describes an internal https://t.me or tg: link, which must be processed by the application in a special way type InternalLinkType interface { - InternalLinkTypeType() string + InternalLinkTypeType() string } -// Represents the type of a file +// Describes type of block list +type BlockList interface { + BlockListType() string +} + +// Represents the type of file type FileType interface { - FileTypeType() string + FileTypeType() string } -// Represents the type of a network +// Represents the type of network type NetworkType interface { - NetworkTypeType() string + NetworkTypeType() string } // Contains statistics about network usage type NetworkStatisticsEntry interface { - NetworkStatisticsEntryType() string + NetworkStatisticsEntryType() string } // Describes scope of autosave settings type AutosaveSettingsScope interface { - AutosaveSettingsScopeType() string + AutosaveSettingsScopeType() string } // Describes the current state of the connection to Telegram servers type ConnectionState interface { - ConnectionStateType() string + ConnectionStateType() string } // Represents the categories of chats for which a list of frequently used chats can be retrieved type TopChatCategory interface { - TopChatCategoryType() string + TopChatCategoryType() string } -// Describes the type of a URL linking to an internal Telegram entity +// Describes the type of URL linking to an internal Telegram entity type TMeUrlType interface { - TMeUrlTypeType() string + TMeUrlTypeType() string } // Describes an action suggested to the current user type SuggestedAction interface { - SuggestedActionType() string + SuggestedActionType() string } // Describes the way the text needs to be parsed for text entities type TextParseMode interface { - TextParseModeType() string + TextParseModeType() string } -// Describes the type of a proxy server +// Describes the type of proxy server type ProxyType interface { - ProxyTypeType() string + ProxyTypeType() string } // Describes a statistical graph type StatisticalGraph interface { - StatisticalGraphType() string + StatisticalGraphType() string +} + +// Describes type of object, for which statistics are provided +type ChatStatisticsObjectType interface { + ChatStatisticsObjectTypeType() string } // Contains a detailed statistics about a chat type ChatStatistics interface { - ChatStatisticsType() string + ChatStatisticsType() string +} + +// Describes state of a revenue withdrawal +type RevenueWithdrawalState interface { + RevenueWithdrawalStateType() string +} + +// Describes type of transaction for revenue earned from sponsored messages in a chat +type ChatRevenueTransactionType interface { + ChatRevenueTransactionTypeType() string } // Represents a vector path command type VectorPathCommand interface { - VectorPathCommandType() string + VectorPathCommandType() string } // Represents the scope to which bot commands are relevant type BotCommandScope interface { - BotCommandScopeType() string + BotCommandScopeType() string +} + +// Describes type of the request for which a code is sent to a phone number +type PhoneNumberCodeType interface { + PhoneNumberCodeTypeType() string } // Contains notifications about data changes type Update interface { - UpdateType() string + UpdateType() string } // Describes a stream to which TDLib internal log is written type LogStream interface { - LogStreamType() string + LogStreamType() string } // An object of this type can be returned on every function call, in case of an error type Error struct { - meta - // Error code; subject to future changes. If the error code is 406, the error message must not be processed in any way and must not be displayed to the user - Code int32 `json:"code"` - // Error message; subject to future changes - Message string `json:"message"` + meta + // Error code; subject to future changes. If the error code is 406, the error message must not be processed in any way and must not be displayed to the user + Code int32 `json:"code"` + // Error message; subject to future changes + Message string `json:"message"` } func (entity *Error) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub Error + type stub Error - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*Error) GetClass() string { - return ClassError + return ClassError } func (*Error) GetType() string { - return TypeError + return TypeError } // An object of this type is returned on a successful function call for certain functions -type Ok struct { - meta +type Ok struct{ + meta } func (entity *Ok) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub Ok + type stub Ok - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*Ok) GetClass() string { - return ClassOk + return ClassOk } func (*Ok) GetType() string { - return TypeOk + return TypeOk } -// An authentication code is delivered via a private Telegram message, which can be viewed from another active session +// A digit-only authentication code is delivered via a private Telegram message, which can be viewed from another active session type AuthenticationCodeTypeTelegramMessage struct { - meta - // Length of the code - Length int32 `json:"length"` + meta + // Length of the code + Length int32 `json:"length"` } func (entity *AuthenticationCodeTypeTelegramMessage) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub AuthenticationCodeTypeTelegramMessage + type stub AuthenticationCodeTypeTelegramMessage - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*AuthenticationCodeTypeTelegramMessage) GetClass() string { - return ClassAuthenticationCodeType + return ClassAuthenticationCodeType } func (*AuthenticationCodeTypeTelegramMessage) GetType() string { - return TypeAuthenticationCodeTypeTelegramMessage + return TypeAuthenticationCodeTypeTelegramMessage } func (*AuthenticationCodeTypeTelegramMessage) AuthenticationCodeTypeType() string { - return TypeAuthenticationCodeTypeTelegramMessage + return TypeAuthenticationCodeTypeTelegramMessage } -// An authentication code is delivered via an SMS message to the specified phone number +// A digit-only authentication code is delivered via an SMS message to the specified phone number; non-official applications may not receive this type of code type AuthenticationCodeTypeSms struct { - meta - // Length of the code - Length int32 `json:"length"` + meta + // Length of the code + Length int32 `json:"length"` } func (entity *AuthenticationCodeTypeSms) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub AuthenticationCodeTypeSms + type stub AuthenticationCodeTypeSms - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*AuthenticationCodeTypeSms) GetClass() string { - return ClassAuthenticationCodeType + return ClassAuthenticationCodeType } func (*AuthenticationCodeTypeSms) GetType() string { - return TypeAuthenticationCodeTypeSms + return TypeAuthenticationCodeTypeSms } func (*AuthenticationCodeTypeSms) AuthenticationCodeTypeType() string { - return TypeAuthenticationCodeTypeSms + return TypeAuthenticationCodeTypeSms } -// An authentication code is delivered via a phone call to the specified phone number +// An authentication code is a word delivered via an SMS message to the specified phone number; non-official applications may not receive this type of code +type AuthenticationCodeTypeSmsWord struct { + meta + // The first letters of the word if known + FirstLetter string `json:"first_letter"` +} + +func (entity *AuthenticationCodeTypeSmsWord) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub AuthenticationCodeTypeSmsWord + + return json.Marshal((*stub)(entity)) +} + +func (*AuthenticationCodeTypeSmsWord) GetClass() string { + return ClassAuthenticationCodeType +} + +func (*AuthenticationCodeTypeSmsWord) GetType() string { + return TypeAuthenticationCodeTypeSmsWord +} + +func (*AuthenticationCodeTypeSmsWord) AuthenticationCodeTypeType() string { + return TypeAuthenticationCodeTypeSmsWord +} + +// An authentication code is a phrase from multiple words delivered via an SMS message to the specified phone number; non-official applications may not receive this type of code +type AuthenticationCodeTypeSmsPhrase struct { + meta + // The first word of the phrase if known + FirstWord string `json:"first_word"` +} + +func (entity *AuthenticationCodeTypeSmsPhrase) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub AuthenticationCodeTypeSmsPhrase + + return json.Marshal((*stub)(entity)) +} + +func (*AuthenticationCodeTypeSmsPhrase) GetClass() string { + return ClassAuthenticationCodeType +} + +func (*AuthenticationCodeTypeSmsPhrase) GetType() string { + return TypeAuthenticationCodeTypeSmsPhrase +} + +func (*AuthenticationCodeTypeSmsPhrase) AuthenticationCodeTypeType() string { + return TypeAuthenticationCodeTypeSmsPhrase +} + +// A digit-only authentication code is delivered via a phone call to the specified phone number type AuthenticationCodeTypeCall struct { - meta - // Length of the code - Length int32 `json:"length"` + meta + // Length of the code + Length int32 `json:"length"` } func (entity *AuthenticationCodeTypeCall) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub AuthenticationCodeTypeCall + type stub AuthenticationCodeTypeCall - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*AuthenticationCodeTypeCall) GetClass() string { - return ClassAuthenticationCodeType + return ClassAuthenticationCodeType } func (*AuthenticationCodeTypeCall) GetType() string { - return TypeAuthenticationCodeTypeCall + return TypeAuthenticationCodeTypeCall } func (*AuthenticationCodeTypeCall) AuthenticationCodeTypeType() string { - return TypeAuthenticationCodeTypeCall + return TypeAuthenticationCodeTypeCall } // An authentication code is delivered by an immediately canceled call to the specified phone number. The phone number that calls is the code that must be entered automatically type AuthenticationCodeTypeFlashCall struct { - meta - // Pattern of the phone number from which the call will be made - Pattern string `json:"pattern"` + meta + // Pattern of the phone number from which the call will be made + Pattern string `json:"pattern"` } func (entity *AuthenticationCodeTypeFlashCall) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub AuthenticationCodeTypeFlashCall + type stub AuthenticationCodeTypeFlashCall - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*AuthenticationCodeTypeFlashCall) GetClass() string { - return ClassAuthenticationCodeType + return ClassAuthenticationCodeType } func (*AuthenticationCodeTypeFlashCall) GetType() string { - return TypeAuthenticationCodeTypeFlashCall + return TypeAuthenticationCodeTypeFlashCall } func (*AuthenticationCodeTypeFlashCall) AuthenticationCodeTypeType() string { - return TypeAuthenticationCodeTypeFlashCall + return TypeAuthenticationCodeTypeFlashCall } // An authentication code is delivered by an immediately canceled call to the specified phone number. The last digits of the phone number that calls are the code that must be entered manually by the user type AuthenticationCodeTypeMissedCall struct { - meta - // Prefix of the phone number from which the call will be made - PhoneNumberPrefix string `json:"phone_number_prefix"` - // Number of digits in the code, excluding the prefix - Length int32 `json:"length"` + meta + // Prefix of the phone number from which the call will be made + PhoneNumberPrefix string `json:"phone_number_prefix"` + // Number of digits in the code, excluding the prefix + Length int32 `json:"length"` } func (entity *AuthenticationCodeTypeMissedCall) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub AuthenticationCodeTypeMissedCall + type stub AuthenticationCodeTypeMissedCall - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*AuthenticationCodeTypeMissedCall) GetClass() string { - return ClassAuthenticationCodeType + return ClassAuthenticationCodeType } func (*AuthenticationCodeTypeMissedCall) GetType() string { - return TypeAuthenticationCodeTypeMissedCall + return TypeAuthenticationCodeTypeMissedCall } func (*AuthenticationCodeTypeMissedCall) AuthenticationCodeTypeType() string { - return TypeAuthenticationCodeTypeMissedCall + return TypeAuthenticationCodeTypeMissedCall } -// An authentication code is delivered to https://fragment.com. The user must be logged in there via a wallet owning the phone number's NFT +// A digit-only authentication code is delivered to https://fragment.com. The user must be logged in there via a wallet owning the phone number's NFT type AuthenticationCodeTypeFragment struct { - meta - // URL to open to receive the code - Url string `json:"url"` - // Length of the code - Length int32 `json:"length"` + meta + // URL to open to receive the code + Url string `json:"url"` + // Length of the code + Length int32 `json:"length"` } func (entity *AuthenticationCodeTypeFragment) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub AuthenticationCodeTypeFragment + type stub AuthenticationCodeTypeFragment - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*AuthenticationCodeTypeFragment) GetClass() string { - return ClassAuthenticationCodeType + return ClassAuthenticationCodeType } func (*AuthenticationCodeTypeFragment) GetType() string { - return TypeAuthenticationCodeTypeFragment + return TypeAuthenticationCodeTypeFragment } func (*AuthenticationCodeTypeFragment) AuthenticationCodeTypeType() string { - return TypeAuthenticationCodeTypeFragment + return TypeAuthenticationCodeTypeFragment } -// An authentication code is delivered via Firebase Authentication to the official Android application +// A digit-only authentication code is delivered via Firebase Authentication to the official Android application type AuthenticationCodeTypeFirebaseAndroid struct { - meta - // Nonce to pass to the SafetyNet Attestation API - Nonce []byte `json:"nonce"` - // Length of the code - Length int32 `json:"length"` + meta + // Parameters to be used for device verification + DeviceVerificationParameters FirebaseDeviceVerificationParameters `json:"device_verification_parameters"` + // Length of the code + Length int32 `json:"length"` } func (entity *AuthenticationCodeTypeFirebaseAndroid) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub AuthenticationCodeTypeFirebaseAndroid + type stub AuthenticationCodeTypeFirebaseAndroid - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*AuthenticationCodeTypeFirebaseAndroid) GetClass() string { - return ClassAuthenticationCodeType + return ClassAuthenticationCodeType } func (*AuthenticationCodeTypeFirebaseAndroid) GetType() string { - return TypeAuthenticationCodeTypeFirebaseAndroid + return TypeAuthenticationCodeTypeFirebaseAndroid } func (*AuthenticationCodeTypeFirebaseAndroid) AuthenticationCodeTypeType() string { - return TypeAuthenticationCodeTypeFirebaseAndroid + return TypeAuthenticationCodeTypeFirebaseAndroid } -// An authentication code is delivered via Firebase Authentication to the official iOS application +func (authenticationCodeTypeFirebaseAndroid *AuthenticationCodeTypeFirebaseAndroid) UnmarshalJSON(data []byte) error { + var tmp struct { + DeviceVerificationParameters json.RawMessage `json:"device_verification_parameters"` + Length int32 `json:"length"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + authenticationCodeTypeFirebaseAndroid.Length = tmp.Length + + fieldDeviceVerificationParameters, _ := UnmarshalFirebaseDeviceVerificationParameters(tmp.DeviceVerificationParameters) + authenticationCodeTypeFirebaseAndroid.DeviceVerificationParameters = fieldDeviceVerificationParameters + + return nil +} + +// A digit-only authentication code is delivered via Firebase Authentication to the official iOS application type AuthenticationCodeTypeFirebaseIos struct { - meta - // Receipt of successful applikation token validation to compare with receipt from push notification - Receipt string `json:"receipt"` - // Time after the next authentication method is supposed to be used if verification push notification isn't received, in seconds - PushTimeout int32 `json:"push_timeout"` - // Length of the code - Length int32 `json:"length"` + meta + // Receipt of successful application token validation to compare with receipt from push notification + Receipt string `json:"receipt"` + // Time after the next authentication method is expected to be used if verification push notification isn't received, in seconds + PushTimeout int32 `json:"push_timeout"` + // Length of the code + Length int32 `json:"length"` } func (entity *AuthenticationCodeTypeFirebaseIos) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub AuthenticationCodeTypeFirebaseIos + type stub AuthenticationCodeTypeFirebaseIos - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*AuthenticationCodeTypeFirebaseIos) GetClass() string { - return ClassAuthenticationCodeType + return ClassAuthenticationCodeType } func (*AuthenticationCodeTypeFirebaseIos) GetType() string { - return TypeAuthenticationCodeTypeFirebaseIos + return TypeAuthenticationCodeTypeFirebaseIos } func (*AuthenticationCodeTypeFirebaseIos) AuthenticationCodeTypeType() string { - return TypeAuthenticationCodeTypeFirebaseIos + return TypeAuthenticationCodeTypeFirebaseIos } // Information about the authentication code that was sent type AuthenticationCodeInfo struct { - meta - // A phone number that is being authenticated - PhoneNumber string `json:"phone_number"` - // The way the code was sent to the user - Type AuthenticationCodeType `json:"type"` - // The way the next code will be sent to the user; may be null - NextType AuthenticationCodeType `json:"next_type"` - // Timeout before the code can be re-sent, in seconds - Timeout int32 `json:"timeout"` + meta + // A phone number that is being authenticated + PhoneNumber string `json:"phone_number"` + // The way the code was sent to the user + Type AuthenticationCodeType `json:"type"` + // The way the next code will be sent to the user; may be null + NextType AuthenticationCodeType `json:"next_type"` + // Timeout before the code can be re-sent, in seconds + Timeout int32 `json:"timeout"` } func (entity *AuthenticationCodeInfo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub AuthenticationCodeInfo + type stub AuthenticationCodeInfo - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*AuthenticationCodeInfo) GetClass() string { - return ClassAuthenticationCodeInfo + return ClassAuthenticationCodeInfo } func (*AuthenticationCodeInfo) GetType() string { - return TypeAuthenticationCodeInfo + return TypeAuthenticationCodeInfo } func (authenticationCodeInfo *AuthenticationCodeInfo) UnmarshalJSON(data []byte) error { - var tmp struct { - PhoneNumber string `json:"phone_number"` - Type json.RawMessage `json:"type"` - NextType json.RawMessage `json:"next_type"` - Timeout int32 `json:"timeout"` - } + var tmp struct { + PhoneNumber string `json:"phone_number"` + Type json.RawMessage `json:"type"` + NextType json.RawMessage `json:"next_type"` + Timeout int32 `json:"timeout"` + } - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - authenticationCodeInfo.PhoneNumber = tmp.PhoneNumber - authenticationCodeInfo.Timeout = tmp.Timeout + authenticationCodeInfo.PhoneNumber = tmp.PhoneNumber + authenticationCodeInfo.Timeout = tmp.Timeout - fieldType, _ := UnmarshalAuthenticationCodeType(tmp.Type) - authenticationCodeInfo.Type = fieldType + fieldType, _ := UnmarshalAuthenticationCodeType(tmp.Type) + authenticationCodeInfo.Type = fieldType - fieldNextType, _ := UnmarshalAuthenticationCodeType(tmp.NextType) - authenticationCodeInfo.NextType = fieldNextType + fieldNextType, _ := UnmarshalAuthenticationCodeType(tmp.NextType) + authenticationCodeInfo.NextType = fieldNextType - return nil + return nil } // Information about the email address authentication code that was sent type EmailAddressAuthenticationCodeInfo struct { - meta - // Pattern of the email address to which an authentication code was sent - EmailAddressPattern string `json:"email_address_pattern"` - // Length of the code; 0 if unknown - Length int32 `json:"length"` + meta + // Pattern of the email address to which an authentication code was sent + EmailAddressPattern string `json:"email_address_pattern"` + // Length of the code; 0 if unknown + Length int32 `json:"length"` } func (entity *EmailAddressAuthenticationCodeInfo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub EmailAddressAuthenticationCodeInfo + type stub EmailAddressAuthenticationCodeInfo - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*EmailAddressAuthenticationCodeInfo) GetClass() string { - return ClassEmailAddressAuthenticationCodeInfo + return ClassEmailAddressAuthenticationCodeInfo } func (*EmailAddressAuthenticationCodeInfo) GetType() string { - return TypeEmailAddressAuthenticationCodeInfo + return TypeEmailAddressAuthenticationCodeInfo } // An authentication code delivered to a user's email address type EmailAddressAuthenticationCode struct { - meta - // The code - Code string `json:"code"` + meta + // The code + Code string `json:"code"` } func (entity *EmailAddressAuthenticationCode) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub EmailAddressAuthenticationCode + type stub EmailAddressAuthenticationCode - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*EmailAddressAuthenticationCode) GetClass() string { - return ClassEmailAddressAuthentication + return ClassEmailAddressAuthentication } func (*EmailAddressAuthenticationCode) GetType() string { - return TypeEmailAddressAuthenticationCode + return TypeEmailAddressAuthenticationCode } func (*EmailAddressAuthenticationCode) EmailAddressAuthenticationType() string { - return TypeEmailAddressAuthenticationCode + return TypeEmailAddressAuthenticationCode } // An authentication token received through Apple ID type EmailAddressAuthenticationAppleId struct { - meta - // The token - Token string `json:"token"` + meta + // The token + Token string `json:"token"` } func (entity *EmailAddressAuthenticationAppleId) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub EmailAddressAuthenticationAppleId + type stub EmailAddressAuthenticationAppleId - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*EmailAddressAuthenticationAppleId) GetClass() string { - return ClassEmailAddressAuthentication + return ClassEmailAddressAuthentication } func (*EmailAddressAuthenticationAppleId) GetType() string { - return TypeEmailAddressAuthenticationAppleId + return TypeEmailAddressAuthenticationAppleId } func (*EmailAddressAuthenticationAppleId) EmailAddressAuthenticationType() string { - return TypeEmailAddressAuthenticationAppleId + return TypeEmailAddressAuthenticationAppleId } // An authentication token received through Google ID type EmailAddressAuthenticationGoogleId struct { - meta - // The token - Token string `json:"token"` + meta + // The token + Token string `json:"token"` } func (entity *EmailAddressAuthenticationGoogleId) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub EmailAddressAuthenticationGoogleId + type stub EmailAddressAuthenticationGoogleId - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*EmailAddressAuthenticationGoogleId) GetClass() string { - return ClassEmailAddressAuthentication + return ClassEmailAddressAuthentication } func (*EmailAddressAuthenticationGoogleId) GetType() string { - return TypeEmailAddressAuthenticationGoogleId + return TypeEmailAddressAuthenticationGoogleId } func (*EmailAddressAuthenticationGoogleId) EmailAddressAuthenticationType() string { - return TypeEmailAddressAuthenticationGoogleId + return TypeEmailAddressAuthenticationGoogleId +} + +// Email address can be reset after the given period. Call resetAuthenticationEmailAddress to reset it and allow the user to authorize with a code sent to the user's phone number +type EmailAddressResetStateAvailable struct { + meta + // Time required to wait before the email address can be reset; 0 if the user is subscribed to Telegram Premium + WaitPeriod int32 `json:"wait_period"` +} + +func (entity *EmailAddressResetStateAvailable) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub EmailAddressResetStateAvailable + + return json.Marshal((*stub)(entity)) +} + +func (*EmailAddressResetStateAvailable) GetClass() string { + return ClassEmailAddressResetState +} + +func (*EmailAddressResetStateAvailable) GetType() string { + return TypeEmailAddressResetStateAvailable +} + +func (*EmailAddressResetStateAvailable) EmailAddressResetStateType() string { + return TypeEmailAddressResetStateAvailable +} + +// Email address reset has already been requested. Call resetAuthenticationEmailAddress to check whether immediate reset is possible +type EmailAddressResetStatePending struct { + meta + // Left time before the email address will be reset, in seconds. updateAuthorizationState is not sent when this field changes + ResetIn int32 `json:"reset_in"` +} + +func (entity *EmailAddressResetStatePending) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub EmailAddressResetStatePending + + return json.Marshal((*stub)(entity)) +} + +func (*EmailAddressResetStatePending) GetClass() string { + return ClassEmailAddressResetState +} + +func (*EmailAddressResetStatePending) GetType() string { + return TypeEmailAddressResetStatePending +} + +func (*EmailAddressResetStatePending) EmailAddressResetStateType() string { + return TypeEmailAddressResetStatePending } // Represents a part of the text that needs to be formatted in some unusual way type TextEntity struct { - meta - // Offset of the entity, in UTF-16 code units - Offset int32 `json:"offset"` - // Length of the entity, in UTF-16 code units - Length int32 `json:"length"` - // Type of the entity - Type TextEntityType `json:"type"` + meta + // Offset of the entity, in UTF-16 code units + Offset int32 `json:"offset"` + // Length of the entity, in UTF-16 code units + Length int32 `json:"length"` + // Type of the entity + Type TextEntityType `json:"type"` } func (entity *TextEntity) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub TextEntity + type stub TextEntity - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*TextEntity) GetClass() string { - return ClassTextEntity + return ClassTextEntity } func (*TextEntity) GetType() string { - return TypeTextEntity + return TypeTextEntity } func (textEntity *TextEntity) UnmarshalJSON(data []byte) error { - var tmp struct { - Offset int32 `json:"offset"` - Length int32 `json:"length"` - Type json.RawMessage `json:"type"` - } + var tmp struct { + Offset int32 `json:"offset"` + Length int32 `json:"length"` + Type json.RawMessage `json:"type"` + } - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - textEntity.Offset = tmp.Offset - textEntity.Length = tmp.Length + textEntity.Offset = tmp.Offset + textEntity.Length = tmp.Length - fieldType, _ := UnmarshalTextEntityType(tmp.Type) - textEntity.Type = fieldType + fieldType, _ := UnmarshalTextEntityType(tmp.Type) + textEntity.Type = fieldType - return nil + return nil } // Contains a list of text entities type TextEntities struct { - meta - // List of text entities - Entities []*TextEntity `json:"entities"` + meta + // List of text entities + Entities []*TextEntity `json:"entities"` } func (entity *TextEntities) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub TextEntities + type stub TextEntities - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*TextEntities) GetClass() string { - return ClassTextEntities + return ClassTextEntities } func (*TextEntities) GetType() string { - return TypeTextEntities + return TypeTextEntities } // A text with some entities type FormattedText struct { - meta - // The text - Text string `json:"text"` - // Entities contained in the text. Entities can be nested, but must not mutually intersect with each other. Pre, Code and PreCode entities can't contain other entities. Bold, Italic, Underline, Strikethrough, and Spoiler entities can contain and can be part of any other entities. All other entities can't contain each other - Entities []*TextEntity `json:"entities"` + meta + // The text + Text string `json:"text"` + // Entities contained in the text. Entities can be nested, but must not mutually intersect with each other. Pre, Code and PreCode entities can't contain other entities. BlockQuote entities can't contain other BlockQuote entities. Bold, Italic, Underline, Strikethrough, and Spoiler entities can contain and can be part of any other entities. All other entities can't contain each other + Entities []*TextEntity `json:"entities"` } func (entity *FormattedText) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub FormattedText + type stub FormattedText - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*FormattedText) GetClass() string { - return ClassFormattedText + return ClassFormattedText } func (*FormattedText) GetType() string { - return TypeFormattedText + return TypeFormattedText } // Contains Telegram terms of service type TermsOfService struct { - meta - // Text of the terms of service - Text *FormattedText `json:"text"` - // The minimum age of a user to be able to accept the terms; 0 if age isn't restricted - MinUserAge int32 `json:"min_user_age"` - // True, if a blocking popup with terms of service must be shown to the user - ShowPopup bool `json:"show_popup"` + meta + // Text of the terms of service + Text *FormattedText `json:"text"` + // The minimum age of a user to be able to accept the terms; 0 if age isn't restricted + MinUserAge int32 `json:"min_user_age"` + // True, if a blocking popup with terms of service must be shown to the user + ShowPopup bool `json:"show_popup"` } func (entity *TermsOfService) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub TermsOfService + type stub TermsOfService - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*TermsOfService) GetClass() string { - return ClassTermsOfService + return ClassTermsOfService } func (*TermsOfService) GetType() string { - return TypeTermsOfService + return TypeTermsOfService } -// Initializetion parameters are needed. Call setTdlibParameters to provide them -type AuthorizationStateWaitTdlibParameters struct { - meta +// Describes a passkey +type Passkey struct { + meta + // Unique identifier of the passkey + Id string `json:"id"` + // Name of the passkey + Name string `json:"name"` + // Point in time (Unix timestamp) when the passkey was added + AdditionDate int32 `json:"addition_date"` + // Point in time (Unix timestamp) when the passkey was used last time; 0 if never + LastUsageDate int32 `json:"last_usage_date"` + // Identifier of the custom emoji that is used as the icon of the software, which created the passkey; 0 if unknown + SoftwareIconCustomEmojiId JsonInt64 `json:"software_icon_custom_emoji_id"` +} + +func (entity *Passkey) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub Passkey + + return json.Marshal((*stub)(entity)) +} + +func (*Passkey) GetClass() string { + return ClassPasskey +} + +func (*Passkey) GetType() string { + return TypePasskey +} + +// Contains a list of passkeys +type Passkeys struct { + meta + // List of passkeys + Passkeys []*Passkey `json:"passkeys"` +} + +func (entity *Passkeys) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub Passkeys + + return json.Marshal((*stub)(entity)) +} + +func (*Passkeys) GetClass() string { + return ClassPasskeys +} + +func (*Passkeys) GetType() string { + return TypePasskeys +} + +// Initialization parameters are needed. Call setTdlibParameters to provide them +type AuthorizationStateWaitTdlibParameters struct{ + meta } func (entity *AuthorizationStateWaitTdlibParameters) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub AuthorizationStateWaitTdlibParameters + type stub AuthorizationStateWaitTdlibParameters - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*AuthorizationStateWaitTdlibParameters) GetClass() string { - return ClassAuthorizationState + return ClassAuthorizationState } func (*AuthorizationStateWaitTdlibParameters) GetType() string { - return TypeAuthorizationStateWaitTdlibParameters + return TypeAuthorizationStateWaitTdlibParameters } func (*AuthorizationStateWaitTdlibParameters) AuthorizationStateType() string { - return TypeAuthorizationStateWaitTdlibParameters + return TypeAuthorizationStateWaitTdlibParameters } -// TDLib needs the user's phone number to authorize. Call setAuthenticationPhoneNumber to provide the phone number, or use requestQrCodeAuthentication or checkAuthenticationBotToken for other authentication options -type AuthorizationStateWaitPhoneNumber struct { - meta +// TDLib needs the user's phone number to authorize. Call setAuthenticationPhoneNumber to provide the phone number, or use requestQrCodeAuthentication, getAuthenticationPasskeyParameters, or checkAuthenticationBotToken for other authentication options +type AuthorizationStateWaitPhoneNumber struct{ + meta } func (entity *AuthorizationStateWaitPhoneNumber) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub AuthorizationStateWaitPhoneNumber + type stub AuthorizationStateWaitPhoneNumber - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*AuthorizationStateWaitPhoneNumber) GetClass() string { - return ClassAuthorizationState + return ClassAuthorizationState } func (*AuthorizationStateWaitPhoneNumber) GetType() string { - return TypeAuthorizationStateWaitPhoneNumber + return TypeAuthorizationStateWaitPhoneNumber } func (*AuthorizationStateWaitPhoneNumber) AuthorizationStateType() string { - return TypeAuthorizationStateWaitPhoneNumber + return TypeAuthorizationStateWaitPhoneNumber +} + +// The user must buy Telegram Premium as an in-store purchase to log in. Call checkAuthenticationPremiumPurchase and then setAuthenticationPremiumPurchaseTransaction +type AuthorizationStateWaitPremiumPurchase struct { + meta + // Identifier of the store product that must be bought + StoreProductId string `json:"store_product_id"` + // Email address to use for support if the user has issues with Telegram Premium purchase + SupportEmailAddress string `json:"support_email_address"` + // Subject for the email sent to the support email address + SupportEmailSubject string `json:"support_email_subject"` +} + +func (entity *AuthorizationStateWaitPremiumPurchase) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub AuthorizationStateWaitPremiumPurchase + + return json.Marshal((*stub)(entity)) +} + +func (*AuthorizationStateWaitPremiumPurchase) GetClass() string { + return ClassAuthorizationState +} + +func (*AuthorizationStateWaitPremiumPurchase) GetType() string { + return TypeAuthorizationStateWaitPremiumPurchase +} + +func (*AuthorizationStateWaitPremiumPurchase) AuthorizationStateType() string { + return TypeAuthorizationStateWaitPremiumPurchase } // TDLib needs the user's email address to authorize. Call setAuthenticationEmailAddress to provide the email address, or directly call checkAuthenticationEmailCode with Apple ID/Google ID token if allowed type AuthorizationStateWaitEmailAddress struct { - meta - // True, if authorization through Apple ID is allowed - AllowAppleId bool `json:"allow_apple_id"` - // True, if authorization through Google ID is allowed - AllowGoogleId bool `json:"allow_google_id"` + meta + // True, if authorization through Apple ID is allowed + AllowAppleId bool `json:"allow_apple_id"` + // True, if authorization through Google ID is allowed + AllowGoogleId bool `json:"allow_google_id"` } func (entity *AuthorizationStateWaitEmailAddress) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub AuthorizationStateWaitEmailAddress + type stub AuthorizationStateWaitEmailAddress - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*AuthorizationStateWaitEmailAddress) GetClass() string { - return ClassAuthorizationState + return ClassAuthorizationState } func (*AuthorizationStateWaitEmailAddress) GetType() string { - return TypeAuthorizationStateWaitEmailAddress + return TypeAuthorizationStateWaitEmailAddress } func (*AuthorizationStateWaitEmailAddress) AuthorizationStateType() string { - return TypeAuthorizationStateWaitEmailAddress + return TypeAuthorizationStateWaitEmailAddress } // TDLib needs the user's authentication code sent to an email address to authorize. Call checkAuthenticationEmailCode to provide the code type AuthorizationStateWaitEmailCode struct { - meta - // True, if authorization through Apple ID is allowed - AllowAppleId bool `json:"allow_apple_id"` - // True, if authorization through Google ID is allowed - AllowGoogleId bool `json:"allow_google_id"` - // Information about the sent authentication code - CodeInfo *EmailAddressAuthenticationCodeInfo `json:"code_info"` - // Point in time (Unix timestamp) when the user will be able to authorize with a code sent to the user's phone number; 0 if unknown - NextPhoneNumberAuthorizationDate int32 `json:"next_phone_number_authorization_date"` + meta + // True, if authorization through Apple ID is allowed + AllowAppleId bool `json:"allow_apple_id"` + // True, if authorization through Google ID is allowed + AllowGoogleId bool `json:"allow_google_id"` + // Information about the sent authentication code + CodeInfo *EmailAddressAuthenticationCodeInfo `json:"code_info"` + // Reset state of the email address; may be null if the email address can't be reset + EmailAddressResetState EmailAddressResetState `json:"email_address_reset_state"` } func (entity *AuthorizationStateWaitEmailCode) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub AuthorizationStateWaitEmailCode + type stub AuthorizationStateWaitEmailCode - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*AuthorizationStateWaitEmailCode) GetClass() string { - return ClassAuthorizationState + return ClassAuthorizationState } func (*AuthorizationStateWaitEmailCode) GetType() string { - return TypeAuthorizationStateWaitEmailCode + return TypeAuthorizationStateWaitEmailCode } func (*AuthorizationStateWaitEmailCode) AuthorizationStateType() string { - return TypeAuthorizationStateWaitEmailCode + return TypeAuthorizationStateWaitEmailCode +} + +func (authorizationStateWaitEmailCode *AuthorizationStateWaitEmailCode) UnmarshalJSON(data []byte) error { + var tmp struct { + AllowAppleId bool `json:"allow_apple_id"` + AllowGoogleId bool `json:"allow_google_id"` + CodeInfo *EmailAddressAuthenticationCodeInfo `json:"code_info"` + EmailAddressResetState json.RawMessage `json:"email_address_reset_state"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + authorizationStateWaitEmailCode.AllowAppleId = tmp.AllowAppleId + authorizationStateWaitEmailCode.AllowGoogleId = tmp.AllowGoogleId + authorizationStateWaitEmailCode.CodeInfo = tmp.CodeInfo + + fieldEmailAddressResetState, _ := UnmarshalEmailAddressResetState(tmp.EmailAddressResetState) + authorizationStateWaitEmailCode.EmailAddressResetState = fieldEmailAddressResetState + + return nil } // TDLib needs the user's authentication code to authorize. Call checkAuthenticationCode to check the code type AuthorizationStateWaitCode struct { - meta - // Information about the authorization code that was sent - CodeInfo *AuthenticationCodeInfo `json:"code_info"` + meta + // Information about the authorization code that was sent + CodeInfo *AuthenticationCodeInfo `json:"code_info"` } func (entity *AuthorizationStateWaitCode) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub AuthorizationStateWaitCode + type stub AuthorizationStateWaitCode - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*AuthorizationStateWaitCode) GetClass() string { - return ClassAuthorizationState + return ClassAuthorizationState } func (*AuthorizationStateWaitCode) GetType() string { - return TypeAuthorizationStateWaitCode + return TypeAuthorizationStateWaitCode } func (*AuthorizationStateWaitCode) AuthorizationStateType() string { - return TypeAuthorizationStateWaitCode + return TypeAuthorizationStateWaitCode } // The user needs to confirm authorization on another logged in device by scanning a QR code with the provided link type AuthorizationStateWaitOtherDeviceConfirmation struct { - meta - // A tg:// URL for the QR code. The link will be updated frequently - Link string `json:"link"` + meta + // A tg:// URL for the QR code. The link will be updated frequently + Link string `json:"link"` } func (entity *AuthorizationStateWaitOtherDeviceConfirmation) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub AuthorizationStateWaitOtherDeviceConfirmation + type stub AuthorizationStateWaitOtherDeviceConfirmation - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*AuthorizationStateWaitOtherDeviceConfirmation) GetClass() string { - return ClassAuthorizationState + return ClassAuthorizationState } func (*AuthorizationStateWaitOtherDeviceConfirmation) GetType() string { - return TypeAuthorizationStateWaitOtherDeviceConfirmation + return TypeAuthorizationStateWaitOtherDeviceConfirmation } func (*AuthorizationStateWaitOtherDeviceConfirmation) AuthorizationStateType() string { - return TypeAuthorizationStateWaitOtherDeviceConfirmation + return TypeAuthorizationStateWaitOtherDeviceConfirmation } // The user is unregistered and need to accept terms of service and enter their first name and last name to finish registration. Call registerUser to accept the terms of service and provide the data type AuthorizationStateWaitRegistration struct { - meta - // Telegram terms of service - TermsOfService *TermsOfService `json:"terms_of_service"` + meta + // Telegram terms of service + TermsOfService *TermsOfService `json:"terms_of_service"` } func (entity *AuthorizationStateWaitRegistration) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub AuthorizationStateWaitRegistration + type stub AuthorizationStateWaitRegistration - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*AuthorizationStateWaitRegistration) GetClass() string { - return ClassAuthorizationState + return ClassAuthorizationState } func (*AuthorizationStateWaitRegistration) GetType() string { - return TypeAuthorizationStateWaitRegistration + return TypeAuthorizationStateWaitRegistration } func (*AuthorizationStateWaitRegistration) AuthorizationStateType() string { - return TypeAuthorizationStateWaitRegistration + return TypeAuthorizationStateWaitRegistration } // The user has been authorized, but needs to enter a 2-step verification password to start using the application. Call checkAuthenticationPassword to provide the password, or requestAuthenticationPasswordRecovery to recover the password, or deleteAccount to delete the account after a week type AuthorizationStateWaitPassword struct { - meta - // Hint for the password; may be empty - PasswordHint string `json:"password_hint"` - // True, if a recovery email address has been set up - HasRecoveryEmailAddress bool `json:"has_recovery_email_address"` - // True, if some Telegram Passport elements were saved - HasPassportData bool `json:"has_passport_data"` - // Pattern of the email address to which the recovery email was sent; empty until a recovery email has been sent - RecoveryEmailAddressPattern string `json:"recovery_email_address_pattern"` + meta + // Hint for the password; may be empty + PasswordHint string `json:"password_hint"` + // True, if a recovery email address has been set up + HasRecoveryEmailAddress bool `json:"has_recovery_email_address"` + // True, if some Telegram Passport elements were saved + HasPassportData bool `json:"has_passport_data"` + // Pattern of the email address to which the recovery email was sent; empty until a recovery email has been sent + RecoveryEmailAddressPattern string `json:"recovery_email_address_pattern"` } func (entity *AuthorizationStateWaitPassword) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub AuthorizationStateWaitPassword + type stub AuthorizationStateWaitPassword - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*AuthorizationStateWaitPassword) GetClass() string { - return ClassAuthorizationState + return ClassAuthorizationState } func (*AuthorizationStateWaitPassword) GetType() string { - return TypeAuthorizationStateWaitPassword + return TypeAuthorizationStateWaitPassword } func (*AuthorizationStateWaitPassword) AuthorizationStateType() string { - return TypeAuthorizationStateWaitPassword + return TypeAuthorizationStateWaitPassword } // The user has been successfully authorized. TDLib is now ready to answer general requests -type AuthorizationStateReady struct { - meta +type AuthorizationStateReady struct{ + meta } func (entity *AuthorizationStateReady) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub AuthorizationStateReady + type stub AuthorizationStateReady - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*AuthorizationStateReady) GetClass() string { - return ClassAuthorizationState + return ClassAuthorizationState } func (*AuthorizationStateReady) GetType() string { - return TypeAuthorizationStateReady + return TypeAuthorizationStateReady } func (*AuthorizationStateReady) AuthorizationStateType() string { - return TypeAuthorizationStateReady + return TypeAuthorizationStateReady } // The user is currently logging out -type AuthorizationStateLoggingOut struct { - meta +type AuthorizationStateLoggingOut struct{ + meta } func (entity *AuthorizationStateLoggingOut) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub AuthorizationStateLoggingOut + type stub AuthorizationStateLoggingOut - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*AuthorizationStateLoggingOut) GetClass() string { - return ClassAuthorizationState + return ClassAuthorizationState } func (*AuthorizationStateLoggingOut) GetType() string { - return TypeAuthorizationStateLoggingOut + return TypeAuthorizationStateLoggingOut } func (*AuthorizationStateLoggingOut) AuthorizationStateType() string { - return TypeAuthorizationStateLoggingOut + return TypeAuthorizationStateLoggingOut } // TDLib is closing, all subsequent queries will be answered with the error 500. Note that closing TDLib can take a while. All resources will be freed only after authorizationStateClosed has been received -type AuthorizationStateClosing struct { - meta +type AuthorizationStateClosing struct{ + meta } func (entity *AuthorizationStateClosing) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub AuthorizationStateClosing + type stub AuthorizationStateClosing - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*AuthorizationStateClosing) GetClass() string { - return ClassAuthorizationState + return ClassAuthorizationState } func (*AuthorizationStateClosing) GetType() string { - return TypeAuthorizationStateClosing + return TypeAuthorizationStateClosing } func (*AuthorizationStateClosing) AuthorizationStateType() string { - return TypeAuthorizationStateClosing + return TypeAuthorizationStateClosing } // TDLib client is in its final state. All databases are closed and all resources are released. No other updates will be received after this. All queries will be responded to with error code 500. To continue working, one must create a new instance of the TDLib client -type AuthorizationStateClosed struct { - meta +type AuthorizationStateClosed struct{ + meta } func (entity *AuthorizationStateClosed) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub AuthorizationStateClosed + type stub AuthorizationStateClosed - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*AuthorizationStateClosed) GetClass() string { - return ClassAuthorizationState + return ClassAuthorizationState } func (*AuthorizationStateClosed) GetType() string { - return TypeAuthorizationStateClosed + return TypeAuthorizationStateClosed } func (*AuthorizationStateClosed) AuthorizationStateType() string { - return TypeAuthorizationStateClosed + return TypeAuthorizationStateClosed +} + +// Device verification must be performed with the SafetyNet Attestation API +type FirebaseDeviceVerificationParametersSafetyNet struct { + meta + // Nonce to pass to the SafetyNet Attestation API + Nonce []byte `json:"nonce"` +} + +func (entity *FirebaseDeviceVerificationParametersSafetyNet) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub FirebaseDeviceVerificationParametersSafetyNet + + return json.Marshal((*stub)(entity)) +} + +func (*FirebaseDeviceVerificationParametersSafetyNet) GetClass() string { + return ClassFirebaseDeviceVerificationParameters +} + +func (*FirebaseDeviceVerificationParametersSafetyNet) GetType() string { + return TypeFirebaseDeviceVerificationParametersSafetyNet +} + +func (*FirebaseDeviceVerificationParametersSafetyNet) FirebaseDeviceVerificationParametersType() string { + return TypeFirebaseDeviceVerificationParametersSafetyNet +} + +// Device verification must be performed with the classic Play Integrity verification (https://developer.android.com/google/play/integrity/classic) +type FirebaseDeviceVerificationParametersPlayIntegrity struct { + meta + // Base64url-encoded nonce to pass to the Play Integrity API + Nonce string `json:"nonce"` + // Cloud project number to pass to the Play Integrity API + CloudProjectNumber JsonInt64 `json:"cloud_project_number"` +} + +func (entity *FirebaseDeviceVerificationParametersPlayIntegrity) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub FirebaseDeviceVerificationParametersPlayIntegrity + + return json.Marshal((*stub)(entity)) +} + +func (*FirebaseDeviceVerificationParametersPlayIntegrity) GetClass() string { + return ClassFirebaseDeviceVerificationParameters +} + +func (*FirebaseDeviceVerificationParametersPlayIntegrity) GetType() string { + return TypeFirebaseDeviceVerificationParametersPlayIntegrity +} + +func (*FirebaseDeviceVerificationParametersPlayIntegrity) FirebaseDeviceVerificationParametersType() string { + return TypeFirebaseDeviceVerificationParametersPlayIntegrity } // Represents the current state of 2-step verification type PasswordState struct { - meta - // True, if a 2-step verification password is set - HasPassword bool `json:"has_password"` - // Hint for the password; may be empty - PasswordHint string `json:"password_hint"` - // True, if a recovery email is set - HasRecoveryEmailAddress bool `json:"has_recovery_email_address"` - // True, if some Telegram Passport elements were saved - HasPassportData bool `json:"has_passport_data"` - // Information about the recovery email address to which the confirmation email was sent; may be null - RecoveryEmailAddressCodeInfo *EmailAddressAuthenticationCodeInfo `json:"recovery_email_address_code_info"` - // Pattern of the email address set up for logging in - LoginEmailAddressPattern string `json:"login_email_address_pattern"` - // If not 0, point in time (Unix timestamp) after which the 2-step verification password can be reset immediately using resetPassword - PendingResetDate int32 `json:"pending_reset_date"` + meta + // True, if a 2-step verification password is set + HasPassword bool `json:"has_password"` + // Hint for the password; may be empty + PasswordHint string `json:"password_hint"` + // True, if a recovery email is set + HasRecoveryEmailAddress bool `json:"has_recovery_email_address"` + // True, if some Telegram Passport elements were saved + HasPassportData bool `json:"has_passport_data"` + // Information about the recovery email address to which the confirmation email was sent; may be null + RecoveryEmailAddressCodeInfo *EmailAddressAuthenticationCodeInfo `json:"recovery_email_address_code_info"` + // Pattern of the email address set up for logging in + LoginEmailAddressPattern string `json:"login_email_address_pattern"` + // If not 0, point in time (Unix timestamp) after which the 2-step verification password can be reset immediately using resetPassword + PendingResetDate int32 `json:"pending_reset_date"` } func (entity *PasswordState) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub PasswordState + type stub PasswordState - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*PasswordState) GetClass() string { - return ClassPasswordState + return ClassPasswordState } func (*PasswordState) GetType() string { - return TypePasswordState + return TypePasswordState } // Contains information about the current recovery email address type RecoveryEmailAddress struct { - meta - // Recovery email address - RecoveryEmailAddress string `json:"recovery_email_address"` + meta + // Recovery email address + RecoveryEmailAddress string `json:"recovery_email_address"` } func (entity *RecoveryEmailAddress) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub RecoveryEmailAddress + type stub RecoveryEmailAddress - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*RecoveryEmailAddress) GetClass() string { - return ClassRecoveryEmailAddress + return ClassRecoveryEmailAddress } func (*RecoveryEmailAddress) GetType() string { - return TypeRecoveryEmailAddress + return TypeRecoveryEmailAddress } // Returns information about the availability of a temporary password, which can be used for payments type TemporaryPasswordState struct { - meta - // True, if a temporary password is available - HasPassword bool `json:"has_password"` - // Time left before the temporary password expires, in seconds - ValidFor int32 `json:"valid_for"` + meta + // True, if a temporary password is available + HasPassword bool `json:"has_password"` + // Time left before the temporary password expires, in seconds + ValidFor int32 `json:"valid_for"` } func (entity *TemporaryPasswordState) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub TemporaryPasswordState + type stub TemporaryPasswordState - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*TemporaryPasswordState) GetClass() string { - return ClassTemporaryPasswordState + return ClassTemporaryPasswordState } func (*TemporaryPasswordState) GetType() string { - return TypeTemporaryPasswordState + return TypeTemporaryPasswordState } // Represents a local file type LocalFile struct { - meta - // Local path to the locally available file part; may be empty - Path string `json:"path"` - // True, if it is possible to download or generate the file - CanBeDownloaded bool `json:"can_be_downloaded"` - // True, if the file can be deleted - CanBeDeleted bool `json:"can_be_deleted"` - // True, if the file is currently being downloaded (or a local copy is being generated by some other means) - IsDownloadingActive bool `json:"is_downloading_active"` - // True, if the local copy is fully available - IsDownloadingCompleted bool `json:"is_downloading_completed"` - // Download will be started from this offset. downloaded_prefix_size is calculated from this offset - DownloadOffset int64 `json:"download_offset"` - // If is_downloading_completed is false, then only some prefix of the file starting from download_offset is ready to be read. downloaded_prefix_size is the size of that prefix in bytes - DownloadedPrefixSize int64 `json:"downloaded_prefix_size"` - // Total downloaded file size, in bytes. Can be used only for calculating download progress. The actual file size may be bigger, and some parts of it may contain garbage - DownloadedSize int64 `json:"downloaded_size"` + meta + // Local path to the locally available file part; may be empty + Path string `json:"path"` + // True, if it is possible to download or generate the file + CanBeDownloaded bool `json:"can_be_downloaded"` + // True, if the file can be deleted + CanBeDeleted bool `json:"can_be_deleted"` + // True, if the file is currently being downloaded (or a local copy is being generated by some other means) + IsDownloadingActive bool `json:"is_downloading_active"` + // True, if the local copy is fully available + IsDownloadingCompleted bool `json:"is_downloading_completed"` + // Download will be started from this offset. downloaded_prefix_size is calculated from this offset + DownloadOffset int64 `json:"download_offset"` + // If is_downloading_completed is false, then only some prefix of the file starting from download_offset is ready to be read. downloaded_prefix_size is the size of that prefix in bytes + DownloadedPrefixSize int64 `json:"downloaded_prefix_size"` + // Total downloaded file size, in bytes. Can be used only for calculating download progress. The actual file size may be bigger, and some parts of it may contain garbage + DownloadedSize int64 `json:"downloaded_size"` } func (entity *LocalFile) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub LocalFile + type stub LocalFile - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*LocalFile) GetClass() string { - return ClassLocalFile + return ClassLocalFile } func (*LocalFile) GetType() string { - return TypeLocalFile + return TypeLocalFile } // Represents a remote file type RemoteFile struct { - meta - // Remote file identifier; may be empty. Can be used by the current user across application restarts or even from other devices. Uniquely identifies a file, but a file can have a lot of different valid identifiers. If the ID starts with "http://" or "https://", it represents the HTTP URL of the file. TDLib is currently unable to download files if only their URL is known. If downloadFile/addFileToDownloads is called on such a file or if it is sent to a secret chat, TDLib starts a file generation process by sending updateFileGenerationStart to the application with the HTTP URL in the original_path and "#url#" as the conversion string. Application must generate the file by downloading it to the specified location - Id string `json:"id"` - // Unique file identifier; may be empty if unknown. The unique file identifier which is the same for the same file even for different users and is persistent over time - UniqueId string `json:"unique_id"` - // True, if the file is currently being uploaded (or a remote copy is being generated by some other means) - IsUploadingActive bool `json:"is_uploading_active"` - // True, if a remote copy is fully available - IsUploadingCompleted bool `json:"is_uploading_completed"` - // Size of the remote available part of the file, in bytes; 0 if unknown - UploadedSize int64 `json:"uploaded_size"` + meta + // Remote file identifier; may be empty. Can be used by the current user across application restarts or even from other devices. Uniquely identifies a file, but a file can have a lot of different valid identifiers. If the identifier starts with "http://" or "https://", it represents the HTTP URL of the file. TDLib is currently unable to download files if only their URL is known. If downloadFile/addFileToDownloads is called on such a file or if it is sent to a secret chat, TDLib starts a file generation process by sending updateFileGenerationStart to the application with the HTTP URL in the original_path and "#url#" as the conversion string. Application must generate the file by downloading it to the specified location + Id string `json:"id"` + // Unique file identifier; may be empty if unknown. The unique file identifier which is the same for the same file even for different users and is persistent over time + UniqueId string `json:"unique_id"` + // True, if the file is currently being uploaded (or a remote copy is being generated by some other means) + IsUploadingActive bool `json:"is_uploading_active"` + // True, if a remote copy is fully available + IsUploadingCompleted bool `json:"is_uploading_completed"` + // Size of the remote available part of the file, in bytes; 0 if unknown + UploadedSize int64 `json:"uploaded_size"` } func (entity *RemoteFile) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub RemoteFile + type stub RemoteFile - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*RemoteFile) GetClass() string { - return ClassRemoteFile + return ClassRemoteFile } func (*RemoteFile) GetType() string { - return TypeRemoteFile + return TypeRemoteFile } // Represents a file type File struct { - meta - // Unique file identifier - Id int32 `json:"id"` - // File data center - DcId int32 `json:"dc_id"` - // File size, in bytes; 0 if unknown - Size int64 `json:"size"` - // Approximate file size in bytes in case the exact file size is unknown. Can be used to show download/upload progress - ExpectedSize int64 `json:"expected_size"` - // Information about the local copy of the file - Local *LocalFile `json:"local"` - // Information about the remote copy of the file - Remote *RemoteFile `json:"remote"` + meta + // Unique file identifier + Id int32 `json:"id"` + // File data center + DcId int32 `json:"dc_id"` + // File size, in bytes; 0 if unknown + Size int64 `json:"size"` + // Approximate file size in bytes in case the exact file size is unknown. Can be used to show download/upload progress + ExpectedSize int64 `json:"expected_size"` + // Information about the local copy of the file + Local *LocalFile `json:"local"` + // Information about the remote copy of the file + Remote *RemoteFile `json:"remote"` } func (entity *File) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub File + type stub File - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*File) GetClass() string { - return ClassFile + return ClassFile } func (*File) GetType() string { - return TypeFile + return TypeFile } -// A file defined by its unique ID +// A file defined by its unique identifier type InputFileId struct { - meta - // Unique file identifier - Id int32 `json:"id"` + meta + // Unique file identifier + Id int32 `json:"id"` } func (entity *InputFileId) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub InputFileId + type stub InputFileId - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*InputFileId) GetClass() string { - return ClassInputFile + return ClassInputFile } func (*InputFileId) GetType() string { - return TypeInputFileId + return TypeInputFileId } func (*InputFileId) InputFileType() string { - return TypeInputFileId + return TypeInputFileId } -// A file defined by its remote ID. The remote ID is guaranteed to be usable only if the corresponding file is still accessible to the user and known to TDLib. For example, if the file is from a message, then the message must be not deleted and accessible to the user. If the file database is disabled, then the corresponding object with the file must be preloaded by the application +// A file defined by its remote identifier. The remote identifier is guaranteed to be usable only if the corresponding file is still accessible to the user and known to TDLib. For example, if the file is from a message, then the message must be not deleted and accessible to the user. If the file database is disabled, then the corresponding object with the file must be preloaded by the application type InputFileRemote struct { - meta - // Remote file identifier - Id string `json:"id"` + meta + // Remote file identifier + Id string `json:"id"` } func (entity *InputFileRemote) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub InputFileRemote + type stub InputFileRemote - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*InputFileRemote) GetClass() string { - return ClassInputFile + return ClassInputFile } func (*InputFileRemote) GetType() string { - return TypeInputFileRemote + return TypeInputFileRemote } func (*InputFileRemote) InputFileType() string { - return TypeInputFileRemote + return TypeInputFileRemote } // A file defined by a local path type InputFileLocal struct { - meta - // Local path to the file - Path string `json:"path"` + meta + // Local path to the file + Path string `json:"path"` } func (entity *InputFileLocal) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub InputFileLocal + type stub InputFileLocal - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*InputFileLocal) GetClass() string { - return ClassInputFile + return ClassInputFile } func (*InputFileLocal) GetType() string { - return TypeInputFileLocal + return TypeInputFileLocal } func (*InputFileLocal) InputFileType() string { - return TypeInputFileLocal + return TypeInputFileLocal } -// A file generated by the application +// A file generated by the application. The application must handle updates updateFileGenerationStart and updateFileGenerationStop to generate the file when asked by TDLib type InputFileGenerated struct { - meta - // Local path to a file from which the file is generated; may be empty if there is no such file - OriginalPath string `json:"original_path"` - // String specifying the conversion applied to the original file; must be persistent across application restarts. Conversions beginning with '#' are reserved for internal TDLib usage - Conversion string `json:"conversion"` - // Expected size of the generated file, in bytes; 0 if unknown - ExpectedSize int64 `json:"expected_size"` + meta + // Local path to a file from which the file is generated. The path doesn't have to be a valid path and is used by TDLib only to detect name and MIME type of the generated file + OriginalPath string `json:"original_path"` + // String specifying the conversion applied to the original file; must be persistent across application restarts. Conversions beginning with '#' are reserved for internal TDLib usage + Conversion string `json:"conversion"` + // Expected size of the generated file, in bytes; pass 0 if unknown + ExpectedSize int64 `json:"expected_size"` } func (entity *InputFileGenerated) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub InputFileGenerated + type stub InputFileGenerated - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*InputFileGenerated) GetClass() string { - return ClassInputFile + return ClassInputFile } func (*InputFileGenerated) GetType() string { - return TypeInputFileGenerated + return TypeInputFileGenerated } func (*InputFileGenerated) InputFileType() string { - return TypeInputFileGenerated + return TypeInputFileGenerated } // Describes an image in JPEG format type PhotoSize struct { - meta - // Image type (see https://core.telegram.org/constructor/photoSize) - Type string `json:"type"` - // Information about the image file - Photo *File `json:"photo"` - // Image width - Width int32 `json:"width"` - // Image height - Height int32 `json:"height"` - // Sizes of progressive JPEG file prefixes, which can be used to preliminarily show the image; in bytes - ProgressiveSizes []int32 `json:"progressive_sizes"` + meta + // Image type (see https://core.telegram.org/constructor/photoSize) + Type string `json:"type"` + // Information about the image file + Photo *File `json:"photo"` + // Image width + Width int32 `json:"width"` + // Image height + Height int32 `json:"height"` + // Sizes of progressive JPEG file prefixes, which can be used to preliminarily show the image; in bytes + ProgressiveSizes []int32 `json:"progressive_sizes"` } func (entity *PhotoSize) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub PhotoSize + type stub PhotoSize - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*PhotoSize) GetClass() string { - return ClassPhotoSize + return ClassPhotoSize } func (*PhotoSize) GetType() string { - return TypePhotoSize + return TypePhotoSize } // Thumbnail image of a very poor quality and low resolution type Minithumbnail struct { - meta - // Thumbnail width, usually doesn't exceed 40 - Width int32 `json:"width"` - // Thumbnail height, usually doesn't exceed 40 - Height int32 `json:"height"` - // The thumbnail in JPEG format - Data []byte `json:"data"` + meta + // Thumbnail width, usually doesn't exceed 40 + Width int32 `json:"width"` + // Thumbnail height, usually doesn't exceed 40 + Height int32 `json:"height"` + // The thumbnail in JPEG format + Data []byte `json:"data"` } func (entity *Minithumbnail) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub Minithumbnail + type stub Minithumbnail - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*Minithumbnail) GetClass() string { - return ClassMinithumbnail + return ClassMinithumbnail } func (*Minithumbnail) GetType() string { - return TypeMinithumbnail + return TypeMinithumbnail } // The thumbnail is in JPEG format -type ThumbnailFormatJpeg struct { - meta +type ThumbnailFormatJpeg struct{ + meta } func (entity *ThumbnailFormatJpeg) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub ThumbnailFormatJpeg + type stub ThumbnailFormatJpeg - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*ThumbnailFormatJpeg) GetClass() string { - return ClassThumbnailFormat + return ClassThumbnailFormat } func (*ThumbnailFormatJpeg) GetType() string { - return TypeThumbnailFormatJpeg + return TypeThumbnailFormatJpeg } func (*ThumbnailFormatJpeg) ThumbnailFormatType() string { - return TypeThumbnailFormatJpeg + return TypeThumbnailFormatJpeg } -// The thumbnail is in static GIF format. It will be used only for some bot inline results -type ThumbnailFormatGif struct { - meta +// The thumbnail is in static GIF format. It will be used only for some bot inline query results +type ThumbnailFormatGif struct{ + meta } func (entity *ThumbnailFormatGif) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub ThumbnailFormatGif + type stub ThumbnailFormatGif - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*ThumbnailFormatGif) GetClass() string { - return ClassThumbnailFormat + return ClassThumbnailFormat } func (*ThumbnailFormatGif) GetType() string { - return TypeThumbnailFormatGif + return TypeThumbnailFormatGif } func (*ThumbnailFormatGif) ThumbnailFormatType() string { - return TypeThumbnailFormatGif + return TypeThumbnailFormatGif } // The thumbnail is in MPEG4 format. It will be used only for some animations and videos -type ThumbnailFormatMpeg4 struct { - meta +type ThumbnailFormatMpeg4 struct{ + meta } func (entity *ThumbnailFormatMpeg4) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub ThumbnailFormatMpeg4 + type stub ThumbnailFormatMpeg4 - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*ThumbnailFormatMpeg4) GetClass() string { - return ClassThumbnailFormat + return ClassThumbnailFormat } func (*ThumbnailFormatMpeg4) GetType() string { - return TypeThumbnailFormatMpeg4 + return TypeThumbnailFormatMpeg4 } func (*ThumbnailFormatMpeg4) ThumbnailFormatType() string { - return TypeThumbnailFormatMpeg4 + return TypeThumbnailFormatMpeg4 } // The thumbnail is in PNG format. It will be used only for background patterns -type ThumbnailFormatPng struct { - meta +type ThumbnailFormatPng struct{ + meta } func (entity *ThumbnailFormatPng) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub ThumbnailFormatPng + type stub ThumbnailFormatPng - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*ThumbnailFormatPng) GetClass() string { - return ClassThumbnailFormat + return ClassThumbnailFormat } func (*ThumbnailFormatPng) GetType() string { - return TypeThumbnailFormatPng + return TypeThumbnailFormatPng } func (*ThumbnailFormatPng) ThumbnailFormatType() string { - return TypeThumbnailFormatPng + return TypeThumbnailFormatPng } -// The thumbnail is in TGS format. It will be used only for TGS sticker sets -type ThumbnailFormatTgs struct { - meta +// The thumbnail is in TGS format. It will be used only for sticker sets +type ThumbnailFormatTgs struct{ + meta } func (entity *ThumbnailFormatTgs) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub ThumbnailFormatTgs + type stub ThumbnailFormatTgs - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*ThumbnailFormatTgs) GetClass() string { - return ClassThumbnailFormat + return ClassThumbnailFormat } func (*ThumbnailFormatTgs) GetType() string { - return TypeThumbnailFormatTgs + return TypeThumbnailFormatTgs } func (*ThumbnailFormatTgs) ThumbnailFormatType() string { - return TypeThumbnailFormatTgs + return TypeThumbnailFormatTgs } -// The thumbnail is in WEBM format. It will be used only for WEBM sticker sets -type ThumbnailFormatWebm struct { - meta +// The thumbnail is in WEBM format. It will be used only for sticker sets +type ThumbnailFormatWebm struct{ + meta } func (entity *ThumbnailFormatWebm) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub ThumbnailFormatWebm + type stub ThumbnailFormatWebm - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*ThumbnailFormatWebm) GetClass() string { - return ClassThumbnailFormat + return ClassThumbnailFormat } func (*ThumbnailFormatWebm) GetType() string { - return TypeThumbnailFormatWebm + return TypeThumbnailFormatWebm } func (*ThumbnailFormatWebm) ThumbnailFormatType() string { - return TypeThumbnailFormatWebm + return TypeThumbnailFormatWebm } -// The thumbnail is in WEBP format. It will be used only for some stickers -type ThumbnailFormatWebp struct { - meta +// The thumbnail is in WEBP format. It will be used only for some stickers and sticker sets +type ThumbnailFormatWebp struct{ + meta } func (entity *ThumbnailFormatWebp) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub ThumbnailFormatWebp + type stub ThumbnailFormatWebp - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*ThumbnailFormatWebp) GetClass() string { - return ClassThumbnailFormat + return ClassThumbnailFormat } func (*ThumbnailFormatWebp) GetType() string { - return TypeThumbnailFormatWebp + return TypeThumbnailFormatWebp } func (*ThumbnailFormatWebp) ThumbnailFormatType() string { - return TypeThumbnailFormatWebp + return TypeThumbnailFormatWebp } // Represents a thumbnail type Thumbnail struct { - meta - // Thumbnail format - Format ThumbnailFormat `json:"format"` - // Thumbnail width - Width int32 `json:"width"` - // Thumbnail height - Height int32 `json:"height"` - // The thumbnail - File *File `json:"file"` + meta + // Thumbnail format + Format ThumbnailFormat `json:"format"` + // Thumbnail width + Width int32 `json:"width"` + // Thumbnail height + Height int32 `json:"height"` + // The thumbnail + File *File `json:"file"` } func (entity *Thumbnail) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub Thumbnail + type stub Thumbnail - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*Thumbnail) GetClass() string { - return ClassThumbnail + return ClassThumbnail } func (*Thumbnail) GetType() string { - return TypeThumbnail + return TypeThumbnail } func (thumbnail *Thumbnail) UnmarshalJSON(data []byte) error { - var tmp struct { - Format json.RawMessage `json:"format"` - Width int32 `json:"width"` - Height int32 `json:"height"` - File *File `json:"file"` - } + var tmp struct { + Format json.RawMessage `json:"format"` + Width int32 `json:"width"` + Height int32 `json:"height"` + File *File `json:"file"` + } - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - thumbnail.Width = tmp.Width - thumbnail.Height = tmp.Height - thumbnail.File = tmp.File + thumbnail.Width = tmp.Width + thumbnail.Height = tmp.Height + thumbnail.File = tmp.File - fieldFormat, _ := UnmarshalThumbnailFormat(tmp.Format) - thumbnail.Format = fieldFormat + fieldFormat, _ := UnmarshalThumbnailFormat(tmp.Format) + thumbnail.Format = fieldFormat - return nil + return nil } // The mask is placed relatively to the forehead -type MaskPointForehead struct { - meta +type MaskPointForehead struct{ + meta } func (entity *MaskPointForehead) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub MaskPointForehead + type stub MaskPointForehead - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*MaskPointForehead) GetClass() string { - return ClassMaskPoint + return ClassMaskPoint } func (*MaskPointForehead) GetType() string { - return TypeMaskPointForehead + return TypeMaskPointForehead } func (*MaskPointForehead) MaskPointType() string { - return TypeMaskPointForehead + return TypeMaskPointForehead } // The mask is placed relatively to the eyes -type MaskPointEyes struct { - meta +type MaskPointEyes struct{ + meta } func (entity *MaskPointEyes) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub MaskPointEyes + type stub MaskPointEyes - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*MaskPointEyes) GetClass() string { - return ClassMaskPoint + return ClassMaskPoint } func (*MaskPointEyes) GetType() string { - return TypeMaskPointEyes + return TypeMaskPointEyes } func (*MaskPointEyes) MaskPointType() string { - return TypeMaskPointEyes + return TypeMaskPointEyes } // The mask is placed relatively to the mouth -type MaskPointMouth struct { - meta +type MaskPointMouth struct{ + meta } func (entity *MaskPointMouth) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub MaskPointMouth + type stub MaskPointMouth - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*MaskPointMouth) GetClass() string { - return ClassMaskPoint + return ClassMaskPoint } func (*MaskPointMouth) GetType() string { - return TypeMaskPointMouth + return TypeMaskPointMouth } func (*MaskPointMouth) MaskPointType() string { - return TypeMaskPointMouth + return TypeMaskPointMouth } // The mask is placed relatively to the chin -type MaskPointChin struct { - meta +type MaskPointChin struct{ + meta } func (entity *MaskPointChin) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub MaskPointChin + type stub MaskPointChin - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*MaskPointChin) GetClass() string { - return ClassMaskPoint + return ClassMaskPoint } func (*MaskPointChin) GetType() string { - return TypeMaskPointChin + return TypeMaskPointChin } func (*MaskPointChin) MaskPointType() string { - return TypeMaskPointChin + return TypeMaskPointChin } // Position on a photo where a mask is placed type MaskPosition struct { - meta - // Part of the face, relative to which the mask is placed - Point MaskPoint `json:"point"` - // Shift by X-axis measured in widths of the mask scaled to the face size, from left to right. (For example, -1.0 will place the mask just to the left of the default mask position) - XShift float64 `json:"x_shift"` - // Shift by Y-axis measured in heights of the mask scaled to the face size, from top to bottom. (For example, 1.0 will place the mask just below the default mask position) - YShift float64 `json:"y_shift"` - // Mask scaling coefficient. (For example, 2.0 means a doubled size) - Scale float64 `json:"scale"` + meta + // Part of the face, relative to which the mask is placed + Point MaskPoint `json:"point"` + // Shift by X-axis measured in widths of the mask scaled to the face size, from left to right. (For example, -1.0 will place the mask just to the left of the default mask position) + XShift float64 `json:"x_shift"` + // Shift by Y-axis measured in heights of the mask scaled to the face size, from top to bottom. (For example, 1.0 will place the mask just below the default mask position) + YShift float64 `json:"y_shift"` + // Mask scaling coefficient. (For example, 2.0 means a doubled size) + Scale float64 `json:"scale"` } func (entity *MaskPosition) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub MaskPosition + type stub MaskPosition - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*MaskPosition) GetClass() string { - return ClassMaskPosition + return ClassMaskPosition } func (*MaskPosition) GetType() string { - return TypeMaskPosition + return TypeMaskPosition } func (maskPosition *MaskPosition) UnmarshalJSON(data []byte) error { - var tmp struct { - Point json.RawMessage `json:"point"` - XShift float64 `json:"x_shift"` - YShift float64 `json:"y_shift"` - Scale float64 `json:"scale"` - } + var tmp struct { + Point json.RawMessage `json:"point"` + XShift float64 `json:"x_shift"` + YShift float64 `json:"y_shift"` + Scale float64 `json:"scale"` + } - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - maskPosition.XShift = tmp.XShift - maskPosition.YShift = tmp.YShift - maskPosition.Scale = tmp.Scale + maskPosition.XShift = tmp.XShift + maskPosition.YShift = tmp.YShift + maskPosition.Scale = tmp.Scale - fieldPoint, _ := UnmarshalMaskPoint(tmp.Point) - maskPosition.Point = fieldPoint + fieldPoint, _ := UnmarshalMaskPoint(tmp.Point) + maskPosition.Point = fieldPoint - return nil + return nil } // The sticker is an image in WEBP format -type StickerFormatWebp struct { - meta +type StickerFormatWebp struct{ + meta } func (entity *StickerFormatWebp) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub StickerFormatWebp + type stub StickerFormatWebp - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*StickerFormatWebp) GetClass() string { - return ClassStickerFormat + return ClassStickerFormat } func (*StickerFormatWebp) GetType() string { - return TypeStickerFormatWebp + return TypeStickerFormatWebp } func (*StickerFormatWebp) StickerFormatType() string { - return TypeStickerFormatWebp + return TypeStickerFormatWebp } // The sticker is an animation in TGS format -type StickerFormatTgs struct { - meta +type StickerFormatTgs struct{ + meta } func (entity *StickerFormatTgs) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub StickerFormatTgs + type stub StickerFormatTgs - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*StickerFormatTgs) GetClass() string { - return ClassStickerFormat + return ClassStickerFormat } func (*StickerFormatTgs) GetType() string { - return TypeStickerFormatTgs + return TypeStickerFormatTgs } func (*StickerFormatTgs) StickerFormatType() string { - return TypeStickerFormatTgs + return TypeStickerFormatTgs } // The sticker is a video in WEBM format -type StickerFormatWebm struct { - meta +type StickerFormatWebm struct{ + meta } func (entity *StickerFormatWebm) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub StickerFormatWebm + type stub StickerFormatWebm - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*StickerFormatWebm) GetClass() string { - return ClassStickerFormat + return ClassStickerFormat } func (*StickerFormatWebm) GetType() string { - return TypeStickerFormatWebm + return TypeStickerFormatWebm } func (*StickerFormatWebm) StickerFormatType() string { - return TypeStickerFormatWebm + return TypeStickerFormatWebm } // The sticker is a regular sticker -type StickerTypeRegular struct { - meta +type StickerTypeRegular struct{ + meta } func (entity *StickerTypeRegular) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub StickerTypeRegular + type stub StickerTypeRegular - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*StickerTypeRegular) GetClass() string { - return ClassStickerType + return ClassStickerType } func (*StickerTypeRegular) GetType() string { - return TypeStickerTypeRegular + return TypeStickerTypeRegular } func (*StickerTypeRegular) StickerTypeType() string { - return TypeStickerTypeRegular + return TypeStickerTypeRegular } // The sticker is a mask in WEBP format to be placed on photos or videos -type StickerTypeMask struct { - meta +type StickerTypeMask struct{ + meta } func (entity *StickerTypeMask) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub StickerTypeMask + type stub StickerTypeMask - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*StickerTypeMask) GetClass() string { - return ClassStickerType + return ClassStickerType } func (*StickerTypeMask) GetType() string { - return TypeStickerTypeMask + return TypeStickerTypeMask } func (*StickerTypeMask) StickerTypeType() string { - return TypeStickerTypeMask + return TypeStickerTypeMask } // The sticker is a custom emoji to be used inside message text and caption -type StickerTypeCustomEmoji struct { - meta +type StickerTypeCustomEmoji struct{ + meta } func (entity *StickerTypeCustomEmoji) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub StickerTypeCustomEmoji + type stub StickerTypeCustomEmoji - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*StickerTypeCustomEmoji) GetClass() string { - return ClassStickerType + return ClassStickerType } func (*StickerTypeCustomEmoji) GetType() string { - return TypeStickerTypeCustomEmoji + return TypeStickerTypeCustomEmoji } func (*StickerTypeCustomEmoji) StickerTypeType() string { - return TypeStickerTypeCustomEmoji + return TypeStickerTypeCustomEmoji } // The sticker is a regular sticker type StickerFullTypeRegular struct { - meta - // Premium animation of the sticker; may be null. If present, only Telegram Premium users can use the sticker - PremiumAnimation *File `json:"premium_animation"` + meta + // Premium animation of the sticker; may be null. If present, only Telegram Premium users can use the sticker + PremiumAnimation *File `json:"premium_animation"` } func (entity *StickerFullTypeRegular) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub StickerFullTypeRegular + type stub StickerFullTypeRegular - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*StickerFullTypeRegular) GetClass() string { - return ClassStickerFullType + return ClassStickerFullType } func (*StickerFullTypeRegular) GetType() string { - return TypeStickerFullTypeRegular + return TypeStickerFullTypeRegular } func (*StickerFullTypeRegular) StickerFullTypeType() string { - return TypeStickerFullTypeRegular + return TypeStickerFullTypeRegular } // The sticker is a mask in WEBP format to be placed on photos or videos type StickerFullTypeMask struct { - meta - // Position where the mask is placed; may be null - MaskPosition *MaskPosition `json:"mask_position"` + meta + // Position where the mask is placed; may be null + MaskPosition *MaskPosition `json:"mask_position"` } func (entity *StickerFullTypeMask) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub StickerFullTypeMask + type stub StickerFullTypeMask - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*StickerFullTypeMask) GetClass() string { - return ClassStickerFullType + return ClassStickerFullType } func (*StickerFullTypeMask) GetType() string { - return TypeStickerFullTypeMask + return TypeStickerFullTypeMask } func (*StickerFullTypeMask) StickerFullTypeType() string { - return TypeStickerFullTypeMask + return TypeStickerFullTypeMask } // The sticker is a custom emoji to be used inside message text and caption. Currently, only Telegram Premium users can use custom emoji type StickerFullTypeCustomEmoji struct { - meta - // Identifier of the custom emoji - CustomEmojiId JsonInt64 `json:"custom_emoji_id"` - // True, if the sticker must be repainted to a text color in messages, the color of the Telegram Premium badge in emoji status, white color on chat photos, or another appropriate color in other places - NeedsRepainting bool `json:"needs_repainting"` + meta + // Identifier of the custom emoji + CustomEmojiId JsonInt64 `json:"custom_emoji_id"` + // True, if the sticker must be repainted to a text color in messages, the color of the Telegram Premium badge in emoji status, white color on chat photos, or another appropriate color in other places + NeedsRepainting bool `json:"needs_repainting"` } func (entity *StickerFullTypeCustomEmoji) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub StickerFullTypeCustomEmoji + type stub StickerFullTypeCustomEmoji - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*StickerFullTypeCustomEmoji) GetClass() string { - return ClassStickerFullType + return ClassStickerFullType } func (*StickerFullTypeCustomEmoji) GetType() string { - return TypeStickerFullTypeCustomEmoji + return TypeStickerFullTypeCustomEmoji } func (*StickerFullTypeCustomEmoji) StickerFullTypeType() string { - return TypeStickerFullTypeCustomEmoji + return TypeStickerFullTypeCustomEmoji } -// Represents a closed vector path. The path begins at the end point of the last command +// Represents a closed vector path. The path begins at the end point of the last command. The coordinate system origin is in the upper-left corner type ClosedVectorPath struct { - meta - // List of vector path commands - Commands []VectorPathCommand `json:"commands"` + meta + // List of vector path commands + Commands []VectorPathCommand `json:"commands"` } func (entity *ClosedVectorPath) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub ClosedVectorPath + type stub ClosedVectorPath - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*ClosedVectorPath) GetClass() string { - return ClassClosedVectorPath + return ClassClosedVectorPath } func (*ClosedVectorPath) GetType() string { - return TypeClosedVectorPath + return TypeClosedVectorPath } func (closedVectorPath *ClosedVectorPath) UnmarshalJSON(data []byte) error { - var tmp struct { - Commands []json.RawMessage `json:"commands"` - } + var tmp struct { + Commands []json.RawMessage `json:"commands"` + } - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - fieldCommands, _ := UnmarshalListOfVectorPathCommand(tmp.Commands) - closedVectorPath.Commands = fieldCommands + fieldCommands, _ := UnmarshalListOfVectorPathCommand(tmp.Commands) + closedVectorPath.Commands = fieldCommands - return nil + return nil +} + +// Represents outline of an image +type Outline struct { + meta + // The list of closed vector paths + Paths []*ClosedVectorPath `json:"paths"` +} + +func (entity *Outline) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub Outline + + return json.Marshal((*stub)(entity)) +} + +func (*Outline) GetClass() string { + return ClassOutline +} + +func (*Outline) GetType() string { + return TypeOutline } // Describes one answer option of a poll type PollOption struct { - meta - // Option text; 1-100 characters - Text string `json:"text"` - // Number of voters for this option, available only for closed or voted polls - VoterCount int32 `json:"voter_count"` - // The percentage of votes for this option; 0-100 - VotePercentage int32 `json:"vote_percentage"` - // True, if the option was chosen by the user - IsChosen bool `json:"is_chosen"` - // True, if the option is being chosen by a pending setPollAnswer request - IsBeingChosen bool `json:"is_being_chosen"` + meta + // Option text; 1-100 characters. Only custom emoji entities are allowed + Text *FormattedText `json:"text"` + // Number of voters for this option, available only for closed or voted polls + VoterCount int32 `json:"voter_count"` + // The percentage of votes for this option; 0-100 + VotePercentage int32 `json:"vote_percentage"` + // True, if the option was chosen by the user + IsChosen bool `json:"is_chosen"` + // True, if the option is being chosen by a pending setPollAnswer request + IsBeingChosen bool `json:"is_being_chosen"` } func (entity *PollOption) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub PollOption + type stub PollOption - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*PollOption) GetClass() string { - return ClassPollOption + return ClassPollOption } func (*PollOption) GetType() string { - return TypePollOption + return TypePollOption } // A regular poll type PollTypeRegular struct { - meta - // True, if multiple answer options can be chosen simultaneously - AllowMultipleAnswers bool `json:"allow_multiple_answers"` + meta + // True, if multiple answer options can be chosen simultaneously + AllowMultipleAnswers bool `json:"allow_multiple_answers"` } func (entity *PollTypeRegular) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub PollTypeRegular + type stub PollTypeRegular - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*PollTypeRegular) GetClass() string { - return ClassPollType + return ClassPollType } func (*PollTypeRegular) GetType() string { - return TypePollTypeRegular + return TypePollTypeRegular } func (*PollTypeRegular) PollTypeType() string { - return TypePollTypeRegular + return TypePollTypeRegular } // A poll in quiz mode, which has exactly one correct answer option and can be answered only once type PollTypeQuiz struct { - meta - // 0-based identifier of the correct answer option; -1 for a yet unanswered poll - CorrectOptionId int32 `json:"correct_option_id"` - // Text that is shown when the user chooses an incorrect answer or taps on the lamp icon; 0-200 characters with at most 2 line feeds; empty for a yet unanswered poll - Explanation *FormattedText `json:"explanation"` + meta + // 0-based identifier of the correct answer option; -1 for a yet unanswered poll + CorrectOptionId int32 `json:"correct_option_id"` + // Text that is shown when the user chooses an incorrect answer or taps on the lamp icon; 0-200 characters with at most 2 line feeds; empty for a yet unanswered poll + Explanation *FormattedText `json:"explanation"` } func (entity *PollTypeQuiz) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub PollTypeQuiz + type stub PollTypeQuiz - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*PollTypeQuiz) GetClass() string { - return ClassPollType + return ClassPollType } func (*PollTypeQuiz) GetType() string { - return TypePollTypeQuiz + return TypePollTypeQuiz } func (*PollTypeQuiz) PollTypeType() string { - return TypePollTypeQuiz + return TypePollTypeQuiz +} + +// Describes a task in a checklist +type ChecklistTask struct { + meta + // Unique identifier of the task + Id int32 `json:"id"` + // Text of the task; may contain only Bold, Italic, Underline, Strikethrough, Spoiler, CustomEmoji, Url, EmailAddress, Mention, Hashtag, Cashtag and PhoneNumber entities + Text *FormattedText `json:"text"` + // Identifier of the user or chat that completed the task; may be null if the task isn't completed yet + CompletedBy MessageSender `json:"completed_by"` + // Point in time (Unix timestamp) when the task was completed; 0 if the task isn't completed + CompletionDate int32 `json:"completion_date"` +} + +func (entity *ChecklistTask) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChecklistTask + + return json.Marshal((*stub)(entity)) +} + +func (*ChecklistTask) GetClass() string { + return ClassChecklistTask +} + +func (*ChecklistTask) GetType() string { + return TypeChecklistTask +} + +func (checklistTask *ChecklistTask) UnmarshalJSON(data []byte) error { + var tmp struct { + Id int32 `json:"id"` + Text *FormattedText `json:"text"` + CompletedBy json.RawMessage `json:"completed_by"` + CompletionDate int32 `json:"completion_date"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + checklistTask.Id = tmp.Id + checklistTask.Text = tmp.Text + checklistTask.CompletionDate = tmp.CompletionDate + + fieldCompletedBy, _ := UnmarshalMessageSender(tmp.CompletedBy) + checklistTask.CompletedBy = fieldCompletedBy + + return nil +} + +// Describes a task in a checklist to be sent +type InputChecklistTask struct { + meta + // Unique identifier of the task; must be positive + Id int32 `json:"id"` + // Text of the task; 1-getOption("checklist_task_text_length_max") characters without line feeds. May contain only Bold, Italic, Underline, Strikethrough, Spoiler, and CustomEmoji entities + Text *FormattedText `json:"text"` +} + +func (entity *InputChecklistTask) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputChecklistTask + + return json.Marshal((*stub)(entity)) +} + +func (*InputChecklistTask) GetClass() string { + return ClassInputChecklistTask +} + +func (*InputChecklistTask) GetType() string { + return TypeInputChecklistTask +} + +// Describes a checklist +type Checklist struct { + meta + // Title of the checklist; may contain only Bold, Italic, Underline, Strikethrough, Spoiler, and CustomEmoji entities + Title *FormattedText `json:"title"` + // List of tasks in the checklist + Tasks []*ChecklistTask `json:"tasks"` + // True, if users other than creator of the list can add tasks to the list + OthersCanAddTasks bool `json:"others_can_add_tasks"` + // True, if the current user can add tasks to the list if they have Telegram Premium subscription + CanAddTasks bool `json:"can_add_tasks"` + // True, if users other than creator of the list can mark tasks as done or not done. If true, then the checklist is called "group checklist" + OthersCanMarkTasksAsDone bool `json:"others_can_mark_tasks_as_done"` + // True, if the current user can mark tasks as done or not done if they have Telegram Premium subscription + CanMarkTasksAsDone bool `json:"can_mark_tasks_as_done"` +} + +func (entity *Checklist) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub Checklist + + return json.Marshal((*stub)(entity)) +} + +func (*Checklist) GetClass() string { + return ClassChecklist +} + +func (*Checklist) GetType() string { + return TypeChecklist +} + +// Describes a checklist to be sent +type InputChecklist struct { + meta + // Title of the checklist; 1-getOption("checklist_title_length_max") characters. May contain only Bold, Italic, Underline, Strikethrough, Spoiler, and CustomEmoji entities + Title *FormattedText `json:"title"` + // List of tasks in the checklist; 1-getOption("checklist_task_count_max") tasks + Tasks []*InputChecklistTask `json:"tasks"` + // True, if other users can add tasks to the list + OthersCanAddTasks bool `json:"others_can_add_tasks"` + // True, if other users can mark tasks as done or not done + OthersCanMarkTasksAsDone bool `json:"others_can_mark_tasks_as_done"` +} + +func (entity *InputChecklist) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputChecklist + + return json.Marshal((*stub)(entity)) +} + +func (*InputChecklist) GetClass() string { + return ClassInputChecklist +} + +func (*InputChecklist) GetType() string { + return TypeInputChecklist } // Describes an animation file. The animation must be encoded in GIF or MPEG4 format type Animation struct { - meta - // Duration of the animation, in seconds; as defined by the sender - Duration int32 `json:"duration"` - // Width of the animation - Width int32 `json:"width"` - // Height of the animation - Height int32 `json:"height"` - // Original name of the file; as defined by the sender - FileName string `json:"file_name"` - // MIME type of the file, usually "image/gif" or "video/mp4" - MimeType string `json:"mime_type"` - // True, if stickers were added to the animation. The list of corresponding sticker set can be received using getAttachedStickerSets - HasStickers bool `json:"has_stickers"` - // Animation minithumbnail; may be null - Minithumbnail *Minithumbnail `json:"minithumbnail"` - // Animation thumbnail in JPEG or MPEG4 format; may be null - Thumbnail *Thumbnail `json:"thumbnail"` - // File containing the animation - Animation *File `json:"animation"` + meta + // Duration of the animation, in seconds; as defined by the sender + Duration int32 `json:"duration"` + // Width of the animation + Width int32 `json:"width"` + // Height of the animation + Height int32 `json:"height"` + // Original name of the file; as defined by the sender + FileName string `json:"file_name"` + // MIME type of the file, usually "image/gif" or "video/mp4" + MimeType string `json:"mime_type"` + // True, if stickers were added to the animation. The list of corresponding sticker set can be received using getAttachedStickerSets + HasStickers bool `json:"has_stickers"` + // Animation minithumbnail; may be null + Minithumbnail *Minithumbnail `json:"minithumbnail"` + // Animation thumbnail in JPEG or MPEG4 format; may be null + Thumbnail *Thumbnail `json:"thumbnail"` + // File containing the animation + Animation *File `json:"animation"` } func (entity *Animation) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub Animation + type stub Animation - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*Animation) GetClass() string { - return ClassAnimation + return ClassAnimation } func (*Animation) GetType() string { - return TypeAnimation + return TypeAnimation } // Describes an audio file. Audio is usually in MP3 or M4A format type Audio struct { - meta - // Duration of the audio, in seconds; as defined by the sender - Duration int32 `json:"duration"` - // Title of the audio; as defined by the sender - Title string `json:"title"` - // Performer of the audio; as defined by the sender - Performer string `json:"performer"` - // Original name of the file; as defined by the sender - FileName string `json:"file_name"` - // The MIME type of the file; as defined by the sender - MimeType string `json:"mime_type"` - // The minithumbnail of the album cover; may be null - AlbumCoverMinithumbnail *Minithumbnail `json:"album_cover_minithumbnail"` - // The thumbnail of the album cover in JPEG format; as defined by the sender. The full size thumbnail is supposed to be extracted from the downloaded audio file; may be null - AlbumCoverThumbnail *Thumbnail `json:"album_cover_thumbnail"` - // Album cover variants to use if the downloaded audio file contains no album cover. Provided thumbnail dimensions are approximate - ExternalAlbumCovers []*Thumbnail `json:"external_album_covers"` - // File containing the audio - Audio *File `json:"audio"` + meta + // Duration of the audio, in seconds; as defined by the sender + Duration int32 `json:"duration"` + // Title of the audio; as defined by the sender + Title string `json:"title"` + // Performer of the audio; as defined by the sender + Performer string `json:"performer"` + // Original name of the file; as defined by the sender + FileName string `json:"file_name"` + // The MIME type of the file; as defined by the sender + MimeType string `json:"mime_type"` + // The minithumbnail of the album cover; may be null + AlbumCoverMinithumbnail *Minithumbnail `json:"album_cover_minithumbnail"` + // The thumbnail of the album cover in JPEG format; as defined by the sender. The full size thumbnail is expected to be extracted from the downloaded audio file; may be null + AlbumCoverThumbnail *Thumbnail `json:"album_cover_thumbnail"` + // Album cover variants to use if the downloaded audio file contains no album cover. Provided thumbnail dimensions are approximate + ExternalAlbumCovers []*Thumbnail `json:"external_album_covers"` + // File containing the audio + Audio *File `json:"audio"` } func (entity *Audio) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub Audio + type stub Audio - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*Audio) GetClass() string { - return ClassAudio + return ClassAudio } func (*Audio) GetType() string { - return TypeAudio + return TypeAudio +} + +// Contains a list of audio files +type Audios struct { + meta + // Approximate total number of audio files found + TotalCount int32 `json:"total_count"` + // List of audio files + Audios []*Audio `json:"audios"` +} + +func (entity *Audios) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub Audios + + return json.Marshal((*stub)(entity)) +} + +func (*Audios) GetClass() string { + return ClassAudios +} + +func (*Audios) GetType() string { + return TypeAudios } // Describes a document of any type type Document struct { - meta - // Original name of the file; as defined by the sender - FileName string `json:"file_name"` - // MIME type of the file; as defined by the sender - MimeType string `json:"mime_type"` - // Document minithumbnail; may be null - Minithumbnail *Minithumbnail `json:"minithumbnail"` - // Document thumbnail in JPEG or PNG format (PNG will be used only for background patterns); as defined by the sender; may be null - Thumbnail *Thumbnail `json:"thumbnail"` - // File containing the document - Document *File `json:"document"` + meta + // Original name of the file; as defined by the sender + FileName string `json:"file_name"` + // MIME type of the file; as defined by the sender + MimeType string `json:"mime_type"` + // Document minithumbnail; may be null + Minithumbnail *Minithumbnail `json:"minithumbnail"` + // Document thumbnail in JPEG or PNG format (PNG will be used only for background patterns); as defined by the sender; may be null + Thumbnail *Thumbnail `json:"thumbnail"` + // File containing the document + Document *File `json:"document"` } func (entity *Document) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub Document + type stub Document - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*Document) GetClass() string { - return ClassDocument + return ClassDocument } func (*Document) GetType() string { - return TypeDocument + return TypeDocument } // Describes a photo type Photo struct { - meta - // True, if stickers were added to the photo. The list of corresponding sticker sets can be received using getAttachedStickerSets - HasStickers bool `json:"has_stickers"` - // Photo minithumbnail; may be null - Minithumbnail *Minithumbnail `json:"minithumbnail"` - // Available variants of the photo, in different sizes - Sizes []*PhotoSize `json:"sizes"` + meta + // True, if stickers were added to the photo. The list of corresponding sticker sets can be received using getAttachedStickerSets + HasStickers bool `json:"has_stickers"` + // Photo minithumbnail; may be null + Minithumbnail *Minithumbnail `json:"minithumbnail"` + // Available variants of the photo, in different sizes + Sizes []*PhotoSize `json:"sizes"` } func (entity *Photo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub Photo + type stub Photo - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*Photo) GetClass() string { - return ClassPhoto + return ClassPhoto } func (*Photo) GetType() string { - return TypePhoto + return TypePhoto } // Describes a sticker type Sticker struct { - meta - // Unique sticker identifier within the set; 0 if none - Id JsonInt64 `json:"id"` - // The identifier of the sticker set to which the sticker belongs; 0 if none - SetId JsonInt64 `json:"set_id"` - // Sticker width; as defined by the sender - Width int32 `json:"width"` - // Sticker height; as defined by the sender - Height int32 `json:"height"` - // Emoji corresponding to the sticker - Emoji string `json:"emoji"` - // Sticker format - Format StickerFormat `json:"format"` - // Sticker's full type - FullType StickerFullType `json:"full_type"` - // Sticker's outline represented as a list of closed vector paths; may be empty. The coordinate system origin is in the upper-left corner - Outline []*ClosedVectorPath `json:"outline"` - // Sticker thumbnail in WEBP or JPEG format; may be null - Thumbnail *Thumbnail `json:"thumbnail"` - // File containing the sticker - Sticker *File `json:"sticker"` + meta + // Unique sticker identifier within the set; 0 if none + Id JsonInt64 `json:"id"` + // Identifier of the sticker set to which the sticker belongs; 0 if none + SetId JsonInt64 `json:"set_id"` + // Sticker width; as defined by the sender + Width int32 `json:"width"` + // Sticker height; as defined by the sender + Height int32 `json:"height"` + // Emoji corresponding to the sticker; may be empty if unknown + Emoji string `json:"emoji"` + // Sticker format + Format StickerFormat `json:"format"` + // Sticker's full type + FullType StickerFullType `json:"full_type"` + // Sticker thumbnail in WEBP or JPEG format; may be null + Thumbnail *Thumbnail `json:"thumbnail"` + // File containing the sticker + Sticker *File `json:"sticker"` } func (entity *Sticker) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub Sticker + type stub Sticker - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*Sticker) GetClass() string { - return ClassSticker + return ClassSticker } func (*Sticker) GetType() string { - return TypeSticker + return TypeSticker } func (sticker *Sticker) UnmarshalJSON(data []byte) error { - var tmp struct { - Id JsonInt64 `json:"id"` - SetId JsonInt64 `json:"set_id"` - Width int32 `json:"width"` - Height int32 `json:"height"` - Emoji string `json:"emoji"` - Format json.RawMessage `json:"format"` - FullType json.RawMessage `json:"full_type"` - Outline []*ClosedVectorPath `json:"outline"` - Thumbnail *Thumbnail `json:"thumbnail"` - Sticker *File `json:"sticker"` - } + var tmp struct { + Id JsonInt64 `json:"id"` + SetId JsonInt64 `json:"set_id"` + Width int32 `json:"width"` + Height int32 `json:"height"` + Emoji string `json:"emoji"` + Format json.RawMessage `json:"format"` + FullType json.RawMessage `json:"full_type"` + Thumbnail *Thumbnail `json:"thumbnail"` + Sticker *File `json:"sticker"` + } - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - sticker.Id = tmp.Id - sticker.SetId = tmp.SetId - sticker.Width = tmp.Width - sticker.Height = tmp.Height - sticker.Emoji = tmp.Emoji - sticker.Outline = tmp.Outline - sticker.Thumbnail = tmp.Thumbnail - sticker.Sticker = tmp.Sticker + sticker.Id = tmp.Id + sticker.SetId = tmp.SetId + sticker.Width = tmp.Width + sticker.Height = tmp.Height + sticker.Emoji = tmp.Emoji + sticker.Thumbnail = tmp.Thumbnail + sticker.Sticker = tmp.Sticker - fieldFormat, _ := UnmarshalStickerFormat(tmp.Format) - sticker.Format = fieldFormat + fieldFormat, _ := UnmarshalStickerFormat(tmp.Format) + sticker.Format = fieldFormat - fieldFullType, _ := UnmarshalStickerFullType(tmp.FullType) - sticker.FullType = fieldFullType + fieldFullType, _ := UnmarshalStickerFullType(tmp.FullType) + sticker.FullType = fieldFullType - return nil + return nil } // Describes a video file type Video struct { - meta - // Duration of the video, in seconds; as defined by the sender - Duration int32 `json:"duration"` - // Video width; as defined by the sender - Width int32 `json:"width"` - // Video height; as defined by the sender - Height int32 `json:"height"` - // Original name of the file; as defined by the sender - FileName string `json:"file_name"` - // MIME type of the file; as defined by the sender - MimeType string `json:"mime_type"` - // True, if stickers were added to the video. The list of corresponding sticker sets can be received using getAttachedStickerSets - HasStickers bool `json:"has_stickers"` - // True, if the video is supposed to be streamed - SupportsStreaming bool `json:"supports_streaming"` - // Video minithumbnail; may be null - Minithumbnail *Minithumbnail `json:"minithumbnail"` - // Video thumbnail in JPEG or MPEG4 format; as defined by the sender; may be null - Thumbnail *Thumbnail `json:"thumbnail"` - // File containing the video - Video *File `json:"video"` + meta + // Duration of the video, in seconds; as defined by the sender + Duration int32 `json:"duration"` + // Video width; as defined by the sender + Width int32 `json:"width"` + // Video height; as defined by the sender + Height int32 `json:"height"` + // Original name of the file; as defined by the sender + FileName string `json:"file_name"` + // MIME type of the file; as defined by the sender + MimeType string `json:"mime_type"` + // True, if stickers were added to the video. The list of corresponding sticker sets can be received using getAttachedStickerSets + HasStickers bool `json:"has_stickers"` + // True, if the video is expected to be streamed + SupportsStreaming bool `json:"supports_streaming"` + // Video minithumbnail; may be null + Minithumbnail *Minithumbnail `json:"minithumbnail"` + // Video thumbnail in JPEG or MPEG4 format; as defined by the sender; may be null + Thumbnail *Thumbnail `json:"thumbnail"` + // File containing the video + Video *File `json:"video"` } func (entity *Video) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub Video + type stub Video - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*Video) GetClass() string { - return ClassVideo + return ClassVideo } func (*Video) GetType() string { - return TypeVideo + return TypeVideo } // Describes a video note. The video must be equal in width and height, cropped to a circle, and stored in MPEG4 format type VideoNote struct { - meta - // Duration of the video, in seconds; as defined by the sender - Duration int32 `json:"duration"` - // A waveform representation of the video note's audio in 5-bit format; may be empty if unknown - Waveform []byte `json:"waveform"` - // Video width and height; as defined by the sender - Length int32 `json:"length"` - // Video minithumbnail; may be null - Minithumbnail *Minithumbnail `json:"minithumbnail"` - // Video thumbnail in JPEG format; as defined by the sender; may be null - Thumbnail *Thumbnail `json:"thumbnail"` - // Result of speech recognition in the video note; may be null - SpeechRecognitionResult SpeechRecognitionResult `json:"speech_recognition_result"` - // File containing the video - Video *File `json:"video"` + meta + // Duration of the video, in seconds; as defined by the sender + Duration int32 `json:"duration"` + // A waveform representation of the video note's audio in 5-bit format; may be empty if unknown + Waveform []byte `json:"waveform"` + // Video width and height; as defined by the sender + Length int32 `json:"length"` + // Video minithumbnail; may be null + Minithumbnail *Minithumbnail `json:"minithumbnail"` + // Video thumbnail in JPEG format; as defined by the sender; may be null + Thumbnail *Thumbnail `json:"thumbnail"` + // Result of speech recognition in the video note; may be null + SpeechRecognitionResult SpeechRecognitionResult `json:"speech_recognition_result"` + // File containing the video + Video *File `json:"video"` } func (entity *VideoNote) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub VideoNote + type stub VideoNote - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*VideoNote) GetClass() string { - return ClassVideoNote + return ClassVideoNote } func (*VideoNote) GetType() string { - return TypeVideoNote + return TypeVideoNote } func (videoNote *VideoNote) UnmarshalJSON(data []byte) error { - var tmp struct { - Duration int32 `json:"duration"` - Waveform []byte `json:"waveform"` - Length int32 `json:"length"` - Minithumbnail *Minithumbnail `json:"minithumbnail"` - Thumbnail *Thumbnail `json:"thumbnail"` - SpeechRecognitionResult json.RawMessage `json:"speech_recognition_result"` - Video *File `json:"video"` - } + var tmp struct { + Duration int32 `json:"duration"` + Waveform []byte `json:"waveform"` + Length int32 `json:"length"` + Minithumbnail *Minithumbnail `json:"minithumbnail"` + Thumbnail *Thumbnail `json:"thumbnail"` + SpeechRecognitionResult json.RawMessage `json:"speech_recognition_result"` + Video *File `json:"video"` + } - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - videoNote.Duration = tmp.Duration - videoNote.Waveform = tmp.Waveform - videoNote.Length = tmp.Length - videoNote.Minithumbnail = tmp.Minithumbnail - videoNote.Thumbnail = tmp.Thumbnail - videoNote.Video = tmp.Video + videoNote.Duration = tmp.Duration + videoNote.Waveform = tmp.Waveform + videoNote.Length = tmp.Length + videoNote.Minithumbnail = tmp.Minithumbnail + videoNote.Thumbnail = tmp.Thumbnail + videoNote.Video = tmp.Video - fieldSpeechRecognitionResult, _ := UnmarshalSpeechRecognitionResult(tmp.SpeechRecognitionResult) - videoNote.SpeechRecognitionResult = fieldSpeechRecognitionResult + fieldSpeechRecognitionResult, _ := UnmarshalSpeechRecognitionResult(tmp.SpeechRecognitionResult) + videoNote.SpeechRecognitionResult = fieldSpeechRecognitionResult - return nil + return nil } -// Describes a voice note. The voice note must be encoded with the Opus codec, and stored inside an OGG container. Voice notes can have only a single audio channel +// Describes a voice note type VoiceNote struct { - meta - // Duration of the voice note, in seconds; as defined by the sender - Duration int32 `json:"duration"` - // A waveform representation of the voice note in 5-bit format - Waveform []byte `json:"waveform"` - // MIME type of the file; as defined by the sender - MimeType string `json:"mime_type"` - // Result of speech recognition in the voice note; may be null - SpeechRecognitionResult SpeechRecognitionResult `json:"speech_recognition_result"` - // File containing the voice note - Voice *File `json:"voice"` + meta + // Duration of the voice note, in seconds; as defined by the sender + Duration int32 `json:"duration"` + // A waveform representation of the voice note in 5-bit format + Waveform []byte `json:"waveform"` + // MIME type of the file; as defined by the sender. Usually, one of "audio/ogg" for Opus in an OGG container, "audio/mpeg" for an MP3 audio, or "audio/mp4" for an M4A audio + MimeType string `json:"mime_type"` + // Result of speech recognition in the voice note; may be null + SpeechRecognitionResult SpeechRecognitionResult `json:"speech_recognition_result"` + // File containing the voice note + Voice *File `json:"voice"` } func (entity *VoiceNote) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub VoiceNote + type stub VoiceNote - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*VoiceNote) GetClass() string { - return ClassVoiceNote + return ClassVoiceNote } func (*VoiceNote) GetType() string { - return TypeVoiceNote + return TypeVoiceNote } func (voiceNote *VoiceNote) UnmarshalJSON(data []byte) error { - var tmp struct { - Duration int32 `json:"duration"` - Waveform []byte `json:"waveform"` - MimeType string `json:"mime_type"` - SpeechRecognitionResult json.RawMessage `json:"speech_recognition_result"` - Voice *File `json:"voice"` - } + var tmp struct { + Duration int32 `json:"duration"` + Waveform []byte `json:"waveform"` + MimeType string `json:"mime_type"` + SpeechRecognitionResult json.RawMessage `json:"speech_recognition_result"` + Voice *File `json:"voice"` + } - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - voiceNote.Duration = tmp.Duration - voiceNote.Waveform = tmp.Waveform - voiceNote.MimeType = tmp.MimeType - voiceNote.Voice = tmp.Voice + voiceNote.Duration = tmp.Duration + voiceNote.Waveform = tmp.Waveform + voiceNote.MimeType = tmp.MimeType + voiceNote.Voice = tmp.Voice - fieldSpeechRecognitionResult, _ := UnmarshalSpeechRecognitionResult(tmp.SpeechRecognitionResult) - voiceNote.SpeechRecognitionResult = fieldSpeechRecognitionResult + fieldSpeechRecognitionResult, _ := UnmarshalSpeechRecognitionResult(tmp.SpeechRecognitionResult) + voiceNote.SpeechRecognitionResult = fieldSpeechRecognitionResult - return nil + return nil } // Describes an animated or custom representation of an emoji type AnimatedEmoji struct { - meta - // Sticker for the emoji; may be null if yet unknown for a custom emoji. If the sticker is a custom emoji, it can have arbitrary format different from stickerFormatTgs - Sticker *Sticker `json:"sticker"` - // Expected width of the sticker, which can be used if the sticker is null - StickerWidth int32 `json:"sticker_width"` - // Expected height of the sticker, which can be used if the sticker is null - StickerHeight int32 `json:"sticker_height"` - // Emoji modifier fitzpatrick type; 0-6; 0 if none - FitzpatrickType int32 `json:"fitzpatrick_type"` - // File containing the sound to be played when the sticker is clicked; may be null. The sound is encoded with the Opus codec, and stored inside an OGG container - Sound *File `json:"sound"` + meta + // Sticker for the emoji; may be null if yet unknown for a custom emoji. If the sticker is a custom emoji, then it can have arbitrary format + Sticker *Sticker `json:"sticker"` + // Expected width of the sticker, which can be used if the sticker is null + StickerWidth int32 `json:"sticker_width"` + // Expected height of the sticker, which can be used if the sticker is null + StickerHeight int32 `json:"sticker_height"` + // Emoji modifier fitzpatrick type; 0-6; 0 if none + FitzpatrickType int32 `json:"fitzpatrick_type"` + // File containing the sound to be played when the sticker is clicked; may be null. The sound is encoded with the Opus codec, and stored inside an OGG container + Sound *File `json:"sound"` } func (entity *AnimatedEmoji) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub AnimatedEmoji + type stub AnimatedEmoji - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*AnimatedEmoji) GetClass() string { - return ClassAnimatedEmoji + return ClassAnimatedEmoji } func (*AnimatedEmoji) GetType() string { - return TypeAnimatedEmoji + return TypeAnimatedEmoji } -// Describes a user contact +// Describes a contact of a user type Contact struct { - meta - // Phone number of the user - PhoneNumber string `json:"phone_number"` - // First name of the user; 1-255 characters in length - FirstName string `json:"first_name"` - // Last name of the user - LastName string `json:"last_name"` - // Additional data about the user in a form of vCard; 0-2048 bytes in length - Vcard string `json:"vcard"` - // Identifier of the user, if known; 0 otherwise - UserId int64 `json:"user_id"` + meta + // Phone number of the user + PhoneNumber string `json:"phone_number"` + // First name of the user; 1-64 characters + FirstName string `json:"first_name"` + // Last name of the user; 0-64 characters + LastName string `json:"last_name"` + // Additional data about the user in a form of vCard; 0-2048 bytes in length + Vcard string `json:"vcard"` + // Identifier of the user, if known; 0 otherwise + UserId int64 `json:"user_id"` } func (entity *Contact) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub Contact + type stub Contact - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*Contact) GetClass() string { - return ClassContact + return ClassContact } func (*Contact) GetType() string { - return TypeContact + return TypeContact } // Describes a location on planet Earth type Location struct { - meta - // Latitude of the location in degrees; as defined by the sender - Latitude float64 `json:"latitude"` - // Longitude of the location, in degrees; as defined by the sender - Longitude float64 `json:"longitude"` - // The estimated horizontal accuracy of the location, in meters; as defined by the sender. 0 if unknown - HorizontalAccuracy float64 `json:"horizontal_accuracy"` + meta + // Latitude of the location in degrees; as defined by the sender + Latitude float64 `json:"latitude"` + // Longitude of the location, in degrees; as defined by the sender + Longitude float64 `json:"longitude"` + // The estimated horizontal accuracy of the location, in meters; as defined by the sender. 0 if unknown + HorizontalAccuracy float64 `json:"horizontal_accuracy"` } func (entity *Location) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub Location + type stub Location - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*Location) GetClass() string { - return ClassLocation + return ClassLocation } func (*Location) GetType() string { - return TypeLocation + return TypeLocation } // Describes a venue type Venue struct { - meta - // Venue location; as defined by the sender - Location *Location `json:"location"` - // Venue name; as defined by the sender - Title string `json:"title"` - // Venue address; as defined by the sender - Address string `json:"address"` - // Provider of the venue database; as defined by the sender. Currently, only "foursquare" and "gplaces" (Google Places) need to be supported - Provider string `json:"provider"` - // Identifier of the venue in the provider database; as defined by the sender - Id string `json:"id"` - // Type of the venue in the provider database; as defined by the sender - Type string `json:"type"` + meta + // Venue location; as defined by the sender + Location *Location `json:"location"` + // Venue name; as defined by the sender + Title string `json:"title"` + // Venue address; as defined by the sender + Address string `json:"address"` + // Provider of the venue database; as defined by the sender. Currently, only "foursquare" and "gplaces" (Google Places) need to be supported + Provider string `json:"provider"` + // Identifier of the venue in the provider database; as defined by the sender + Id string `json:"id"` + // Type of the venue in the provider database; as defined by the sender + Type string `json:"type"` } func (entity *Venue) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub Venue + type stub Venue - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*Venue) GetClass() string { - return ClassVenue + return ClassVenue } func (*Venue) GetType() string { - return TypeVenue + return TypeVenue } // Describes a game. Use getInternalLink with internalLinkTypeGame to share the game type Game struct { - meta - // Unique game identifier - Id JsonInt64 `json:"id"` - // Game short name - ShortName string `json:"short_name"` - // Game title - Title string `json:"title"` - // Game text, usually containing scoreboards for a game - Text *FormattedText `json:"text"` - // Game description - Description string `json:"description"` - // Game photo - Photo *Photo `json:"photo"` - // Game animation; may be null - Animation *Animation `json:"animation"` + meta + // Unique game identifier + Id JsonInt64 `json:"id"` + // Game short name + ShortName string `json:"short_name"` + // Game title + Title string `json:"title"` + // Game text, usually containing scoreboards for a game + Text *FormattedText `json:"text"` + // Game description + Description string `json:"description"` + // Game photo + Photo *Photo `json:"photo"` + // Game animation; may be null + Animation *Animation `json:"animation"` } func (entity *Game) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub Game + type stub Game - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*Game) GetClass() string { - return ClassGame + return ClassGame } func (*Game) GetType() string { - return TypeGame + return TypeGame +} + +// Describes state of the stake dice +type StakeDiceState struct { + meta + // Hash of the state to use for sending the next dice; may be empty if the stake dice can't be sent by the current user + StateHash string `json:"state_hash"` + // The Toncoin amount that was staked in the previous roll; in the smallest units of the currency + StakeToncoinAmount int64 `json:"stake_toncoin_amount"` + // The amounts of Toncoins that are suggested to be staked; in the smallest units of the currency + SuggestedStakeToncoinAmounts []int64 `json:"suggested_stake_toncoin_amounts"` + // The number of rolled sixes towards the streak; 0-2 + CurrentStreak int32 `json:"current_streak"` + // The number of Toncoins received by the user for each 1000 Toncoins staked if the dice outcome is 1-6 correspondingly; may be empty if the stake dice can't be sent by the current user + PrizePerMille []int32 `json:"prize_per_mille"` + // The number of Toncoins received by the user for each 1000 Toncoins staked if the dice outcome is 6 three times in a row with the same stake + StreakPrizePerMille int32 `json:"streak_prize_per_mille"` +} + +func (entity *StakeDiceState) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StakeDiceState + + return json.Marshal((*stub)(entity)) +} + +func (*StakeDiceState) GetClass() string { + return ClassStakeDiceState +} + +func (*StakeDiceState) GetType() string { + return TypeStakeDiceState } // Describes a Web App. Use getInternalLink with internalLinkTypeWebApp to share the Web App type WebApp struct { - meta - // Web App short name - ShortName string `json:"short_name"` - // Web App title - Title string `json:"title"` - // Web App description - Description string `json:"description"` - // Web App photo - Photo *Photo `json:"photo"` - // Web App animation; may be null - Animation *Animation `json:"animation"` + meta + // Web App short name + ShortName string `json:"short_name"` + // Web App title + Title string `json:"title"` + // Web App description + Description string `json:"description"` + // Web App photo + Photo *Photo `json:"photo"` + // Web App animation; may be null + Animation *Animation `json:"animation"` } func (entity *WebApp) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub WebApp + type stub WebApp - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*WebApp) GetClass() string { - return ClassWebApp + return ClassWebApp } func (*WebApp) GetType() string { - return TypeWebApp + return TypeWebApp } // Describes a poll type Poll struct { - meta - // Unique poll identifier - Id JsonInt64 `json:"id"` - // Poll question; 1-300 characters - Question string `json:"question"` - // List of poll answer options - Options []*PollOption `json:"options"` - // Total number of voters, participating in the poll - TotalVoterCount int32 `json:"total_voter_count"` - // User identifiers of recent voters, if the poll is non-anonymous - RecentVoterUserIds []int64 `json:"recent_voter_user_ids"` - // True, if the poll is anonymous - IsAnonymous bool `json:"is_anonymous"` - // Type of the poll - Type PollType `json:"type"` - // Amount of time the poll will be active after creation, in seconds - OpenPeriod int32 `json:"open_period"` - // Point in time (Unix timestamp) when the poll will automatically be closed - CloseDate int32 `json:"close_date"` - // True, if the poll is closed - IsClosed bool `json:"is_closed"` + meta + // Unique poll identifier + Id JsonInt64 `json:"id"` + // Poll question; 1-300 characters. Only custom emoji entities are allowed + Question *FormattedText `json:"question"` + // List of poll answer options + Options []*PollOption `json:"options"` + // Total number of voters, participating in the poll + TotalVoterCount int32 `json:"total_voter_count"` + // Identifiers of recent voters, if the poll is non-anonymous + RecentVoterIds []MessageSender `json:"recent_voter_ids"` + // True, if the poll is anonymous + IsAnonymous bool `json:"is_anonymous"` + // Type of the poll + Type PollType `json:"type"` + // Amount of time the poll will be active after creation, in seconds + OpenPeriod int32 `json:"open_period"` + // Point in time (Unix timestamp) when the poll will automatically be closed + CloseDate int32 `json:"close_date"` + // True, if the poll is closed + IsClosed bool `json:"is_closed"` } func (entity *Poll) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub Poll + type stub Poll - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*Poll) GetClass() string { - return ClassPoll + return ClassPoll } func (*Poll) GetType() string { - return TypePoll + return TypePoll } func (poll *Poll) UnmarshalJSON(data []byte) error { - var tmp struct { - Id JsonInt64 `json:"id"` - Question string `json:"question"` - Options []*PollOption `json:"options"` - TotalVoterCount int32 `json:"total_voter_count"` - RecentVoterUserIds []int64 `json:"recent_voter_user_ids"` - IsAnonymous bool `json:"is_anonymous"` - Type json.RawMessage `json:"type"` - OpenPeriod int32 `json:"open_period"` - CloseDate int32 `json:"close_date"` - IsClosed bool `json:"is_closed"` - } + var tmp struct { + Id JsonInt64 `json:"id"` + Question *FormattedText `json:"question"` + Options []*PollOption `json:"options"` + TotalVoterCount int32 `json:"total_voter_count"` + RecentVoterIds []json.RawMessage `json:"recent_voter_ids"` + IsAnonymous bool `json:"is_anonymous"` + Type json.RawMessage `json:"type"` + OpenPeriod int32 `json:"open_period"` + CloseDate int32 `json:"close_date"` + IsClosed bool `json:"is_closed"` + } - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - poll.Id = tmp.Id - poll.Question = tmp.Question - poll.Options = tmp.Options - poll.TotalVoterCount = tmp.TotalVoterCount - poll.RecentVoterUserIds = tmp.RecentVoterUserIds - poll.IsAnonymous = tmp.IsAnonymous - poll.OpenPeriod = tmp.OpenPeriod - poll.CloseDate = tmp.CloseDate - poll.IsClosed = tmp.IsClosed + poll.Id = tmp.Id + poll.Question = tmp.Question + poll.Options = tmp.Options + poll.TotalVoterCount = tmp.TotalVoterCount + poll.IsAnonymous = tmp.IsAnonymous + poll.OpenPeriod = tmp.OpenPeriod + poll.CloseDate = tmp.CloseDate + poll.IsClosed = tmp.IsClosed - fieldType, _ := UnmarshalPollType(tmp.Type) - poll.Type = fieldType + fieldRecentVoterIds, _ := UnmarshalListOfMessageSender(tmp.RecentVoterIds) + poll.RecentVoterIds = fieldRecentVoterIds - return nil -} - -// Describes a user profile photo -type ProfilePhoto struct { - meta - // Photo identifier; 0 for an empty photo. Can be used to find a photo in a list of user profile photos - Id JsonInt64 `json:"id"` - // A small (160x160) user profile photo. The file can be downloaded only before the photo is changed - Small *File `json:"small"` - // A big (640x640) user profile photo. The file can be downloaded only before the photo is changed - Big *File `json:"big"` - // User profile photo minithumbnail; may be null - Minithumbnail *Minithumbnail `json:"minithumbnail"` - // True, if the photo has animated variant - HasAnimation bool `json:"has_animation"` - // True, if the photo is visible only for the current user - IsPersonal bool `json:"is_personal"` -} - -func (entity *ProfilePhoto) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ProfilePhoto - - return json.Marshal((*stub)(entity)) -} - -func (*ProfilePhoto) GetClass() string { - return ClassProfilePhoto -} - -func (*ProfilePhoto) GetType() string { - return TypeProfilePhoto -} - -// Contains basic information about the photo of a chat -type ChatPhotoInfo struct { - meta - // A small (160x160) chat photo variant in JPEG format. The file can be downloaded only before the photo is changed - Small *File `json:"small"` - // A big (640x640) chat photo variant in JPEG format. The file can be downloaded only before the photo is changed - Big *File `json:"big"` - // Chat photo minithumbnail; may be null - Minithumbnail *Minithumbnail `json:"minithumbnail"` - // True, if the photo has animated variant - HasAnimation bool `json:"has_animation"` - // True, if the photo is visible only for the current user - IsPersonal bool `json:"is_personal"` -} - -func (entity *ChatPhotoInfo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatPhotoInfo - - return json.Marshal((*stub)(entity)) -} - -func (*ChatPhotoInfo) GetClass() string { - return ClassChatPhotoInfo -} - -func (*ChatPhotoInfo) GetType() string { - return TypeChatPhotoInfo -} - -// A regular user -type UserTypeRegular struct { - meta -} - -func (entity *UserTypeRegular) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub UserTypeRegular - - return json.Marshal((*stub)(entity)) -} - -func (*UserTypeRegular) GetClass() string { - return ClassUserType -} - -func (*UserTypeRegular) GetType() string { - return TypeUserTypeRegular -} - -func (*UserTypeRegular) UserTypeType() string { - return TypeUserTypeRegular -} - -// A deleted user or deleted bot. No information on the user besides the user identifier is available. It is not possible to perform any active actions on this type of user -type UserTypeDeleted struct { - meta -} - -func (entity *UserTypeDeleted) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub UserTypeDeleted - - return json.Marshal((*stub)(entity)) -} - -func (*UserTypeDeleted) GetClass() string { - return ClassUserType -} - -func (*UserTypeDeleted) GetType() string { - return TypeUserTypeDeleted -} - -func (*UserTypeDeleted) UserTypeType() string { - return TypeUserTypeDeleted -} - -// A bot (see https://core.telegram.org/bots) -type UserTypeBot struct { - meta - // True, if the bot can be invited to basic group and supergroup chats - CanJoinGroups bool `json:"can_join_groups"` - // True, if the bot can read all messages in basic group or supergroup chats and not just those addressed to the bot. In private and channel chats a bot can always read all messages - CanReadAllGroupMessages bool `json:"can_read_all_group_messages"` - // True, if the bot supports inline queries - IsInline bool `json:"is_inline"` - // Placeholder for inline queries (displayed on the application input field) - InlineQueryPlaceholder string `json:"inline_query_placeholder"` - // True, if the location of the user is expected to be sent with every inline query to this bot - NeedLocation bool `json:"need_location"` - // True, if the bot can be added to attachment menu - CanBeAddedToAttachmentMenu bool `json:"can_be_added_to_attachment_menu"` -} - -func (entity *UserTypeBot) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub UserTypeBot - - return json.Marshal((*stub)(entity)) -} - -func (*UserTypeBot) GetClass() string { - return ClassUserType -} - -func (*UserTypeBot) GetType() string { - return TypeUserTypeBot -} - -func (*UserTypeBot) UserTypeType() string { - return TypeUserTypeBot -} - -// No information on the user besides the user identifier is available, yet this user has not been deleted. This object is extremely rare and must be handled like a deleted user. It is not possible to perform any actions on users of this type -type UserTypeUnknown struct { - meta -} - -func (entity *UserTypeUnknown) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub UserTypeUnknown - - return json.Marshal((*stub)(entity)) -} - -func (*UserTypeUnknown) GetClass() string { - return ClassUserType -} - -func (*UserTypeUnknown) GetType() string { - return TypeUserTypeUnknown -} - -func (*UserTypeUnknown) UserTypeType() string { - return TypeUserTypeUnknown -} - -// Represents a command supported by a bot -type BotCommand struct { - meta - // Text of the bot command - Command string `json:"command"` - // Description of the bot command - Description string `json:"description"` -} - -func (entity *BotCommand) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub BotCommand - - return json.Marshal((*stub)(entity)) -} - -func (*BotCommand) GetClass() string { - return ClassBotCommand -} - -func (*BotCommand) GetType() string { - return TypeBotCommand -} - -// Contains a list of bot commands -type BotCommands struct { - meta - // Bot's user identifier - BotUserId int64 `json:"bot_user_id"` - // List of bot commands - Commands []*BotCommand `json:"commands"` -} - -func (entity *BotCommands) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub BotCommands - - return json.Marshal((*stub)(entity)) -} - -func (*BotCommands) GetClass() string { - return ClassBotCommands -} - -func (*BotCommands) GetType() string { - return TypeBotCommands -} - -// Describes a button to be shown instead of bot commands menu button -type BotMenuButton struct { - meta - // Text of the button - Text string `json:"text"` - // URL to be passed to openWebApp - Url string `json:"url"` -} - -func (entity *BotMenuButton) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub BotMenuButton - - return json.Marshal((*stub)(entity)) -} - -func (*BotMenuButton) GetClass() string { - return ClassBotMenuButton -} - -func (*BotMenuButton) GetType() string { - return TypeBotMenuButton -} - -// Represents a location to which a chat is connected -type ChatLocation struct { - meta - // The location - Location *Location `json:"location"` - // Location address; 1-64 characters, as defined by the chat owner - Address string `json:"address"` -} - -func (entity *ChatLocation) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatLocation - - return json.Marshal((*stub)(entity)) -} - -func (*ChatLocation) GetClass() string { - return ClassChatLocation -} - -func (*ChatLocation) GetType() string { - return TypeChatLocation -} - -// Information about the sticker, which was used to create the chat photo -type ChatPhotoStickerTypeRegularOrMask struct { - meta - // Sticker set identifier - StickerSetId JsonInt64 `json:"sticker_set_id"` - // Identifier of the sticker in the set - StickerId JsonInt64 `json:"sticker_id"` -} - -func (entity *ChatPhotoStickerTypeRegularOrMask) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatPhotoStickerTypeRegularOrMask - - return json.Marshal((*stub)(entity)) -} - -func (*ChatPhotoStickerTypeRegularOrMask) GetClass() string { - return ClassChatPhotoStickerType -} - -func (*ChatPhotoStickerTypeRegularOrMask) GetType() string { - return TypeChatPhotoStickerTypeRegularOrMask -} - -func (*ChatPhotoStickerTypeRegularOrMask) ChatPhotoStickerTypeType() string { - return TypeChatPhotoStickerTypeRegularOrMask -} - -// Information about the custom emoji, which was used to create the chat photo -type ChatPhotoStickerTypeCustomEmoji struct { - meta - // Identifier of the custom emoji - CustomEmojiId JsonInt64 `json:"custom_emoji_id"` -} - -func (entity *ChatPhotoStickerTypeCustomEmoji) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatPhotoStickerTypeCustomEmoji - - return json.Marshal((*stub)(entity)) -} - -func (*ChatPhotoStickerTypeCustomEmoji) GetClass() string { - return ClassChatPhotoStickerType -} - -func (*ChatPhotoStickerTypeCustomEmoji) GetType() string { - return TypeChatPhotoStickerTypeCustomEmoji -} - -func (*ChatPhotoStickerTypeCustomEmoji) ChatPhotoStickerTypeType() string { - return TypeChatPhotoStickerTypeCustomEmoji -} - -// Information about the sticker, which was used to create the chat photo. The sticker is shown at the center of the photo and occupies at most 67% of it -type ChatPhotoSticker struct { - meta - // Type of the sticker - Type ChatPhotoStickerType `json:"type"` - // The fill to be used as background for the sticker; rotation angle in backgroundFillGradient isn't supported - BackgroundFill BackgroundFill `json:"background_fill"` -} - -func (entity *ChatPhotoSticker) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatPhotoSticker - - return json.Marshal((*stub)(entity)) -} - -func (*ChatPhotoSticker) GetClass() string { - return ClassChatPhotoSticker -} - -func (*ChatPhotoSticker) GetType() string { - return TypeChatPhotoSticker -} - -func (chatPhotoSticker *ChatPhotoSticker) UnmarshalJSON(data []byte) error { - var tmp struct { - Type json.RawMessage `json:"type"` - BackgroundFill json.RawMessage `json:"background_fill"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - fieldType, _ := UnmarshalChatPhotoStickerType(tmp.Type) - chatPhotoSticker.Type = fieldType - - fieldBackgroundFill, _ := UnmarshalBackgroundFill(tmp.BackgroundFill) - chatPhotoSticker.BackgroundFill = fieldBackgroundFill - - return nil -} - -// Animated variant of a chat photo in MPEG4 format -type AnimatedChatPhoto struct { - meta - // Animation width and height - Length int32 `json:"length"` - // Information about the animation file - File *File `json:"file"` - // Timestamp of the frame, used as a static chat photo - MainFrameTimestamp float64 `json:"main_frame_timestamp"` -} - -func (entity *AnimatedChatPhoto) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub AnimatedChatPhoto - - return json.Marshal((*stub)(entity)) -} - -func (*AnimatedChatPhoto) GetClass() string { - return ClassAnimatedChatPhoto -} - -func (*AnimatedChatPhoto) GetType() string { - return TypeAnimatedChatPhoto -} - -// Describes a chat or user profile photo -type ChatPhoto struct { - meta - // Unique photo identifier - Id JsonInt64 `json:"id"` - // Point in time (Unix timestamp) when the photo has been added - AddedDate int32 `json:"added_date"` - // Photo minithumbnail; may be null - Minithumbnail *Minithumbnail `json:"minithumbnail"` - // Available variants of the photo in JPEG format, in different size - Sizes []*PhotoSize `json:"sizes"` - // A big (up to 1280x1280) animated variant of the photo in MPEG4 format; may be null - Animation *AnimatedChatPhoto `json:"animation"` - // A small (160x160) animated variant of the photo in MPEG4 format; may be null even the big animation is available - SmallAnimation *AnimatedChatPhoto `json:"small_animation"` - // Sticker-based version of the chat photo; may be null - Sticker *ChatPhotoSticker `json:"sticker"` -} - -func (entity *ChatPhoto) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatPhoto - - return json.Marshal((*stub)(entity)) -} - -func (*ChatPhoto) GetClass() string { - return ClassChatPhoto -} - -func (*ChatPhoto) GetType() string { - return TypeChatPhoto -} - -// Contains a list of chat or user profile photos -type ChatPhotos struct { - meta - // Total number of photos - TotalCount int32 `json:"total_count"` - // List of photos - Photos []*ChatPhoto `json:"photos"` -} - -func (entity *ChatPhotos) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatPhotos - - return json.Marshal((*stub)(entity)) -} - -func (*ChatPhotos) GetClass() string { - return ClassChatPhotos -} - -func (*ChatPhotos) GetType() string { - return TypeChatPhotos -} - -// A previously used profile photo of the current user -type InputChatPhotoPrevious struct { - meta - // Identifier of the current user's profile photo to reuse - ChatPhotoId JsonInt64 `json:"chat_photo_id"` -} - -func (entity *InputChatPhotoPrevious) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputChatPhotoPrevious - - return json.Marshal((*stub)(entity)) -} - -func (*InputChatPhotoPrevious) GetClass() string { - return ClassInputChatPhoto -} - -func (*InputChatPhotoPrevious) GetType() string { - return TypeInputChatPhotoPrevious -} - -func (*InputChatPhotoPrevious) InputChatPhotoType() string { - return TypeInputChatPhotoPrevious -} - -// A static photo in JPEG format -type InputChatPhotoStatic struct { - meta - // Photo to be set as profile photo. Only inputFileLocal and inputFileGenerated are allowed - Photo InputFile `json:"photo"` -} - -func (entity *InputChatPhotoStatic) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputChatPhotoStatic - - return json.Marshal((*stub)(entity)) -} - -func (*InputChatPhotoStatic) GetClass() string { - return ClassInputChatPhoto -} - -func (*InputChatPhotoStatic) GetType() string { - return TypeInputChatPhotoStatic -} - -func (*InputChatPhotoStatic) InputChatPhotoType() string { - return TypeInputChatPhotoStatic -} - -func (inputChatPhotoStatic *InputChatPhotoStatic) UnmarshalJSON(data []byte) error { - var tmp struct { - Photo json.RawMessage `json:"photo"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - fieldPhoto, _ := UnmarshalInputFile(tmp.Photo) - inputChatPhotoStatic.Photo = fieldPhoto - - return nil -} - -// An animation in MPEG4 format; must be square, at most 10 seconds long, have width between 160 and 1280 and be at most 2MB in size -type InputChatPhotoAnimation struct { - meta - // Animation to be set as profile photo. Only inputFileLocal and inputFileGenerated are allowed - Animation InputFile `json:"animation"` - // Timestamp of the frame, which will be used as static chat photo - MainFrameTimestamp float64 `json:"main_frame_timestamp"` -} - -func (entity *InputChatPhotoAnimation) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputChatPhotoAnimation - - return json.Marshal((*stub)(entity)) -} - -func (*InputChatPhotoAnimation) GetClass() string { - return ClassInputChatPhoto -} - -func (*InputChatPhotoAnimation) GetType() string { - return TypeInputChatPhotoAnimation -} - -func (*InputChatPhotoAnimation) InputChatPhotoType() string { - return TypeInputChatPhotoAnimation -} - -func (inputChatPhotoAnimation *InputChatPhotoAnimation) UnmarshalJSON(data []byte) error { - var tmp struct { - Animation json.RawMessage `json:"animation"` - MainFrameTimestamp float64 `json:"main_frame_timestamp"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - inputChatPhotoAnimation.MainFrameTimestamp = tmp.MainFrameTimestamp - - fieldAnimation, _ := UnmarshalInputFile(tmp.Animation) - inputChatPhotoAnimation.Animation = fieldAnimation - - return nil -} - -// A sticker on a custom background -type InputChatPhotoSticker struct { - meta - // Information about the sticker - Sticker *ChatPhotoSticker `json:"sticker"` -} - -func (entity *InputChatPhotoSticker) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputChatPhotoSticker - - return json.Marshal((*stub)(entity)) -} - -func (*InputChatPhotoSticker) GetClass() string { - return ClassInputChatPhoto -} - -func (*InputChatPhotoSticker) GetType() string { - return TypeInputChatPhotoSticker -} - -func (*InputChatPhotoSticker) InputChatPhotoType() string { - return TypeInputChatPhotoSticker -} - -// Describes actions that a user is allowed to take in a chat -type ChatPermissions struct { - meta - // True, if the user can send text messages, contacts, invoices, locations, and venues - CanSendBasicMessages bool `json:"can_send_basic_messages"` - // True, if the user can send music files - CanSendAudios bool `json:"can_send_audios"` - // True, if the user can send documents - CanSendDocuments bool `json:"can_send_documents"` - // True, if the user can send audio photos - CanSendPhotos bool `json:"can_send_photos"` - // True, if the user can send audio videos - CanSendVideos bool `json:"can_send_videos"` - // True, if the user can send video notes - CanSendVideoNotes bool `json:"can_send_video_notes"` - // True, if the user can send voice notes - CanSendVoiceNotes bool `json:"can_send_voice_notes"` - // True, if the user can send polls - CanSendPolls bool `json:"can_send_polls"` - // True, if the user can send stickers. Implies can_send_messages permissions - CanSendStickers bool `json:"can_send_stickers"` - // True, if the user can send animations. Implies can_send_messages permissions - CanSendAnimations bool `json:"can_send_animations"` - // True, if the user can send games. Implies can_send_messages permissions - CanSendGames bool `json:"can_send_games"` - // True, if the user can use inline bots. Implies can_send_messages permissions - CanUseInlineBots bool `json:"can_use_inline_bots"` - // True, if the user may add a web page preview to their messages - CanAddWebPagePreviews bool `json:"can_add_web_page_previews"` - // True, if the user can change the chat title, photo, and other settings - CanChangeInfo bool `json:"can_change_info"` - // True, if the user can invite new users to the chat - CanInviteUsers bool `json:"can_invite_users"` - // True, if the user can pin messages - CanPinMessages bool `json:"can_pin_messages"` - // True, if the user can manage topics - CanManageTopics bool `json:"can_manage_topics"` -} - -func (entity *ChatPermissions) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatPermissions - - return json.Marshal((*stub)(entity)) -} - -func (*ChatPermissions) GetClass() string { - return ClassChatPermissions -} - -func (*ChatPermissions) GetType() string { - return TypeChatPermissions -} - -// Describes rights of the administrator -type ChatAdministratorRights struct { - meta - // True, if the administrator can get chat event log, get chat statistics, get message statistics in channels, get channel members, see anonymous administrators in supergroups and ignore slow mode. Implied by any other privilege; applicable to supergroups and channels only - CanManageChat bool `json:"can_manage_chat"` - // True, if the administrator can change the chat title, photo, and other settings - CanChangeInfo bool `json:"can_change_info"` - // True, if the administrator can create channel posts; applicable to channels only - CanPostMessages bool `json:"can_post_messages"` - // True, if the administrator can edit messages of other users and pin messages; applicable to channels only - CanEditMessages bool `json:"can_edit_messages"` - // True, if the administrator can delete messages of other users - CanDeleteMessages bool `json:"can_delete_messages"` - // True, if the administrator can invite new users to the chat - CanInviteUsers bool `json:"can_invite_users"` - // True, if the administrator can restrict, ban, or unban chat members; always true for channels - CanRestrictMembers bool `json:"can_restrict_members"` - // True, if the administrator can pin messages; applicable to basic groups and supergroups only - CanPinMessages bool `json:"can_pin_messages"` - // True, if the administrator can manage topics; applicable to forum supergroups only - CanManageTopics bool `json:"can_manage_topics"` - // True, if the administrator can add new administrators with a subset of their own privileges or demote administrators that were directly or indirectly promoted by them - CanPromoteMembers bool `json:"can_promote_members"` - // True, if the administrator can manage video chats - CanManageVideoChats bool `json:"can_manage_video_chats"` - // True, if the administrator isn't shown in the chat member list and sends messages anonymously; applicable to supergroups only - IsAnonymous bool `json:"is_anonymous"` -} - -func (entity *ChatAdministratorRights) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatAdministratorRights - - return json.Marshal((*stub)(entity)) -} - -func (*ChatAdministratorRights) GetClass() string { - return ClassChatAdministratorRights -} - -func (*ChatAdministratorRights) GetType() string { - return TypeChatAdministratorRights -} - -// Describes an option for buying Telegram Premium to a user -type PremiumPaymentOption struct { - meta - // ISO 4217 currency code for Telegram Premium subscription payment - Currency string `json:"currency"` - // The amount to pay, in the smallest units of the currency - Amount int64 `json:"amount"` - // The discount associated with this option, as a percentage - DiscountPercentage int32 `json:"discount_percentage"` - // Number of month the Telegram Premium subscription will be active - MonthCount int32 `json:"month_count"` - // Identifier of the store product associated with the option - StoreProductId string `json:"store_product_id"` - // An internal link to be opened for buying Telegram Premium to the user if store payment isn't possible; may be null if direct payment isn't available - PaymentLink InternalLinkType `json:"payment_link"` -} - -func (entity *PremiumPaymentOption) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PremiumPaymentOption - - return json.Marshal((*stub)(entity)) -} - -func (*PremiumPaymentOption) GetClass() string { - return ClassPremiumPaymentOption -} - -func (*PremiumPaymentOption) GetType() string { - return TypePremiumPaymentOption -} - -func (premiumPaymentOption *PremiumPaymentOption) UnmarshalJSON(data []byte) error { - var tmp struct { - Currency string `json:"currency"` - Amount int64 `json:"amount"` - DiscountPercentage int32 `json:"discount_percentage"` - MonthCount int32 `json:"month_count"` - StoreProductId string `json:"store_product_id"` - PaymentLink json.RawMessage `json:"payment_link"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - premiumPaymentOption.Currency = tmp.Currency - premiumPaymentOption.Amount = tmp.Amount - premiumPaymentOption.DiscountPercentage = tmp.DiscountPercentage - premiumPaymentOption.MonthCount = tmp.MonthCount - premiumPaymentOption.StoreProductId = tmp.StoreProductId - - fieldPaymentLink, _ := UnmarshalInternalLinkType(tmp.PaymentLink) - premiumPaymentOption.PaymentLink = fieldPaymentLink - - return nil -} - -// Describes an option for buying or upgrading Telegram Premium for self -type PremiumStatePaymentOption struct { - meta - // Information about the payment option - PaymentOption *PremiumPaymentOption `json:"payment_option"` - // True, if this is the currently used Telegram Premium subscription option - IsCurrent bool `json:"is_current"` - // True, if the payment option can be used to upgrade the existing Telegram Premium subscription - IsUpgrade bool `json:"is_upgrade"` - // Identifier of the last in-store transaction for the currently used option - LastTransactionId string `json:"last_transaction_id"` -} - -func (entity *PremiumStatePaymentOption) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PremiumStatePaymentOption - - return json.Marshal((*stub)(entity)) -} - -func (*PremiumStatePaymentOption) GetClass() string { - return ClassPremiumStatePaymentOption -} - -func (*PremiumStatePaymentOption) GetType() string { - return TypePremiumStatePaymentOption -} - -// Describes a custom emoji to be shown instead of the Telegram Premium badge -type EmojiStatus struct { - meta - // Identifier of the custom emoji in stickerFormatTgs format - CustomEmojiId JsonInt64 `json:"custom_emoji_id"` -} - -func (entity *EmojiStatus) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub EmojiStatus - - return json.Marshal((*stub)(entity)) -} - -func (*EmojiStatus) GetClass() string { - return ClassEmojiStatus -} - -func (*EmojiStatus) GetType() string { - return TypeEmojiStatus -} - -// Contains a list of emoji statuses -type EmojiStatuses struct { - meta - // The list of emoji statuses - EmojiStatuses []*EmojiStatus `json:"emoji_statuses"` -} - -func (entity *EmojiStatuses) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub EmojiStatuses - - return json.Marshal((*stub)(entity)) -} - -func (*EmojiStatuses) GetClass() string { - return ClassEmojiStatuses -} - -func (*EmojiStatuses) GetType() string { - return TypeEmojiStatuses -} - -// Describes usernames assigned to a user, a supergroup, or a channel -type Usernames struct { - meta - // List of active usernames; the first one must be shown as the primary username. The order of active usernames can be changed with reorderActiveUsernames or reorderSupergroupActiveUsernames - ActiveUsernames []string `json:"active_usernames"` - // List of currently disabled usernames; the username can be activated with toggleUsernameIsActive/toggleSupergroupUsernameIsActive - DisabledUsernames []string `json:"disabled_usernames"` - // The active username, which can be changed with setUsername/setSupergroupUsername - EditableUsername string `json:"editable_username"` -} - -func (entity *Usernames) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub Usernames - - return json.Marshal((*stub)(entity)) -} - -func (*Usernames) GetClass() string { - return ClassUsernames -} - -func (*Usernames) GetType() string { - return TypeUsernames -} - -// Represents a user -type User struct { - meta - // User identifier - Id int64 `json:"id"` - // User access hash - AccessHash JsonInt64 `json:"access_hash"` - // First name of the user - FirstName string `json:"first_name"` - // Last name of the user - LastName string `json:"last_name"` - // Usernames of the user; may be null - Usernames *Usernames `json:"usernames"` - // Phone number of the user - PhoneNumber string `json:"phone_number"` - // Current online status of the user - Status UserStatus `json:"status"` - // Profile photo of the user; may be null - ProfilePhoto *ProfilePhoto `json:"profile_photo"` - // Emoji status to be shown instead of the default Telegram Premium badge; may be null. For Telegram Premium users only - EmojiStatus *EmojiStatus `json:"emoji_status"` - // The user is a contact of the current user - IsContact bool `json:"is_contact"` - // The user is a contact of the current user and the current user is a contact of the user - IsMutualContact bool `json:"is_mutual_contact"` - // True, if the user is verified - IsVerified bool `json:"is_verified"` - // True, if the user is a Telegram Premium user - IsPremium bool `json:"is_premium"` - // True, if the user is Telegram support account - IsSupport bool `json:"is_support"` - // If non-empty, it contains a human-readable description of the reason why access to this user must be restricted - RestrictionReason string `json:"restriction_reason"` - // True, if many users reported this user as a scam - IsScam bool `json:"is_scam"` - // True, if many users reported this user as a fake account - IsFake bool `json:"is_fake"` - // If false, the user is inaccessible, and the only information known about the user is inside this class. Identifier of the user can't be passed to any method - HaveAccess bool `json:"have_access"` - // Type of the user - Type UserType `json:"type"` - // IETF language tag of the user's language; only available to bots - LanguageCode string `json:"language_code"` - // True, if the user added the current bot to attachment menu; only available to bots - AddedToAttachmentMenu bool `json:"added_to_attachment_menu"` -} - -func (entity *User) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub User - - return json.Marshal((*stub)(entity)) -} - -func (*User) GetClass() string { - return ClassUser -} - -func (*User) GetType() string { - return TypeUser -} - -func (user *User) UnmarshalJSON(data []byte) error { - var tmp struct { - Id int64 `json:"id"` - AccessHash JsonInt64 `json:"access_hash"` - FirstName string `json:"first_name"` - LastName string `json:"last_name"` - Usernames *Usernames `json:"usernames"` - PhoneNumber string `json:"phone_number"` - Status json.RawMessage `json:"status"` - ProfilePhoto *ProfilePhoto `json:"profile_photo"` - EmojiStatus *EmojiStatus `json:"emoji_status"` - IsContact bool `json:"is_contact"` - IsMutualContact bool `json:"is_mutual_contact"` - IsVerified bool `json:"is_verified"` - IsPremium bool `json:"is_premium"` - IsSupport bool `json:"is_support"` - RestrictionReason string `json:"restriction_reason"` - IsScam bool `json:"is_scam"` - IsFake bool `json:"is_fake"` - HaveAccess bool `json:"have_access"` - Type json.RawMessage `json:"type"` - LanguageCode string `json:"language_code"` - AddedToAttachmentMenu bool `json:"added_to_attachment_menu"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - user.Id = tmp.Id - user.AccessHash = tmp.AccessHash - user.FirstName = tmp.FirstName - user.LastName = tmp.LastName - user.Usernames = tmp.Usernames - user.PhoneNumber = tmp.PhoneNumber - user.ProfilePhoto = tmp.ProfilePhoto - user.EmojiStatus = tmp.EmojiStatus - user.IsContact = tmp.IsContact - user.IsMutualContact = tmp.IsMutualContact - user.IsVerified = tmp.IsVerified - user.IsPremium = tmp.IsPremium - user.IsSupport = tmp.IsSupport - user.RestrictionReason = tmp.RestrictionReason - user.IsScam = tmp.IsScam - user.IsFake = tmp.IsFake - user.HaveAccess = tmp.HaveAccess - user.LanguageCode = tmp.LanguageCode - user.AddedToAttachmentMenu = tmp.AddedToAttachmentMenu - - fieldStatus, _ := UnmarshalUserStatus(tmp.Status) - user.Status = fieldStatus - - fieldType, _ := UnmarshalUserType(tmp.Type) - user.Type = fieldType - - return nil -} - -// Contains information about a bot -type BotInfo struct { - meta - // The text that is shown on the bot's profile page and is sent together with the link when users share the bot - ShortDescription string `json:"short_description"` - // The text shown in the chat with the bot if the chat is empty - Description string `json:"description"` - // Photo shown in the chat with the bot if the chat is empty; may be null - Photo *Photo `json:"photo"` - // Animation shown in the chat with the bot if the chat is empty; may be null - Animation *Animation `json:"animation"` - // Information about a button to show instead of the bot commands menu button; may be null if ordinary bot commands menu must be shown - MenuButton *BotMenuButton `json:"menu_button"` - // List of the bot commands - Commands []*BotCommand `json:"commands"` - // Default administrator rights for adding the bot to basic group and supergroup chats; may be null - DefaultGroupAdministratorRights *ChatAdministratorRights `json:"default_group_administrator_rights"` - // Default administrator rights for adding the bot to channels; may be null - DefaultChannelAdministratorRights *ChatAdministratorRights `json:"default_channel_administrator_rights"` -} - -func (entity *BotInfo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub BotInfo - - return json.Marshal((*stub)(entity)) -} - -func (*BotInfo) GetClass() string { - return ClassBotInfo -} - -func (*BotInfo) GetType() string { - return TypeBotInfo -} - -// Contains full information about a user -type UserFullInfo struct { - meta - // User profile photo set by the current user for the contact; may be null. If null and user.profile_photo is null, then the photo is empty; otherwise, it is unknown. If non-null, then it is the same photo as in user.profile_photo and chat.photo. This photo isn't returned in the list of user photos - PersonalPhoto *ChatPhoto `json:"personal_photo"` - // User profile photo; may be null. If null and user.profile_photo is null, then the photo is empty; otherwise, it is unknown. If non-null and personal_photo is null, then it is the same photo as in user.profile_photo and chat.photo - Photo *ChatPhoto `json:"photo"` - // User profile photo visible if the main photo is hidden by privacy settings; may be null. If null and user.profile_photo is null, then the photo is empty; otherwise, it is unknown. If non-null and both photo and personal_photo are null, then it is the same photo as in user.profile_photo and chat.photo. This photo isn't returned in the list of user photos - PublicPhoto *ChatPhoto `json:"public_photo"` - // True, if the user is blocked by the current user - IsBlocked bool `json:"is_blocked"` - // True, if the user can be called - CanBeCalled bool `json:"can_be_called"` - // True, if a video call can be created with the user - SupportsVideoCalls bool `json:"supports_video_calls"` - // True, if the user can't be called due to their privacy settings - HasPrivateCalls bool `json:"has_private_calls"` - // True, if the user can't be linked in forwarded messages due to their privacy settings - HasPrivateForwards bool `json:"has_private_forwards"` - // True, if voice and video notes can't be sent or forwarded to the user - HasRestrictedVoiceAndVideoNoteMessages bool `json:"has_restricted_voice_and_video_note_messages"` - // True, if the current user needs to explicitly allow to share their phone number with the user when the method addContact is used - NeedPhoneNumberPrivacyException bool `json:"need_phone_number_privacy_exception"` - // A short user bio; may be null for bots - Bio *FormattedText `json:"bio"` - // The list of available options for gifting Telegram Premium to the user - PremiumGiftOptions []*PremiumPaymentOption `json:"premium_gift_options"` - // Number of group chats where both the other user and the current user are a member; 0 for the current user - GroupInCommonCount int32 `json:"group_in_common_count"` - // For bots, information about the bot; may be null - BotInfo *BotInfo `json:"bot_info"` -} - -func (entity *UserFullInfo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub UserFullInfo - - return json.Marshal((*stub)(entity)) -} - -func (*UserFullInfo) GetClass() string { - return ClassUserFullInfo -} - -func (*UserFullInfo) GetType() string { - return TypeUserFullInfo -} - -// Represents a list of users -type Users struct { - meta - // Approximate total number of users found - TotalCount int32 `json:"total_count"` - // A list of user identifiers - UserIds []int64 `json:"user_ids"` -} - -func (entity *Users) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub Users - - return json.Marshal((*stub)(entity)) -} - -func (*Users) GetClass() string { - return ClassUsers -} - -func (*Users) GetType() string { - return TypeUsers -} - -// Contains information about a chat administrator -type ChatAdministrator struct { - meta - // User identifier of the administrator - UserId int64 `json:"user_id"` - // Custom title of the administrator - CustomTitle string `json:"custom_title"` - // True, if the user is the owner of the chat - IsOwner bool `json:"is_owner"` -} - -func (entity *ChatAdministrator) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatAdministrator - - return json.Marshal((*stub)(entity)) -} - -func (*ChatAdministrator) GetClass() string { - return ClassChatAdministrator -} - -func (*ChatAdministrator) GetType() string { - return TypeChatAdministrator -} - -// Represents a list of chat administrators -type ChatAdministrators struct { - meta - // A list of chat administrators - Administrators []*ChatAdministrator `json:"administrators"` -} - -func (entity *ChatAdministrators) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatAdministrators - - return json.Marshal((*stub)(entity)) -} - -func (*ChatAdministrators) GetClass() string { - return ClassChatAdministrators -} - -func (*ChatAdministrators) GetType() string { - return TypeChatAdministrators -} - -// The user is the owner of the chat and has all the administrator privileges -type ChatMemberStatusCreator struct { - meta - // A custom title of the owner; 0-16 characters without emojis; applicable to supergroups only - CustomTitle string `json:"custom_title"` - // True, if the creator isn't shown in the chat member list and sends messages anonymously; applicable to supergroups only - IsAnonymous bool `json:"is_anonymous"` - // True, if the user is a member of the chat - IsMember bool `json:"is_member"` -} - -func (entity *ChatMemberStatusCreator) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatMemberStatusCreator - - return json.Marshal((*stub)(entity)) -} - -func (*ChatMemberStatusCreator) GetClass() string { - return ClassChatMemberStatus -} - -func (*ChatMemberStatusCreator) GetType() string { - return TypeChatMemberStatusCreator -} - -func (*ChatMemberStatusCreator) ChatMemberStatusType() string { - return TypeChatMemberStatusCreator -} - -// The user is a member of the chat and has some additional privileges. In basic groups, administrators can edit and delete messages sent by others, add new members, ban unprivileged members, and manage video chats. In supergroups and channels, there are more detailed options for administrator privileges -type ChatMemberStatusAdministrator struct { - meta - // A custom title of the administrator; 0-16 characters without emojis; applicable to supergroups only - CustomTitle string `json:"custom_title"` - // True, if the current user can edit the administrator privileges for the called user - CanBeEdited bool `json:"can_be_edited"` - // Rights of the administrator - Rights *ChatAdministratorRights `json:"rights"` -} - -func (entity *ChatMemberStatusAdministrator) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatMemberStatusAdministrator - - return json.Marshal((*stub)(entity)) -} - -func (*ChatMemberStatusAdministrator) GetClass() string { - return ClassChatMemberStatus -} - -func (*ChatMemberStatusAdministrator) GetType() string { - return TypeChatMemberStatusAdministrator -} - -func (*ChatMemberStatusAdministrator) ChatMemberStatusType() string { - return TypeChatMemberStatusAdministrator -} - -// The user is a member of the chat, without any additional privileges or restrictions -type ChatMemberStatusMember struct { - meta -} - -func (entity *ChatMemberStatusMember) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatMemberStatusMember - - return json.Marshal((*stub)(entity)) -} - -func (*ChatMemberStatusMember) GetClass() string { - return ClassChatMemberStatus -} - -func (*ChatMemberStatusMember) GetType() string { - return TypeChatMemberStatusMember -} - -func (*ChatMemberStatusMember) ChatMemberStatusType() string { - return TypeChatMemberStatusMember -} - -// The user is under certain restrictions in the chat. Not supported in basic groups and channels -type ChatMemberStatusRestricted struct { - meta - // True, if the user is a member of the chat - IsMember bool `json:"is_member"` - // Point in time (Unix timestamp) when restrictions will be lifted from the user; 0 if never. If the user is restricted for more than 366 days or for less than 30 seconds from the current time, the user is considered to be restricted forever - RestrictedUntilDate int32 `json:"restricted_until_date"` - // User permissions in the chat - Permissions *ChatPermissions `json:"permissions"` -} - -func (entity *ChatMemberStatusRestricted) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatMemberStatusRestricted - - return json.Marshal((*stub)(entity)) -} - -func (*ChatMemberStatusRestricted) GetClass() string { - return ClassChatMemberStatus -} - -func (*ChatMemberStatusRestricted) GetType() string { - return TypeChatMemberStatusRestricted -} - -func (*ChatMemberStatusRestricted) ChatMemberStatusType() string { - return TypeChatMemberStatusRestricted -} - -// The user or the chat is not a chat member -type ChatMemberStatusLeft struct { - meta -} - -func (entity *ChatMemberStatusLeft) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatMemberStatusLeft - - return json.Marshal((*stub)(entity)) -} - -func (*ChatMemberStatusLeft) GetClass() string { - return ClassChatMemberStatus -} - -func (*ChatMemberStatusLeft) GetType() string { - return TypeChatMemberStatusLeft -} - -func (*ChatMemberStatusLeft) ChatMemberStatusType() string { - return TypeChatMemberStatusLeft -} - -// The user or the chat was banned (and hence is not a member of the chat). Implies the user can't return to the chat, view messages, or be used as a participant identifier to join a video chat of the chat -type ChatMemberStatusBanned struct { - meta - // Point in time (Unix timestamp) when the user will be unbanned; 0 if never. If the user is banned for more than 366 days or for less than 30 seconds from the current time, the user is considered to be banned forever. Always 0 in basic groups - BannedUntilDate int32 `json:"banned_until_date"` -} - -func (entity *ChatMemberStatusBanned) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatMemberStatusBanned - - return json.Marshal((*stub)(entity)) -} - -func (*ChatMemberStatusBanned) GetClass() string { - return ClassChatMemberStatus -} - -func (*ChatMemberStatusBanned) GetType() string { - return TypeChatMemberStatusBanned -} - -func (*ChatMemberStatusBanned) ChatMemberStatusType() string { - return TypeChatMemberStatusBanned -} - -// Describes a user or a chat as a member of another chat -type ChatMember struct { - meta - // Identifier of the chat member. Currently, other chats can be only Left or Banned. Only supergroups and channels can have other chats as Left or Banned members and these chats must be supergroups or channels - MemberId MessageSender `json:"member_id"` - // Identifier of a user that invited/promoted/banned this member in the chat; 0 if unknown - InviterUserId int64 `json:"inviter_user_id"` - // Point in time (Unix timestamp) when the user joined/was promoted/was banned in the chat - JoinedChatDate int32 `json:"joined_chat_date"` - // Status of the member in the chat - Status ChatMemberStatus `json:"status"` -} - -func (entity *ChatMember) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatMember - - return json.Marshal((*stub)(entity)) -} - -func (*ChatMember) GetClass() string { - return ClassChatMember -} - -func (*ChatMember) GetType() string { - return TypeChatMember -} - -func (chatMember *ChatMember) UnmarshalJSON(data []byte) error { - var tmp struct { - MemberId json.RawMessage `json:"member_id"` - InviterUserId int64 `json:"inviter_user_id"` - JoinedChatDate int32 `json:"joined_chat_date"` - Status json.RawMessage `json:"status"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - chatMember.InviterUserId = tmp.InviterUserId - chatMember.JoinedChatDate = tmp.JoinedChatDate - - fieldMemberId, _ := UnmarshalMessageSender(tmp.MemberId) - chatMember.MemberId = fieldMemberId - - fieldStatus, _ := UnmarshalChatMemberStatus(tmp.Status) - chatMember.Status = fieldStatus - - return nil -} - -// Contains a list of chat members -type ChatMembers struct { - meta - // Approximate total number of chat members found - TotalCount int32 `json:"total_count"` - // A list of chat members - Members []*ChatMember `json:"members"` -} - -func (entity *ChatMembers) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatMembers - - return json.Marshal((*stub)(entity)) -} - -func (*ChatMembers) GetClass() string { - return ClassChatMembers -} - -func (*ChatMembers) GetType() string { - return TypeChatMembers -} - -// Returns contacts of the user -type ChatMembersFilterContacts struct { - meta -} - -func (entity *ChatMembersFilterContacts) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatMembersFilterContacts - - return json.Marshal((*stub)(entity)) -} - -func (*ChatMembersFilterContacts) GetClass() string { - return ClassChatMembersFilter -} - -func (*ChatMembersFilterContacts) GetType() string { - return TypeChatMembersFilterContacts -} - -func (*ChatMembersFilterContacts) ChatMembersFilterType() string { - return TypeChatMembersFilterContacts -} - -// Returns the owner and administrators -type ChatMembersFilterAdministrators struct { - meta -} - -func (entity *ChatMembersFilterAdministrators) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatMembersFilterAdministrators - - return json.Marshal((*stub)(entity)) -} - -func (*ChatMembersFilterAdministrators) GetClass() string { - return ClassChatMembersFilter -} - -func (*ChatMembersFilterAdministrators) GetType() string { - return TypeChatMembersFilterAdministrators -} - -func (*ChatMembersFilterAdministrators) ChatMembersFilterType() string { - return TypeChatMembersFilterAdministrators -} - -// Returns all chat members, including restricted chat members -type ChatMembersFilterMembers struct { - meta -} - -func (entity *ChatMembersFilterMembers) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatMembersFilterMembers - - return json.Marshal((*stub)(entity)) -} - -func (*ChatMembersFilterMembers) GetClass() string { - return ClassChatMembersFilter -} - -func (*ChatMembersFilterMembers) GetType() string { - return TypeChatMembersFilterMembers -} - -func (*ChatMembersFilterMembers) ChatMembersFilterType() string { - return TypeChatMembersFilterMembers -} - -// Returns users which can be mentioned in the chat -type ChatMembersFilterMention struct { - meta - // If non-zero, the identifier of the current message thread - MessageThreadId int64 `json:"message_thread_id"` -} - -func (entity *ChatMembersFilterMention) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatMembersFilterMention - - return json.Marshal((*stub)(entity)) -} - -func (*ChatMembersFilterMention) GetClass() string { - return ClassChatMembersFilter -} - -func (*ChatMembersFilterMention) GetType() string { - return TypeChatMembersFilterMention -} - -func (*ChatMembersFilterMention) ChatMembersFilterType() string { - return TypeChatMembersFilterMention -} - -// Returns users under certain restrictions in the chat; can be used only by administrators in a supergroup -type ChatMembersFilterRestricted struct { - meta -} - -func (entity *ChatMembersFilterRestricted) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatMembersFilterRestricted - - return json.Marshal((*stub)(entity)) -} - -func (*ChatMembersFilterRestricted) GetClass() string { - return ClassChatMembersFilter -} - -func (*ChatMembersFilterRestricted) GetType() string { - return TypeChatMembersFilterRestricted -} - -func (*ChatMembersFilterRestricted) ChatMembersFilterType() string { - return TypeChatMembersFilterRestricted -} - -// Returns users banned from the chat; can be used only by administrators in a supergroup or in a channel -type ChatMembersFilterBanned struct { - meta -} - -func (entity *ChatMembersFilterBanned) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatMembersFilterBanned - - return json.Marshal((*stub)(entity)) -} - -func (*ChatMembersFilterBanned) GetClass() string { - return ClassChatMembersFilter -} - -func (*ChatMembersFilterBanned) GetType() string { - return TypeChatMembersFilterBanned -} - -func (*ChatMembersFilterBanned) ChatMembersFilterType() string { - return TypeChatMembersFilterBanned -} - -// Returns bot members of the chat -type ChatMembersFilterBots struct { - meta -} - -func (entity *ChatMembersFilterBots) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatMembersFilterBots - - return json.Marshal((*stub)(entity)) -} - -func (*ChatMembersFilterBots) GetClass() string { - return ClassChatMembersFilter -} - -func (*ChatMembersFilterBots) GetType() string { - return TypeChatMembersFilterBots -} - -func (*ChatMembersFilterBots) ChatMembersFilterType() string { - return TypeChatMembersFilterBots -} - -// Returns recently active users in reverse chronological order -type SupergroupMembersFilterRecent struct { - meta -} - -func (entity *SupergroupMembersFilterRecent) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub SupergroupMembersFilterRecent - - return json.Marshal((*stub)(entity)) -} - -func (*SupergroupMembersFilterRecent) GetClass() string { - return ClassSupergroupMembersFilter -} - -func (*SupergroupMembersFilterRecent) GetType() string { - return TypeSupergroupMembersFilterRecent -} - -func (*SupergroupMembersFilterRecent) SupergroupMembersFilterType() string { - return TypeSupergroupMembersFilterRecent -} - -// Returns contacts of the user, which are members of the supergroup or channel -type SupergroupMembersFilterContacts struct { - meta - // Query to search for - Query string `json:"query"` -} - -func (entity *SupergroupMembersFilterContacts) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub SupergroupMembersFilterContacts - - return json.Marshal((*stub)(entity)) -} - -func (*SupergroupMembersFilterContacts) GetClass() string { - return ClassSupergroupMembersFilter -} - -func (*SupergroupMembersFilterContacts) GetType() string { - return TypeSupergroupMembersFilterContacts -} - -func (*SupergroupMembersFilterContacts) SupergroupMembersFilterType() string { - return TypeSupergroupMembersFilterContacts -} - -// Returns the owner and administrators -type SupergroupMembersFilterAdministrators struct { - meta -} - -func (entity *SupergroupMembersFilterAdministrators) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub SupergroupMembersFilterAdministrators - - return json.Marshal((*stub)(entity)) -} - -func (*SupergroupMembersFilterAdministrators) GetClass() string { - return ClassSupergroupMembersFilter -} - -func (*SupergroupMembersFilterAdministrators) GetType() string { - return TypeSupergroupMembersFilterAdministrators -} - -func (*SupergroupMembersFilterAdministrators) SupergroupMembersFilterType() string { - return TypeSupergroupMembersFilterAdministrators -} - -// Used to search for supergroup or channel members via a (string) query -type SupergroupMembersFilterSearch struct { - meta - // Query to search for - Query string `json:"query"` -} - -func (entity *SupergroupMembersFilterSearch) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub SupergroupMembersFilterSearch - - return json.Marshal((*stub)(entity)) -} - -func (*SupergroupMembersFilterSearch) GetClass() string { - return ClassSupergroupMembersFilter -} - -func (*SupergroupMembersFilterSearch) GetType() string { - return TypeSupergroupMembersFilterSearch -} - -func (*SupergroupMembersFilterSearch) SupergroupMembersFilterType() string { - return TypeSupergroupMembersFilterSearch -} - -// Returns restricted supergroup members; can be used only by administrators -type SupergroupMembersFilterRestricted struct { - meta - // Query to search for - Query string `json:"query"` -} - -func (entity *SupergroupMembersFilterRestricted) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub SupergroupMembersFilterRestricted - - return json.Marshal((*stub)(entity)) -} - -func (*SupergroupMembersFilterRestricted) GetClass() string { - return ClassSupergroupMembersFilter -} - -func (*SupergroupMembersFilterRestricted) GetType() string { - return TypeSupergroupMembersFilterRestricted -} - -func (*SupergroupMembersFilterRestricted) SupergroupMembersFilterType() string { - return TypeSupergroupMembersFilterRestricted -} - -// Returns users banned from the supergroup or channel; can be used only by administrators -type SupergroupMembersFilterBanned struct { - meta - // Query to search for - Query string `json:"query"` -} - -func (entity *SupergroupMembersFilterBanned) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub SupergroupMembersFilterBanned - - return json.Marshal((*stub)(entity)) -} - -func (*SupergroupMembersFilterBanned) GetClass() string { - return ClassSupergroupMembersFilter -} - -func (*SupergroupMembersFilterBanned) GetType() string { - return TypeSupergroupMembersFilterBanned -} - -func (*SupergroupMembersFilterBanned) SupergroupMembersFilterType() string { - return TypeSupergroupMembersFilterBanned -} - -// Returns users which can be mentioned in the supergroup -type SupergroupMembersFilterMention struct { - meta - // Query to search for - Query string `json:"query"` - // If non-zero, the identifier of the current message thread - MessageThreadId int64 `json:"message_thread_id"` -} - -func (entity *SupergroupMembersFilterMention) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub SupergroupMembersFilterMention - - return json.Marshal((*stub)(entity)) -} - -func (*SupergroupMembersFilterMention) GetClass() string { - return ClassSupergroupMembersFilter -} - -func (*SupergroupMembersFilterMention) GetType() string { - return TypeSupergroupMembersFilterMention -} - -func (*SupergroupMembersFilterMention) SupergroupMembersFilterType() string { - return TypeSupergroupMembersFilterMention -} - -// Returns bot members of the supergroup or channel -type SupergroupMembersFilterBots struct { - meta -} - -func (entity *SupergroupMembersFilterBots) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub SupergroupMembersFilterBots - - return json.Marshal((*stub)(entity)) -} - -func (*SupergroupMembersFilterBots) GetClass() string { - return ClassSupergroupMembersFilter -} - -func (*SupergroupMembersFilterBots) GetType() string { - return TypeSupergroupMembersFilterBots -} - -func (*SupergroupMembersFilterBots) SupergroupMembersFilterType() string { - return TypeSupergroupMembersFilterBots -} - -// Contains a chat invite link -type ChatInviteLink struct { - meta - // Chat invite link - InviteLink string `json:"invite_link"` - // Name of the link - Name string `json:"name"` - // User identifier of an administrator created the link - CreatorUserId int64 `json:"creator_user_id"` - // Point in time (Unix timestamp) when the link was created - Date int32 `json:"date"` - // Point in time (Unix timestamp) when the link was last edited; 0 if never or unknown - EditDate int32 `json:"edit_date"` - // Point in time (Unix timestamp) when the link will expire; 0 if never - ExpirationDate int32 `json:"expiration_date"` - // The maximum number of members, which can join the chat using the link simultaneously; 0 if not limited. Always 0 if the link requires approval - MemberLimit int32 `json:"member_limit"` - // Number of chat members, which joined the chat using the link - MemberCount int32 `json:"member_count"` - // Number of pending join requests created using this link - PendingJoinRequestCount int32 `json:"pending_join_request_count"` - // True, if the link only creates join request. If true, total number of joining members will be unlimited - CreatesJoinRequest bool `json:"creates_join_request"` - // True, if the link is primary. Primary invite link can't have name, expiration date, or usage limit. There is exactly one primary invite link for each administrator with can_invite_users right at a given time - IsPrimary bool `json:"is_primary"` - // True, if the link was revoked - IsRevoked bool `json:"is_revoked"` -} - -func (entity *ChatInviteLink) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatInviteLink - - return json.Marshal((*stub)(entity)) -} - -func (*ChatInviteLink) GetClass() string { - return ClassChatInviteLink -} - -func (*ChatInviteLink) GetType() string { - return TypeChatInviteLink -} - -// Contains a list of chat invite links -type ChatInviteLinks struct { - meta - // Approximate total number of chat invite links found - TotalCount int32 `json:"total_count"` - // List of invite links - InviteLinks []*ChatInviteLink `json:"invite_links"` -} - -func (entity *ChatInviteLinks) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatInviteLinks - - return json.Marshal((*stub)(entity)) -} - -func (*ChatInviteLinks) GetClass() string { - return ClassChatInviteLinks -} - -func (*ChatInviteLinks) GetType() string { - return TypeChatInviteLinks -} - -// Describes a chat administrator with a number of active and revoked chat invite links -type ChatInviteLinkCount struct { - meta - // Administrator's user identifier - UserId int64 `json:"user_id"` - // Number of active invite links - InviteLinkCount int32 `json:"invite_link_count"` - // Number of revoked invite links - RevokedInviteLinkCount int32 `json:"revoked_invite_link_count"` -} - -func (entity *ChatInviteLinkCount) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatInviteLinkCount - - return json.Marshal((*stub)(entity)) -} - -func (*ChatInviteLinkCount) GetClass() string { - return ClassChatInviteLinkCount -} - -func (*ChatInviteLinkCount) GetType() string { - return TypeChatInviteLinkCount -} - -// Contains a list of chat invite link counts -type ChatInviteLinkCounts struct { - meta - // List of invite link counts - InviteLinkCounts []*ChatInviteLinkCount `json:"invite_link_counts"` -} - -func (entity *ChatInviteLinkCounts) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatInviteLinkCounts - - return json.Marshal((*stub)(entity)) -} - -func (*ChatInviteLinkCounts) GetClass() string { - return ClassChatInviteLinkCounts -} - -func (*ChatInviteLinkCounts) GetType() string { - return TypeChatInviteLinkCounts -} - -// Describes a chat member joined a chat via an invite link -type ChatInviteLinkMember struct { - meta - // User identifier - UserId int64 `json:"user_id"` - // Point in time (Unix timestamp) when the user joined the chat - JoinedChatDate int32 `json:"joined_chat_date"` - // User identifier of the chat administrator, approved user join request - ApproverUserId int64 `json:"approver_user_id"` -} - -func (entity *ChatInviteLinkMember) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatInviteLinkMember - - return json.Marshal((*stub)(entity)) -} - -func (*ChatInviteLinkMember) GetClass() string { - return ClassChatInviteLinkMember -} - -func (*ChatInviteLinkMember) GetType() string { - return TypeChatInviteLinkMember -} - -// Contains a list of chat members joined a chat via an invite link -type ChatInviteLinkMembers struct { - meta - // Approximate total number of chat members found - TotalCount int32 `json:"total_count"` - // List of chat members, joined a chat via an invite link - Members []*ChatInviteLinkMember `json:"members"` -} - -func (entity *ChatInviteLinkMembers) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatInviteLinkMembers - - return json.Marshal((*stub)(entity)) -} - -func (*ChatInviteLinkMembers) GetClass() string { - return ClassChatInviteLinkMembers -} - -func (*ChatInviteLinkMembers) GetType() string { - return TypeChatInviteLinkMembers -} - -// Contains information about a chat invite link -type ChatInviteLinkInfo struct { - meta - // Chat identifier of the invite link; 0 if the user has no access to the chat before joining - ChatId int64 `json:"chat_id"` - // If non-zero, the amount of time for which read access to the chat will remain available, in seconds - AccessibleFor int32 `json:"accessible_for"` - // Type of the chat - Type ChatType `json:"type"` - // Title of the chat - Title string `json:"title"` - // Chat photo; may be null - Photo *ChatPhotoInfo `json:"photo"` - // Chat description - Description string `json:"description"` - // Number of members in the chat - MemberCount int32 `json:"member_count"` - // User identifiers of some chat members that may be known to the current user - MemberUserIds []int64 `json:"member_user_ids"` - // True, if the link only creates join request - CreatesJoinRequest bool `json:"creates_join_request"` - // True, if the chat is a public supergroup or channel, i.e. it has a username or it is a location-based supergroup - IsPublic bool `json:"is_public"` -} - -func (entity *ChatInviteLinkInfo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatInviteLinkInfo - - return json.Marshal((*stub)(entity)) -} - -func (*ChatInviteLinkInfo) GetClass() string { - return ClassChatInviteLinkInfo -} - -func (*ChatInviteLinkInfo) GetType() string { - return TypeChatInviteLinkInfo -} - -func (chatInviteLinkInfo *ChatInviteLinkInfo) UnmarshalJSON(data []byte) error { - var tmp struct { - ChatId int64 `json:"chat_id"` - AccessibleFor int32 `json:"accessible_for"` - Type json.RawMessage `json:"type"` - Title string `json:"title"` - Photo *ChatPhotoInfo `json:"photo"` - Description string `json:"description"` - MemberCount int32 `json:"member_count"` - MemberUserIds []int64 `json:"member_user_ids"` - CreatesJoinRequest bool `json:"creates_join_request"` - IsPublic bool `json:"is_public"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - chatInviteLinkInfo.ChatId = tmp.ChatId - chatInviteLinkInfo.AccessibleFor = tmp.AccessibleFor - chatInviteLinkInfo.Title = tmp.Title - chatInviteLinkInfo.Photo = tmp.Photo - chatInviteLinkInfo.Description = tmp.Description - chatInviteLinkInfo.MemberCount = tmp.MemberCount - chatInviteLinkInfo.MemberUserIds = tmp.MemberUserIds - chatInviteLinkInfo.CreatesJoinRequest = tmp.CreatesJoinRequest - chatInviteLinkInfo.IsPublic = tmp.IsPublic - - fieldType, _ := UnmarshalChatType(tmp.Type) - chatInviteLinkInfo.Type = fieldType - - return nil -} - -// Describes a user that sent a join request and waits for administrator approval -type ChatJoinRequest struct { - meta - // User identifier - UserId int64 `json:"user_id"` - // Point in time (Unix timestamp) when the user sent the join request - Date int32 `json:"date"` - // A short bio of the user - Bio string `json:"bio"` -} - -func (entity *ChatJoinRequest) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatJoinRequest - - return json.Marshal((*stub)(entity)) -} - -func (*ChatJoinRequest) GetClass() string { - return ClassChatJoinRequest -} - -func (*ChatJoinRequest) GetType() string { - return TypeChatJoinRequest -} - -// Contains a list of requests to join a chat -type ChatJoinRequests struct { - meta - // Approximate total number of requests found - TotalCount int32 `json:"total_count"` - // List of the requests - Requests []*ChatJoinRequest `json:"requests"` -} - -func (entity *ChatJoinRequests) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatJoinRequests - - return json.Marshal((*stub)(entity)) -} - -func (*ChatJoinRequests) GetClass() string { - return ClassChatJoinRequests -} - -func (*ChatJoinRequests) GetType() string { - return TypeChatJoinRequests -} - -// Contains information about pending join requests for a chat -type ChatJoinRequestsInfo struct { - meta - // Total number of pending join requests - TotalCount int32 `json:"total_count"` - // Identifiers of at most 3 users sent the newest pending join requests - UserIds []int64 `json:"user_ids"` -} - -func (entity *ChatJoinRequestsInfo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatJoinRequestsInfo - - return json.Marshal((*stub)(entity)) -} - -func (*ChatJoinRequestsInfo) GetClass() string { - return ClassChatJoinRequestsInfo -} - -func (*ChatJoinRequestsInfo) GetType() string { - return TypeChatJoinRequestsInfo -} - -// Represents a basic group of 0-200 users (must be upgraded to a supergroup to accommodate more than 200 users) -type BasicGroup struct { - meta - // Group identifier - Id int64 `json:"id"` - // Group access hash - AccessHash JsonInt64 `json:"access_hash"` - // Number of members in the group - MemberCount int32 `json:"member_count"` - // Status of the current user in the group - Status ChatMemberStatus `json:"status"` - // True, if the group is active - IsActive bool `json:"is_active"` - // Identifier of the supergroup to which this group was upgraded; 0 if none - UpgradedToSupergroupId int64 `json:"upgraded_to_supergroup_id"` -} - -func (entity *BasicGroup) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub BasicGroup - - return json.Marshal((*stub)(entity)) -} - -func (*BasicGroup) GetClass() string { - return ClassBasicGroup -} - -func (*BasicGroup) GetType() string { - return TypeBasicGroup -} - -func (basicGroup *BasicGroup) UnmarshalJSON(data []byte) error { - var tmp struct { - Id int64 `json:"id"` - AccessHash JsonInt64 `json:"access_hash"` - MemberCount int32 `json:"member_count"` - Status json.RawMessage `json:"status"` - IsActive bool `json:"is_active"` - UpgradedToSupergroupId int64 `json:"upgraded_to_supergroup_id"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - basicGroup.Id = tmp.Id - basicGroup.AccessHash = tmp.AccessHash - basicGroup.MemberCount = tmp.MemberCount - basicGroup.IsActive = tmp.IsActive - basicGroup.UpgradedToSupergroupId = tmp.UpgradedToSupergroupId - - fieldStatus, _ := UnmarshalChatMemberStatus(tmp.Status) - basicGroup.Status = fieldStatus - - return nil -} - -// Contains full information about a basic group -type BasicGroupFullInfo struct { - meta - // Chat photo; may be null if empty or unknown. If non-null, then it is the same photo as in chat.photo - Photo *ChatPhoto `json:"photo"` - // Group description. Updated only after the basic group is opened - Description string `json:"description"` - // User identifier of the creator of the group; 0 if unknown - CreatorUserId int64 `json:"creator_user_id"` - // Group members - Members []*ChatMember `json:"members"` - // True, if non-administrators and non-bots can be hidden in responses to getSupergroupMembers and searchChatMembers for non-administrators after upgrading the basic group to a supergroup - CanHideMembers bool `json:"can_hide_members"` - // True, if aggressive anti-spam checks can be enabled or disabled in the supergroup after upgrading the basic group to a supergroup - CanToggleAggressiveAntiSpam bool `json:"can_toggle_aggressive_anti_spam"` - // Primary invite link for this group; may be null. For chat administrators with can_invite_users right only. Updated only after the basic group is opened - InviteLink *ChatInviteLink `json:"invite_link"` - // List of commands of bots in the group - BotCommands []*BotCommands `json:"bot_commands"` -} - -func (entity *BasicGroupFullInfo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub BasicGroupFullInfo - - return json.Marshal((*stub)(entity)) -} - -func (*BasicGroupFullInfo) GetClass() string { - return ClassBasicGroupFullInfo -} - -func (*BasicGroupFullInfo) GetType() string { - return TypeBasicGroupFullInfo -} - -// Represents a supergroup or channel with zero or more members (subscribers in the case of channels). From the point of view of the system, a channel is a special kind of a supergroup: only administrators can post and see the list of members, and posts from all administrators use the name and photo of the channel instead of individual names and profile photos. Unlike supergroups, channels can have an unlimited number of subscribers -type Supergroup struct { - meta - // Supergroup or channel identifier - Id int64 `json:"id"` - // Supergroup or channel access hash - AccessHash JsonInt64 `json:"access_hash"` - // Usernames of the supergroup or channel; may be null - Usernames *Usernames `json:"usernames"` - // Point in time (Unix timestamp) when the current user joined, or the point in time when the supergroup or channel was created, in case the user is not a member - Date int32 `json:"date"` - // Status of the current user in the supergroup or channel; custom title will always be empty - Status ChatMemberStatus `json:"status"` - // Number of members in the supergroup or channel; 0 if unknown. Currently, it is guaranteed to be known only if the supergroup or channel was received through searchPublicChats, searchChatsNearby, getInactiveSupergroupChats, getSuitableDiscussionChats, getGroupsInCommon, or getUserPrivacySettingRules - MemberCount int32 `json:"member_count"` - // True, if the channel has a discussion group, or the supergroup is the designated discussion group for a channel - HasLinkedChat bool `json:"has_linked_chat"` - // True, if the supergroup is connected to a location, i.e. the supergroup is a location-based supergroup - HasLocation bool `json:"has_location"` - // True, if messages sent to the channel need to contain information about the sender. This field is only applicable to channels - SignMessages bool `json:"sign_messages"` - // True, if users need to join the supergroup before they can send messages. Always true for channels and non-discussion supergroups - JoinToSendMessages bool `json:"join_to_send_messages"` - // True, if all users directly joining the supergroup need to be approved by supergroup administrators. Always false for channels and supergroups without username, location, or a linked chat - JoinByRequest bool `json:"join_by_request"` - // True, if the slow mode is enabled in the supergroup - IsSlowModeEnabled bool `json:"is_slow_mode_enabled"` - // True, if the supergroup is a channel - IsChannel bool `json:"is_channel"` - // True, if the supergroup is a broadcast group, i.e. only administrators can send messages and there is no limit on the number of members - IsBroadcastGroup bool `json:"is_broadcast_group"` - // True, if the supergroup must be shown as a forum by default - IsForum bool `json:"is_forum"` - // True, if the supergroup or channel is verified - IsVerified bool `json:"is_verified"` - // If non-empty, contains a human-readable description of the reason why access to this supergroup or channel must be restricted - RestrictionReason string `json:"restriction_reason"` - // True, if many users reported this supergroup or channel as a scam - IsScam bool `json:"is_scam"` - // True, if many users reported this supergroup or channel as a fake account - IsFake bool `json:"is_fake"` -} - -func (entity *Supergroup) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub Supergroup - - return json.Marshal((*stub)(entity)) -} - -func (*Supergroup) GetClass() string { - return ClassSupergroup -} - -func (*Supergroup) GetType() string { - return TypeSupergroup -} - -func (supergroup *Supergroup) UnmarshalJSON(data []byte) error { - var tmp struct { - Id int64 `json:"id"` - AccessHash JsonInt64 `json:"access_hash"` - Usernames *Usernames `json:"usernames"` - Date int32 `json:"date"` - Status json.RawMessage `json:"status"` - MemberCount int32 `json:"member_count"` - HasLinkedChat bool `json:"has_linked_chat"` - HasLocation bool `json:"has_location"` - SignMessages bool `json:"sign_messages"` - JoinToSendMessages bool `json:"join_to_send_messages"` - JoinByRequest bool `json:"join_by_request"` - IsSlowModeEnabled bool `json:"is_slow_mode_enabled"` - IsChannel bool `json:"is_channel"` - IsBroadcastGroup bool `json:"is_broadcast_group"` - IsForum bool `json:"is_forum"` - IsVerified bool `json:"is_verified"` - RestrictionReason string `json:"restriction_reason"` - IsScam bool `json:"is_scam"` - IsFake bool `json:"is_fake"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - supergroup.Id = tmp.Id - supergroup.AccessHash = tmp.AccessHash - supergroup.Usernames = tmp.Usernames - supergroup.Date = tmp.Date - supergroup.MemberCount = tmp.MemberCount - supergroup.HasLinkedChat = tmp.HasLinkedChat - supergroup.HasLocation = tmp.HasLocation - supergroup.SignMessages = tmp.SignMessages - supergroup.JoinToSendMessages = tmp.JoinToSendMessages - supergroup.JoinByRequest = tmp.JoinByRequest - supergroup.IsSlowModeEnabled = tmp.IsSlowModeEnabled - supergroup.IsChannel = tmp.IsChannel - supergroup.IsBroadcastGroup = tmp.IsBroadcastGroup - supergroup.IsForum = tmp.IsForum - supergroup.IsVerified = tmp.IsVerified - supergroup.RestrictionReason = tmp.RestrictionReason - supergroup.IsScam = tmp.IsScam - supergroup.IsFake = tmp.IsFake - - fieldStatus, _ := UnmarshalChatMemberStatus(tmp.Status) - supergroup.Status = fieldStatus - - return nil -} - -// Contains full information about a supergroup or channel -type SupergroupFullInfo struct { - meta - // Chat photo; may be null if empty or unknown. If non-null, then it is the same photo as in chat.photo - Photo *ChatPhoto `json:"photo"` - // Supergroup or channel description - Description string `json:"description"` - // Number of members in the supergroup or channel; 0 if unknown - MemberCount int32 `json:"member_count"` - // Number of privileged users in the supergroup or channel; 0 if unknown - AdministratorCount int32 `json:"administrator_count"` - // Number of restricted users in the supergroup; 0 if unknown - RestrictedCount int32 `json:"restricted_count"` - // Number of users banned from chat; 0 if unknown - BannedCount int32 `json:"banned_count"` - // Chat identifier of a discussion group for the channel, or a channel, for which the supergroup is the designated discussion group; 0 if none or unknown - LinkedChatId int64 `json:"linked_chat_id"` - // Delay between consecutive sent messages for non-administrator supergroup members, in seconds - SlowModeDelay int32 `json:"slow_mode_delay"` - // Time left before next message can be sent in the supergroup, in seconds. An updateSupergroupFullInfo update is not triggered when value of this field changes, but both new and old values are non-zero - SlowModeDelayExpiresIn float64 `json:"slow_mode_delay_expires_in"` - // True, if members of the chat can be retrieved via getSupergroupMembers or searchChatMembers - CanGetMembers bool `json:"can_get_members"` - // True, if non-administrators can receive only administrators and bots using getSupergroupMembers or searchChatMembers - HasHiddenMembers bool `json:"has_hidden_members"` - // True, if non-administrators and non-bots can be hidden in responses to getSupergroupMembers and searchChatMembers for non-administrators - CanHideMembers bool `json:"can_hide_members"` - // True, if the chat username can be changed - CanSetUsername bool `json:"can_set_username"` - // True, if the supergroup sticker set can be changed - CanSetStickerSet bool `json:"can_set_sticker_set"` - // True, if the supergroup location can be changed - CanSetLocation bool `json:"can_set_location"` - // True, if the supergroup or channel statistics are available - CanGetStatistics bool `json:"can_get_statistics"` - // True, if aggressive anti-spam checks can be enabled or disabled in the supergroup - CanToggleAggressiveAntiSpam bool `json:"can_toggle_aggressive_anti_spam"` - // True, if new chat members will have access to old messages. In public, discussion, of forum groups and all channels, old messages are always available, so this option affects only private non-forum supergroups without a linked chat. The value of this field is only available to chat administrators - IsAllHistoryAvailable bool `json:"is_all_history_available"` - // True, if aggressive anti-spam checks are enabled in the supergroup. The value of this field is only available to chat administrators - HasAggressiveAntiSpamEnabled bool `json:"has_aggressive_anti_spam_enabled"` - // Identifier of the supergroup sticker set; 0 if none - StickerSetId JsonInt64 `json:"sticker_set_id"` - // Location to which the supergroup is connected; may be null - Location *ChatLocation `json:"location"` - // Primary invite link for the chat; may be null. For chat administrators with can_invite_users right only - InviteLink *ChatInviteLink `json:"invite_link"` - // List of commands of bots in the group - BotCommands []*BotCommands `json:"bot_commands"` - // Identifier of the basic group from which supergroup was upgraded; 0 if none - UpgradedFromBasicGroupId int64 `json:"upgraded_from_basic_group_id"` - // Identifier of the last message in the basic group from which supergroup was upgraded; 0 if none - UpgradedFromMaxMessageId int64 `json:"upgraded_from_max_message_id"` -} - -func (entity *SupergroupFullInfo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub SupergroupFullInfo - - return json.Marshal((*stub)(entity)) -} - -func (*SupergroupFullInfo) GetClass() string { - return ClassSupergroupFullInfo -} - -func (*SupergroupFullInfo) GetType() string { - return TypeSupergroupFullInfo -} - -// The secret chat is not yet created; waiting for the other user to get online -type SecretChatStatePending struct { - meta -} - -func (entity *SecretChatStatePending) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub SecretChatStatePending - - return json.Marshal((*stub)(entity)) -} - -func (*SecretChatStatePending) GetClass() string { - return ClassSecretChatState -} - -func (*SecretChatStatePending) GetType() string { - return TypeSecretChatStatePending -} - -func (*SecretChatStatePending) SecretChatStateType() string { - return TypeSecretChatStatePending -} - -// The secret chat is ready to use -type SecretChatStateReady struct { - meta -} - -func (entity *SecretChatStateReady) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub SecretChatStateReady - - return json.Marshal((*stub)(entity)) -} - -func (*SecretChatStateReady) GetClass() string { - return ClassSecretChatState -} - -func (*SecretChatStateReady) GetType() string { - return TypeSecretChatStateReady -} - -func (*SecretChatStateReady) SecretChatStateType() string { - return TypeSecretChatStateReady -} - -// The secret chat is closed -type SecretChatStateClosed struct { - meta -} - -func (entity *SecretChatStateClosed) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub SecretChatStateClosed - - return json.Marshal((*stub)(entity)) -} - -func (*SecretChatStateClosed) GetClass() string { - return ClassSecretChatState -} - -func (*SecretChatStateClosed) GetType() string { - return TypeSecretChatStateClosed -} - -func (*SecretChatStateClosed) SecretChatStateType() string { - return TypeSecretChatStateClosed -} - -// Represents a secret chat -type SecretChat struct { - meta - // Secret chat identifier - Id int32 `json:"id"` - // Identifier of the chat partner - UserId int64 `json:"user_id"` - // State of the secret chat - State SecretChatState `json:"state"` - // True, if the chat was created by the current user; false otherwise - IsOutbound bool `json:"is_outbound"` - // Hash of the currently used key for comparison with the hash of the chat partner's key. This is a string of 36 little-endian bytes, which must be split into groups of 2 bits, each denoting a pixel of one of 4 colors FFFFFF, D5E6F3, 2D5775, and 2F99C9. The pixels must be used to make a 12x12 square image filled from left to right, top to bottom. Alternatively, the first 32 bytes of the hash can be converted to the hexadecimal format and printed as 32 2-digit hex numbers - KeyHash []byte `json:"key_hash"` - // Secret chat layer; determines features supported by the chat partner's application. Nested text entities and underline and strikethrough entities are supported if the layer >= 101, files bigger than 2000MB are supported if the layer >= 143, spoiler and custom emoji text entities are supported if the layer >= 144 - Layer int32 `json:"layer"` -} - -func (entity *SecretChat) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub SecretChat - - return json.Marshal((*stub)(entity)) -} - -func (*SecretChat) GetClass() string { - return ClassSecretChat -} - -func (*SecretChat) GetType() string { - return TypeSecretChat -} - -func (secretChat *SecretChat) UnmarshalJSON(data []byte) error { - var tmp struct { - Id int32 `json:"id"` - UserId int64 `json:"user_id"` - State json.RawMessage `json:"state"` - IsOutbound bool `json:"is_outbound"` - KeyHash []byte `json:"key_hash"` - Layer int32 `json:"layer"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - secretChat.Id = tmp.Id - secretChat.UserId = tmp.UserId - secretChat.IsOutbound = tmp.IsOutbound - secretChat.KeyHash = tmp.KeyHash - secretChat.Layer = tmp.Layer - - fieldState, _ := UnmarshalSecretChatState(tmp.State) - secretChat.State = fieldState - - return nil -} - -// The message was sent by a known user -type MessageSenderUser struct { - meta - // Identifier of the user that sent the message - UserId int64 `json:"user_id"` -} - -func (entity *MessageSenderUser) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageSenderUser - - return json.Marshal((*stub)(entity)) -} - -func (*MessageSenderUser) GetClass() string { - return ClassMessageSender -} - -func (*MessageSenderUser) GetType() string { - return TypeMessageSenderUser -} - -func (*MessageSenderUser) MessageSenderType() string { - return TypeMessageSenderUser -} - -// The message was sent on behalf of a chat -type MessageSenderChat struct { - meta - // Identifier of the chat that sent the message - ChatId int64 `json:"chat_id"` -} - -func (entity *MessageSenderChat) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageSenderChat - - return json.Marshal((*stub)(entity)) -} - -func (*MessageSenderChat) GetClass() string { - return ClassMessageSender -} - -func (*MessageSenderChat) GetType() string { - return TypeMessageSenderChat -} - -func (*MessageSenderChat) MessageSenderType() string { - return TypeMessageSenderChat -} - -// Represents a list of message senders -type MessageSenders struct { - meta - // Approximate total number of messages senders found - TotalCount int32 `json:"total_count"` - // List of message senders - Senders []MessageSender `json:"senders"` -} - -func (entity *MessageSenders) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageSenders - - return json.Marshal((*stub)(entity)) -} - -func (*MessageSenders) GetClass() string { - return ClassMessageSenders -} - -func (*MessageSenders) GetType() string { - return TypeMessageSenders -} - -func (messageSenders *MessageSenders) UnmarshalJSON(data []byte) error { - var tmp struct { - TotalCount int32 `json:"total_count"` - Senders []json.RawMessage `json:"senders"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - messageSenders.TotalCount = tmp.TotalCount - - fieldSenders, _ := UnmarshalListOfMessageSender(tmp.Senders) - messageSenders.Senders = fieldSenders - - return nil -} - -// Represents a message sender, which can be used to send messages in a chat -type ChatMessageSender struct { - meta - // Available message senders - Sender MessageSender `json:"sender"` - // True, if Telegram Premium is needed to use the message sender - NeedsPremium bool `json:"needs_premium"` -} - -func (entity *ChatMessageSender) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatMessageSender - - return json.Marshal((*stub)(entity)) -} - -func (*ChatMessageSender) GetClass() string { - return ClassChatMessageSender -} - -func (*ChatMessageSender) GetType() string { - return TypeChatMessageSender -} - -func (chatMessageSender *ChatMessageSender) UnmarshalJSON(data []byte) error { - var tmp struct { - Sender json.RawMessage `json:"sender"` - NeedsPremium bool `json:"needs_premium"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - chatMessageSender.NeedsPremium = tmp.NeedsPremium - - fieldSender, _ := UnmarshalMessageSender(tmp.Sender) - chatMessageSender.Sender = fieldSender - - return nil -} - -// Represents a list of message senders, which can be used to send messages in a chat -type ChatMessageSenders struct { - meta - // List of available message senders - Senders []*ChatMessageSender `json:"senders"` -} - -func (entity *ChatMessageSenders) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatMessageSenders - - return json.Marshal((*stub)(entity)) -} - -func (*ChatMessageSenders) GetClass() string { - return ClassChatMessageSenders -} - -func (*ChatMessageSenders) GetType() string { - return TypeChatMessageSenders -} - -// Represents a viewer of a message -type MessageViewer struct { - meta - // User identifier of the viewer - UserId int64 `json:"user_id"` - // Approximate point in time (Unix timestamp) when the message was viewed - ViewDate int32 `json:"view_date"` -} - -func (entity *MessageViewer) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageViewer - - return json.Marshal((*stub)(entity)) -} - -func (*MessageViewer) GetClass() string { - return ClassMessageViewer -} - -func (*MessageViewer) GetType() string { - return TypeMessageViewer -} - -// Represents a list of message viewers -type MessageViewers struct { - meta - // List of message viewers - Viewers []*MessageViewer `json:"viewers"` -} - -func (entity *MessageViewers) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageViewers - - return json.Marshal((*stub)(entity)) -} - -func (*MessageViewers) GetClass() string { - return ClassMessageViewers -} - -func (*MessageViewers) GetType() string { - return TypeMessageViewers -} - -// The message was originally sent by a known user -type MessageForwardOriginUser struct { - meta - // Identifier of the user that originally sent the message - SenderUserId int64 `json:"sender_user_id"` -} - -func (entity *MessageForwardOriginUser) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageForwardOriginUser - - return json.Marshal((*stub)(entity)) -} - -func (*MessageForwardOriginUser) GetClass() string { - return ClassMessageForwardOrigin -} - -func (*MessageForwardOriginUser) GetType() string { - return TypeMessageForwardOriginUser -} - -func (*MessageForwardOriginUser) MessageForwardOriginType() string { - return TypeMessageForwardOriginUser -} - -// The message was originally sent on behalf of a chat -type MessageForwardOriginChat struct { - meta - // Identifier of the chat that originally sent the message - SenderChatId int64 `json:"sender_chat_id"` - // For messages originally sent by an anonymous chat administrator, original message author signature - AuthorSignature string `json:"author_signature"` -} - -func (entity *MessageForwardOriginChat) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageForwardOriginChat - - return json.Marshal((*stub)(entity)) -} - -func (*MessageForwardOriginChat) GetClass() string { - return ClassMessageForwardOrigin -} - -func (*MessageForwardOriginChat) GetType() string { - return TypeMessageForwardOriginChat -} - -func (*MessageForwardOriginChat) MessageForwardOriginType() string { - return TypeMessageForwardOriginChat -} - -// The message was originally sent by a user, which is hidden by their privacy settings -type MessageForwardOriginHiddenUser struct { - meta - // Name of the sender - SenderName string `json:"sender_name"` -} - -func (entity *MessageForwardOriginHiddenUser) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageForwardOriginHiddenUser - - return json.Marshal((*stub)(entity)) -} - -func (*MessageForwardOriginHiddenUser) GetClass() string { - return ClassMessageForwardOrigin -} - -func (*MessageForwardOriginHiddenUser) GetType() string { - return TypeMessageForwardOriginHiddenUser -} - -func (*MessageForwardOriginHiddenUser) MessageForwardOriginType() string { - return TypeMessageForwardOriginHiddenUser -} - -// The message was originally a post in a channel -type MessageForwardOriginChannel struct { - meta - // Identifier of the chat from which the message was originally forwarded - ChatId int64 `json:"chat_id"` - // Message identifier of the original message - MessageId int64 `json:"message_id"` - // Original post author signature - AuthorSignature string `json:"author_signature"` -} - -func (entity *MessageForwardOriginChannel) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageForwardOriginChannel - - return json.Marshal((*stub)(entity)) -} - -func (*MessageForwardOriginChannel) GetClass() string { - return ClassMessageForwardOrigin -} - -func (*MessageForwardOriginChannel) GetType() string { - return TypeMessageForwardOriginChannel -} - -func (*MessageForwardOriginChannel) MessageForwardOriginType() string { - return TypeMessageForwardOriginChannel -} - -// The message was imported from an exported message history -type MessageForwardOriginMessageImport struct { - meta - // Name of the sender - SenderName string `json:"sender_name"` -} - -func (entity *MessageForwardOriginMessageImport) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageForwardOriginMessageImport - - return json.Marshal((*stub)(entity)) -} - -func (*MessageForwardOriginMessageImport) GetClass() string { - return ClassMessageForwardOrigin -} - -func (*MessageForwardOriginMessageImport) GetType() string { - return TypeMessageForwardOriginMessageImport -} - -func (*MessageForwardOriginMessageImport) MessageForwardOriginType() string { - return TypeMessageForwardOriginMessageImport -} - -// A reaction with an emoji -type ReactionTypeEmoji struct { - meta - // Text representation of the reaction - Emoji string `json:"emoji"` -} - -func (entity *ReactionTypeEmoji) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ReactionTypeEmoji - - return json.Marshal((*stub)(entity)) -} - -func (*ReactionTypeEmoji) GetClass() string { - return ClassReactionType -} - -func (*ReactionTypeEmoji) GetType() string { - return TypeReactionTypeEmoji -} - -func (*ReactionTypeEmoji) ReactionTypeType() string { - return TypeReactionTypeEmoji -} - -// A reaction with a custom emoji -type ReactionTypeCustomEmoji struct { - meta - // Unique identifier of the custom emoji - CustomEmojiId JsonInt64 `json:"custom_emoji_id"` -} - -func (entity *ReactionTypeCustomEmoji) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ReactionTypeCustomEmoji - - return json.Marshal((*stub)(entity)) -} - -func (*ReactionTypeCustomEmoji) GetClass() string { - return ClassReactionType -} - -func (*ReactionTypeCustomEmoji) GetType() string { - return TypeReactionTypeCustomEmoji -} - -func (*ReactionTypeCustomEmoji) ReactionTypeType() string { - return TypeReactionTypeCustomEmoji -} - -// Contains information about a forwarded message -type MessageForwardInfo struct { - meta - // Origin of a forwarded message - Origin MessageForwardOrigin `json:"origin"` - // Point in time (Unix timestamp) when the message was originally sent - Date int32 `json:"date"` - // The type of a public service announcement for the forwarded message - PublicServiceAnnouncementType string `json:"public_service_announcement_type"` - // For messages forwarded to the chat with the current user (Saved Messages), to the Replies bot chat, or to the channel's discussion group, the identifier of the chat from which the message was forwarded last time; 0 if unknown - FromChatId int64 `json:"from_chat_id"` - // For messages forwarded to the chat with the current user (Saved Messages), to the Replies bot chat, or to the channel's discussion group, the identifier of the original message from which the new message was forwarded last time; 0 if unknown - FromMessageId int64 `json:"from_message_id"` -} - -func (entity *MessageForwardInfo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageForwardInfo - - return json.Marshal((*stub)(entity)) -} - -func (*MessageForwardInfo) GetClass() string { - return ClassMessageForwardInfo -} - -func (*MessageForwardInfo) GetType() string { - return TypeMessageForwardInfo -} - -func (messageForwardInfo *MessageForwardInfo) UnmarshalJSON(data []byte) error { - var tmp struct { - Origin json.RawMessage `json:"origin"` - Date int32 `json:"date"` - PublicServiceAnnouncementType string `json:"public_service_announcement_type"` - FromChatId int64 `json:"from_chat_id"` - FromMessageId int64 `json:"from_message_id"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - messageForwardInfo.Date = tmp.Date - messageForwardInfo.PublicServiceAnnouncementType = tmp.PublicServiceAnnouncementType - messageForwardInfo.FromChatId = tmp.FromChatId - messageForwardInfo.FromMessageId = tmp.FromMessageId - - fieldOrigin, _ := UnmarshalMessageForwardOrigin(tmp.Origin) - messageForwardInfo.Origin = fieldOrigin - - return nil -} - -// Contains information about replies to a message -type MessageReplyInfo struct { - meta - // Number of times the message was directly or indirectly replied - ReplyCount int32 `json:"reply_count"` - // Identifiers of at most 3 recent repliers to the message; available in channels with a discussion supergroup. The users and chats are expected to be inaccessible: only their photo and name will be available - RecentReplierIds []MessageSender `json:"recent_replier_ids"` - // Identifier of the last read incoming reply to the message - LastReadInboxMessageId int64 `json:"last_read_inbox_message_id"` - // Identifier of the last read outgoing reply to the message - LastReadOutboxMessageId int64 `json:"last_read_outbox_message_id"` - // Identifier of the last reply to the message - LastMessageId int64 `json:"last_message_id"` -} - -func (entity *MessageReplyInfo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageReplyInfo - - return json.Marshal((*stub)(entity)) -} - -func (*MessageReplyInfo) GetClass() string { - return ClassMessageReplyInfo -} - -func (*MessageReplyInfo) GetType() string { - return TypeMessageReplyInfo -} - -func (messageReplyInfo *MessageReplyInfo) UnmarshalJSON(data []byte) error { - var tmp struct { - ReplyCount int32 `json:"reply_count"` - RecentReplierIds []json.RawMessage `json:"recent_replier_ids"` - LastReadInboxMessageId int64 `json:"last_read_inbox_message_id"` - LastReadOutboxMessageId int64 `json:"last_read_outbox_message_id"` - LastMessageId int64 `json:"last_message_id"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - messageReplyInfo.ReplyCount = tmp.ReplyCount - messageReplyInfo.LastReadInboxMessageId = tmp.LastReadInboxMessageId - messageReplyInfo.LastReadOutboxMessageId = tmp.LastReadOutboxMessageId - messageReplyInfo.LastMessageId = tmp.LastMessageId - - fieldRecentReplierIds, _ := UnmarshalListOfMessageSender(tmp.RecentReplierIds) - messageReplyInfo.RecentReplierIds = fieldRecentReplierIds - - return nil -} - -// Contains information about a reaction to a message -type MessageReaction struct { - meta - // Type of the reaction - Type ReactionType `json:"type"` - // Number of times the reaction was added - TotalCount int32 `json:"total_count"` - // True, if the reaction is chosen by the current user - IsChosen bool `json:"is_chosen"` - // Identifiers of at most 3 recent message senders, added the reaction; available in private, basic group and supergroup chats - RecentSenderIds []MessageSender `json:"recent_sender_ids"` -} - -func (entity *MessageReaction) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageReaction - - return json.Marshal((*stub)(entity)) -} - -func (*MessageReaction) GetClass() string { - return ClassMessageReaction -} - -func (*MessageReaction) GetType() string { - return TypeMessageReaction -} - -func (messageReaction *MessageReaction) UnmarshalJSON(data []byte) error { - var tmp struct { - Type json.RawMessage `json:"type"` - TotalCount int32 `json:"total_count"` - IsChosen bool `json:"is_chosen"` - RecentSenderIds []json.RawMessage `json:"recent_sender_ids"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - messageReaction.TotalCount = tmp.TotalCount - messageReaction.IsChosen = tmp.IsChosen - - fieldType, _ := UnmarshalReactionType(tmp.Type) - messageReaction.Type = fieldType - - fieldRecentSenderIds, _ := UnmarshalListOfMessageSender(tmp.RecentSenderIds) - messageReaction.RecentSenderIds = fieldRecentSenderIds - - return nil -} - -// Contains information about interactions with a message -type MessageInteractionInfo struct { - meta - // Number of times the message was viewed - ViewCount int32 `json:"view_count"` - // Number of times the message was forwarded - ForwardCount int32 `json:"forward_count"` - // Information about direct or indirect replies to the message; may be null. Currently, available only in channels with a discussion supergroup and discussion supergroups for messages, which are not replies itself - ReplyInfo *MessageReplyInfo `json:"reply_info"` - // The list of reactions added to the message - Reactions []*MessageReaction `json:"reactions"` -} - -func (entity *MessageInteractionInfo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageInteractionInfo - - return json.Marshal((*stub)(entity)) -} - -func (*MessageInteractionInfo) GetClass() string { - return ClassMessageInteractionInfo -} - -func (*MessageInteractionInfo) GetType() string { - return TypeMessageInteractionInfo -} - -// Contains information about an unread reaction to a message -type UnreadReaction struct { - meta - // Type of the reaction - Type ReactionType `json:"type"` - // Identifier of the sender, added the reaction - SenderId MessageSender `json:"sender_id"` - // True, if the reaction was added with a big animation - IsBig bool `json:"is_big"` -} - -func (entity *UnreadReaction) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub UnreadReaction - - return json.Marshal((*stub)(entity)) -} - -func (*UnreadReaction) GetClass() string { - return ClassUnreadReaction -} - -func (*UnreadReaction) GetType() string { - return TypeUnreadReaction -} - -func (unreadReaction *UnreadReaction) UnmarshalJSON(data []byte) error { - var tmp struct { - Type json.RawMessage `json:"type"` - SenderId json.RawMessage `json:"sender_id"` - IsBig bool `json:"is_big"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - unreadReaction.IsBig = tmp.IsBig - - fieldType, _ := UnmarshalReactionType(tmp.Type) - unreadReaction.Type = fieldType - - fieldSenderId, _ := UnmarshalMessageSender(tmp.SenderId) - unreadReaction.SenderId = fieldSenderId - - return nil -} - -// The message is being sent now, but has not yet been delivered to the server -type MessageSendingStatePending struct { - meta - // Non-persistent message sending identifier, specified by the application - SendingId int32 `json:"sending_id"` -} - -func (entity *MessageSendingStatePending) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageSendingStatePending - - return json.Marshal((*stub)(entity)) -} - -func (*MessageSendingStatePending) GetClass() string { - return ClassMessageSendingState -} - -func (*MessageSendingStatePending) GetType() string { - return TypeMessageSendingStatePending -} - -func (*MessageSendingStatePending) MessageSendingStateType() string { - return TypeMessageSendingStatePending -} - -// The message failed to be sent -type MessageSendingStateFailed struct { - meta - // An error code; 0 if unknown - ErrorCode int32 `json:"error_code"` - // Error message - ErrorMessage string `json:"error_message"` - // True, if the message can be re-sent - CanRetry bool `json:"can_retry"` - // True, if the message can be re-sent only on behalf of a different sender - NeedAnotherSender bool `json:"need_another_sender"` - // Time left before the message can be re-sent, in seconds. No update is sent when this field changes - RetryAfter float64 `json:"retry_after"` -} - -func (entity *MessageSendingStateFailed) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageSendingStateFailed - - return json.Marshal((*stub)(entity)) -} - -func (*MessageSendingStateFailed) GetClass() string { - return ClassMessageSendingState -} - -func (*MessageSendingStateFailed) GetType() string { - return TypeMessageSendingStateFailed -} - -func (*MessageSendingStateFailed) MessageSendingStateType() string { - return TypeMessageSendingStateFailed -} - -// Describes a message -type Message struct { - meta - // Message identifier; unique for the chat to which the message belongs - Id int64 `json:"id"` - // Identifier of the sender of the message - SenderId MessageSender `json:"sender_id"` - // Chat identifier - ChatId int64 `json:"chat_id"` - // The sending state of the message; may be null - SendingState MessageSendingState `json:"sending_state"` - // The scheduling state of the message; may be null - SchedulingState MessageSchedulingState `json:"scheduling_state"` - // True, if the message is outgoing - IsOutgoing bool `json:"is_outgoing"` - // True, if the message is pinned - IsPinned bool `json:"is_pinned"` - // True, if the message can be edited. For live location and poll messages this fields shows whether editMessageLiveLocation or stopPoll can be used with this message by the application - CanBeEdited bool `json:"can_be_edited"` - // True, if the message can be forwarded - CanBeForwarded bool `json:"can_be_forwarded"` - // True, if content of the message can be saved locally or copied - CanBeSaved bool `json:"can_be_saved"` - // True, if the message can be deleted only for the current user while other users will continue to see it - CanBeDeletedOnlyForSelf bool `json:"can_be_deleted_only_for_self"` - // True, if the message can be deleted for all users - CanBeDeletedForAllUsers bool `json:"can_be_deleted_for_all_users"` - // True, if the list of added reactions is available through getMessageAddedReactions - CanGetAddedReactions bool `json:"can_get_added_reactions"` - // True, if the message statistics are available through getMessageStatistics - CanGetStatistics bool `json:"can_get_statistics"` - // True, if information about the message thread is available through getMessageThread and getMessageThreadHistory - CanGetMessageThread bool `json:"can_get_message_thread"` - // True, if chat members already viewed the message can be received through getMessageViewers - CanGetViewers bool `json:"can_get_viewers"` - // True, if media timestamp links can be generated for media timestamp entities in the message text, caption or web page description through getMessageLink - CanGetMediaTimestampLinks bool `json:"can_get_media_timestamp_links"` - // True, if reactions on the message can be reported through reportMessageReactions - CanReportReactions bool `json:"can_report_reactions"` - // True, if media timestamp entities refers to a media in this message as opposed to a media in the replied message - HasTimestampedMedia bool `json:"has_timestamped_media"` - // True, if the message is a channel post. All messages to channels are channel posts, all other messages are not channel posts - IsChannelPost bool `json:"is_channel_post"` - // True, if the message is a forum topic message - IsTopicMessage bool `json:"is_topic_message"` - // True, if the message contains an unread mention for the current user - ContainsUnreadMention bool `json:"contains_unread_mention"` - // Point in time (Unix timestamp) when the message was sent - Date int32 `json:"date"` - // Point in time (Unix timestamp) when the message was last edited - EditDate int32 `json:"edit_date"` - // Information about the initial message sender; may be null - ForwardInfo *MessageForwardInfo `json:"forward_info"` - // Information about interactions with the message; may be null - InteractionInfo *MessageInteractionInfo `json:"interaction_info"` - // Information about unread reactions added to the message - UnreadReactions []*UnreadReaction `json:"unread_reactions"` - // If non-zero, the identifier of the chat to which the replied message belongs; Currently, only messages in the Replies chat can have different reply_in_chat_id and chat_id - ReplyInChatId int64 `json:"reply_in_chat_id"` - // If non-zero, the identifier of the message this message is replying to; can be the identifier of a deleted message - ReplyToMessageId int64 `json:"reply_to_message_id"` - // If non-zero, the identifier of the message thread the message belongs to; unique within the chat to which the message belongs - MessageThreadId int64 `json:"message_thread_id"` - // The message's self-destruct time, in seconds; 0 if none. TDLib will send updateDeleteMessages or updateMessageContent once the time expires - SelfDestructTime int32 `json:"self_destruct_time"` - // Time left before the message self-destruct timer expires, in seconds. If the self-destruct timer isn't started yet, equals to the value of the self_destruct_time field - SelfDestructIn float64 `json:"self_destruct_in"` - // Time left before the message will be automatically deleted by message_auto_delete_time setting of the chat, in seconds; 0 if never. TDLib will send updateDeleteMessages or updateMessageContent once the time expires - AutoDeleteIn float64 `json:"auto_delete_in"` - // If non-zero, the user identifier of the bot through which this message was sent - ViaBotUserId int64 `json:"via_bot_user_id"` - // For channel posts and anonymous group messages, optional author signature - AuthorSignature string `json:"author_signature"` - // Unique identifier of an album this message belongs to. Only audios, documents, photos and videos can be grouped together in albums - MediaAlbumId JsonInt64 `json:"media_album_id"` - // If non-empty, contains a human-readable description of the reason why access to this message must be restricted - RestrictionReason string `json:"restriction_reason"` - // Content of the message - Content MessageContent `json:"content"` - // Reply markup for the message; may be null - ReplyMarkup ReplyMarkup `json:"reply_markup"` -} - -func (entity *Message) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub Message - - return json.Marshal((*stub)(entity)) -} - -func (*Message) GetClass() string { - return ClassMessage -} - -func (*Message) GetType() string { - return TypeMessage -} - -func (message *Message) UnmarshalJSON(data []byte) error { - var tmp struct { - Id int64 `json:"id"` - SenderId json.RawMessage `json:"sender_id"` - ChatId int64 `json:"chat_id"` - SendingState json.RawMessage `json:"sending_state"` - SchedulingState json.RawMessage `json:"scheduling_state"` - IsOutgoing bool `json:"is_outgoing"` - IsPinned bool `json:"is_pinned"` - CanBeEdited bool `json:"can_be_edited"` - CanBeForwarded bool `json:"can_be_forwarded"` - CanBeSaved bool `json:"can_be_saved"` - CanBeDeletedOnlyForSelf bool `json:"can_be_deleted_only_for_self"` - CanBeDeletedForAllUsers bool `json:"can_be_deleted_for_all_users"` - CanGetAddedReactions bool `json:"can_get_added_reactions"` - CanGetStatistics bool `json:"can_get_statistics"` - CanGetMessageThread bool `json:"can_get_message_thread"` - CanGetViewers bool `json:"can_get_viewers"` - CanGetMediaTimestampLinks bool `json:"can_get_media_timestamp_links"` - CanReportReactions bool `json:"can_report_reactions"` - HasTimestampedMedia bool `json:"has_timestamped_media"` - IsChannelPost bool `json:"is_channel_post"` - IsTopicMessage bool `json:"is_topic_message"` - ContainsUnreadMention bool `json:"contains_unread_mention"` - Date int32 `json:"date"` - EditDate int32 `json:"edit_date"` - ForwardInfo *MessageForwardInfo `json:"forward_info"` - InteractionInfo *MessageInteractionInfo `json:"interaction_info"` - UnreadReactions []*UnreadReaction `json:"unread_reactions"` - ReplyInChatId int64 `json:"reply_in_chat_id"` - ReplyToMessageId int64 `json:"reply_to_message_id"` - MessageThreadId int64 `json:"message_thread_id"` - SelfDestructTime int32 `json:"self_destruct_time"` - SelfDestructIn float64 `json:"self_destruct_in"` - AutoDeleteIn float64 `json:"auto_delete_in"` - ViaBotUserId int64 `json:"via_bot_user_id"` - AuthorSignature string `json:"author_signature"` - MediaAlbumId JsonInt64 `json:"media_album_id"` - RestrictionReason string `json:"restriction_reason"` - Content json.RawMessage `json:"content"` - ReplyMarkup json.RawMessage `json:"reply_markup"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - message.Id = tmp.Id - message.ChatId = tmp.ChatId - message.IsOutgoing = tmp.IsOutgoing - message.IsPinned = tmp.IsPinned - message.CanBeEdited = tmp.CanBeEdited - message.CanBeForwarded = tmp.CanBeForwarded - message.CanBeSaved = tmp.CanBeSaved - message.CanBeDeletedOnlyForSelf = tmp.CanBeDeletedOnlyForSelf - message.CanBeDeletedForAllUsers = tmp.CanBeDeletedForAllUsers - message.CanGetAddedReactions = tmp.CanGetAddedReactions - message.CanGetStatistics = tmp.CanGetStatistics - message.CanGetMessageThread = tmp.CanGetMessageThread - message.CanGetViewers = tmp.CanGetViewers - message.CanGetMediaTimestampLinks = tmp.CanGetMediaTimestampLinks - message.CanReportReactions = tmp.CanReportReactions - message.HasTimestampedMedia = tmp.HasTimestampedMedia - message.IsChannelPost = tmp.IsChannelPost - message.IsTopicMessage = tmp.IsTopicMessage - message.ContainsUnreadMention = tmp.ContainsUnreadMention - message.Date = tmp.Date - message.EditDate = tmp.EditDate - message.ForwardInfo = tmp.ForwardInfo - message.InteractionInfo = tmp.InteractionInfo - message.UnreadReactions = tmp.UnreadReactions - message.ReplyInChatId = tmp.ReplyInChatId - message.ReplyToMessageId = tmp.ReplyToMessageId - message.MessageThreadId = tmp.MessageThreadId - message.SelfDestructTime = tmp.SelfDestructTime - message.SelfDestructIn = tmp.SelfDestructIn - message.AutoDeleteIn = tmp.AutoDeleteIn - message.ViaBotUserId = tmp.ViaBotUserId - message.AuthorSignature = tmp.AuthorSignature - message.MediaAlbumId = tmp.MediaAlbumId - message.RestrictionReason = tmp.RestrictionReason - - fieldSenderId, _ := UnmarshalMessageSender(tmp.SenderId) - message.SenderId = fieldSenderId - - fieldSendingState, _ := UnmarshalMessageSendingState(tmp.SendingState) - message.SendingState = fieldSendingState - - fieldSchedulingState, _ := UnmarshalMessageSchedulingState(tmp.SchedulingState) - message.SchedulingState = fieldSchedulingState - - fieldContent, _ := UnmarshalMessageContent(tmp.Content) - message.Content = fieldContent - - fieldReplyMarkup, _ := UnmarshalReplyMarkup(tmp.ReplyMarkup) - message.ReplyMarkup = fieldReplyMarkup - - return nil -} - -// Contains a list of messages -type Messages struct { - meta - // Approximate total number of messages found - TotalCount int32 `json:"total_count"` - // List of messages; messages may be null - Messages []*Message `json:"messages"` -} - -func (entity *Messages) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub Messages - - return json.Marshal((*stub)(entity)) -} - -func (*Messages) GetClass() string { - return ClassMessages -} - -func (*Messages) GetType() string { - return TypeMessages -} - -// Contains a list of messages found by a search -type FoundMessages struct { - meta - // Approximate total number of messages found; -1 if unknown - TotalCount int32 `json:"total_count"` - // List of messages - Messages []*Message `json:"messages"` - // The offset for the next request. If empty, there are no more results - NextOffset string `json:"next_offset"` -} - -func (entity *FoundMessages) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub FoundMessages - - return json.Marshal((*stub)(entity)) -} - -func (*FoundMessages) GetClass() string { - return ClassFoundMessages -} - -func (*FoundMessages) GetType() string { - return TypeFoundMessages -} - -// Contains a list of messages found by a search in a given chat -type FoundChatMessages struct { - meta - // Approximate total number of messages found; -1 if unknown - TotalCount int32 `json:"total_count"` - // List of messages - Messages []*Message `json:"messages"` - // The offset for the next request. If 0, there are no more results - NextFromMessageId int64 `json:"next_from_message_id"` -} - -func (entity *FoundChatMessages) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub FoundChatMessages - - return json.Marshal((*stub)(entity)) -} - -func (*FoundChatMessages) GetClass() string { - return ClassFoundChatMessages -} - -func (*FoundChatMessages) GetType() string { - return TypeFoundChatMessages -} - -// Contains information about a message in a specific position -type MessagePosition struct { - meta - // 0-based message position in the full list of suitable messages - Position int32 `json:"position"` - // Message identifier - MessageId int64 `json:"message_id"` - // Point in time (Unix timestamp) when the message was sent - Date int32 `json:"date"` -} - -func (entity *MessagePosition) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessagePosition - - return json.Marshal((*stub)(entity)) -} - -func (*MessagePosition) GetClass() string { - return ClassMessagePosition -} - -func (*MessagePosition) GetType() string { - return TypeMessagePosition -} - -// Contains a list of message positions -type MessagePositions struct { - meta - // Total number of messages found - TotalCount int32 `json:"total_count"` - // List of message positions - Positions []*MessagePosition `json:"positions"` -} - -func (entity *MessagePositions) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessagePositions - - return json.Marshal((*stub)(entity)) -} - -func (*MessagePositions) GetClass() string { - return ClassMessagePositions -} - -func (*MessagePositions) GetType() string { - return TypeMessagePositions -} - -// Contains information about found messages sent on a specific day -type MessageCalendarDay struct { - meta - // Total number of found messages sent on the day - TotalCount int32 `json:"total_count"` - // First message sent on the day - Message *Message `json:"message"` -} - -func (entity *MessageCalendarDay) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageCalendarDay - - return json.Marshal((*stub)(entity)) -} - -func (*MessageCalendarDay) GetClass() string { - return ClassMessageCalendarDay -} - -func (*MessageCalendarDay) GetType() string { - return TypeMessageCalendarDay -} - -// Contains information about found messages, split by days according to the option "utc_time_offset" -type MessageCalendar struct { - meta - // Total number of found messages - TotalCount int32 `json:"total_count"` - // Information about messages sent - Days []*MessageCalendarDay `json:"days"` -} - -func (entity *MessageCalendar) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageCalendar - - return json.Marshal((*stub)(entity)) -} - -func (*MessageCalendar) GetClass() string { - return ClassMessageCalendar -} - -func (*MessageCalendar) GetType() string { - return TypeMessageCalendar -} - -// The message is from a chat history -type MessageSourceChatHistory struct { - meta -} - -func (entity *MessageSourceChatHistory) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageSourceChatHistory - - return json.Marshal((*stub)(entity)) -} - -func (*MessageSourceChatHistory) GetClass() string { - return ClassMessageSource -} - -func (*MessageSourceChatHistory) GetType() string { - return TypeMessageSourceChatHistory -} - -func (*MessageSourceChatHistory) MessageSourceType() string { - return TypeMessageSourceChatHistory -} - -// The message is from a message thread history -type MessageSourceMessageThreadHistory struct { - meta -} - -func (entity *MessageSourceMessageThreadHistory) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageSourceMessageThreadHistory - - return json.Marshal((*stub)(entity)) -} - -func (*MessageSourceMessageThreadHistory) GetClass() string { - return ClassMessageSource -} - -func (*MessageSourceMessageThreadHistory) GetType() string { - return TypeMessageSourceMessageThreadHistory -} - -func (*MessageSourceMessageThreadHistory) MessageSourceType() string { - return TypeMessageSourceMessageThreadHistory -} - -// The message is from a forum topic history -type MessageSourceForumTopicHistory struct { - meta -} - -func (entity *MessageSourceForumTopicHistory) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageSourceForumTopicHistory - - return json.Marshal((*stub)(entity)) -} - -func (*MessageSourceForumTopicHistory) GetClass() string { - return ClassMessageSource -} - -func (*MessageSourceForumTopicHistory) GetType() string { - return TypeMessageSourceForumTopicHistory -} - -func (*MessageSourceForumTopicHistory) MessageSourceType() string { - return TypeMessageSourceForumTopicHistory -} - -// The message is from chat, message thread or forum topic history preview -type MessageSourceHistoryPreview struct { - meta -} - -func (entity *MessageSourceHistoryPreview) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageSourceHistoryPreview - - return json.Marshal((*stub)(entity)) -} - -func (*MessageSourceHistoryPreview) GetClass() string { - return ClassMessageSource -} - -func (*MessageSourceHistoryPreview) GetType() string { - return TypeMessageSourceHistoryPreview -} - -func (*MessageSourceHistoryPreview) MessageSourceType() string { - return TypeMessageSourceHistoryPreview -} - -// The message is from a chat list or a forum topic list -type MessageSourceChatList struct { - meta -} - -func (entity *MessageSourceChatList) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageSourceChatList - - return json.Marshal((*stub)(entity)) -} - -func (*MessageSourceChatList) GetClass() string { - return ClassMessageSource -} - -func (*MessageSourceChatList) GetType() string { - return TypeMessageSourceChatList -} - -func (*MessageSourceChatList) MessageSourceType() string { - return TypeMessageSourceChatList -} - -// The message is from search results, including file downloads, local file list, outgoing document messages, calendar -type MessageSourceSearch struct { - meta -} - -func (entity *MessageSourceSearch) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageSourceSearch - - return json.Marshal((*stub)(entity)) -} - -func (*MessageSourceSearch) GetClass() string { - return ClassMessageSource -} - -func (*MessageSourceSearch) GetType() string { - return TypeMessageSourceSearch -} - -func (*MessageSourceSearch) MessageSourceType() string { - return TypeMessageSourceSearch -} - -// The message is from a chat event log -type MessageSourceChatEventLog struct { - meta -} - -func (entity *MessageSourceChatEventLog) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageSourceChatEventLog - - return json.Marshal((*stub)(entity)) -} - -func (*MessageSourceChatEventLog) GetClass() string { - return ClassMessageSource -} - -func (*MessageSourceChatEventLog) GetType() string { - return TypeMessageSourceChatEventLog -} - -func (*MessageSourceChatEventLog) MessageSourceType() string { - return TypeMessageSourceChatEventLog -} - -// The message is from a notification -type MessageSourceNotification struct { - meta -} - -func (entity *MessageSourceNotification) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageSourceNotification - - return json.Marshal((*stub)(entity)) -} - -func (*MessageSourceNotification) GetClass() string { - return ClassMessageSource -} - -func (*MessageSourceNotification) GetType() string { - return TypeMessageSourceNotification -} - -func (*MessageSourceNotification) MessageSourceType() string { - return TypeMessageSourceNotification -} - -// The message is from some other source -type MessageSourceOther struct { - meta -} - -func (entity *MessageSourceOther) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageSourceOther - - return json.Marshal((*stub)(entity)) -} - -func (*MessageSourceOther) GetClass() string { - return ClassMessageSource -} - -func (*MessageSourceOther) GetType() string { - return TypeMessageSourceOther -} - -func (*MessageSourceOther) MessageSourceType() string { - return TypeMessageSourceOther -} - -// Describes a sponsored message -type SponsoredMessage struct { - meta - // Message identifier; unique for the chat to which the sponsored message belongs among both ordinary and sponsored messages - MessageId int64 `json:"message_id"` - // True, if the message needs to be labeled as "recommended" instead of "sponsored" - IsRecommended bool `json:"is_recommended"` - // Sponsor chat identifier; 0 if the sponsor chat is accessible through an invite link - SponsorChatId int64 `json:"sponsor_chat_id"` - // Information about the sponsor chat; may be null unless sponsor_chat_id == 0 - SponsorChatInfo *ChatInviteLinkInfo `json:"sponsor_chat_info"` - // True, if the sponsor's chat photo must be shown - ShowChatPhoto bool `json:"show_chat_photo"` - // An internal link to be opened when the sponsored message is clicked; may be null if the sponsor chat needs to be opened instead - Link InternalLinkType `json:"link"` - // Content of the message. Currently, can be only of the type messageText - Content MessageContent `json:"content"` - // If non-empty, information about the sponsor to be shown along with the message - SponsorInfo string `json:"sponsor_info"` - // If non-empty, additional information about the sponsored message to be shown along with the message - AdditionalInfo string `json:"additional_info"` -} - -func (entity *SponsoredMessage) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub SponsoredMessage - - return json.Marshal((*stub)(entity)) -} - -func (*SponsoredMessage) GetClass() string { - return ClassSponsoredMessage -} - -func (*SponsoredMessage) GetType() string { - return TypeSponsoredMessage -} - -func (sponsoredMessage *SponsoredMessage) UnmarshalJSON(data []byte) error { - var tmp struct { - MessageId int64 `json:"message_id"` - IsRecommended bool `json:"is_recommended"` - SponsorChatId int64 `json:"sponsor_chat_id"` - SponsorChatInfo *ChatInviteLinkInfo `json:"sponsor_chat_info"` - ShowChatPhoto bool `json:"show_chat_photo"` - Link json.RawMessage `json:"link"` - Content json.RawMessage `json:"content"` - SponsorInfo string `json:"sponsor_info"` - AdditionalInfo string `json:"additional_info"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - sponsoredMessage.MessageId = tmp.MessageId - sponsoredMessage.IsRecommended = tmp.IsRecommended - sponsoredMessage.SponsorChatId = tmp.SponsorChatId - sponsoredMessage.SponsorChatInfo = tmp.SponsorChatInfo - sponsoredMessage.ShowChatPhoto = tmp.ShowChatPhoto - sponsoredMessage.SponsorInfo = tmp.SponsorInfo - sponsoredMessage.AdditionalInfo = tmp.AdditionalInfo - - fieldLink, _ := UnmarshalInternalLinkType(tmp.Link) - sponsoredMessage.Link = fieldLink - - fieldContent, _ := UnmarshalMessageContent(tmp.Content) - sponsoredMessage.Content = fieldContent - - return nil -} - -// Contains a list of sponsored messages -type SponsoredMessages struct { - meta - // List of sponsored messages - Messages []*SponsoredMessage `json:"messages"` - // The minimum number of messages between shown sponsored messages, or 0 if only one sponsored message must be shown after all ordinary messages - MessagesBetween int32 `json:"messages_between"` -} - -func (entity *SponsoredMessages) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub SponsoredMessages - - return json.Marshal((*stub)(entity)) -} - -func (*SponsoredMessages) GetClass() string { - return ClassSponsoredMessages -} - -func (*SponsoredMessages) GetType() string { - return TypeSponsoredMessages -} - -// Describes a file added to file download list -type FileDownload struct { - meta - // File identifier - FileId int32 `json:"file_id"` - // The message with the file - Message *Message `json:"message"` - // Point in time (Unix timestamp) when the file was added to the download list - AddDate int32 `json:"add_date"` - // Point in time (Unix timestamp) when the file downloading was completed; 0 if the file downloading isn't completed - CompleteDate int32 `json:"complete_date"` - // True, if downloading of the file is paused - IsPaused bool `json:"is_paused"` -} - -func (entity *FileDownload) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub FileDownload - - return json.Marshal((*stub)(entity)) -} - -func (*FileDownload) GetClass() string { - return ClassFileDownload -} - -func (*FileDownload) GetType() string { - return TypeFileDownload -} - -// Contains number of being downloaded and recently downloaded files found -type DownloadedFileCounts struct { - meta - // Number of active file downloads found, including paused - ActiveCount int32 `json:"active_count"` - // Number of paused file downloads found - PausedCount int32 `json:"paused_count"` - // Number of completed file downloads found - CompletedCount int32 `json:"completed_count"` -} - -func (entity *DownloadedFileCounts) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub DownloadedFileCounts - - return json.Marshal((*stub)(entity)) -} - -func (*DownloadedFileCounts) GetClass() string { - return ClassDownloadedFileCounts -} - -func (*DownloadedFileCounts) GetType() string { - return TypeDownloadedFileCounts -} - -// Contains a list of downloaded files, found by a search -type FoundFileDownloads struct { - meta - // Total number of suitable files, ignoring offset - TotalCounts *DownloadedFileCounts `json:"total_counts"` - // The list of files - Files []*FileDownload `json:"files"` - // The offset for the next request. If empty, there are no more results - NextOffset string `json:"next_offset"` -} - -func (entity *FoundFileDownloads) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub FoundFileDownloads - - return json.Marshal((*stub)(entity)) -} - -func (*FoundFileDownloads) GetClass() string { - return ClassFoundFileDownloads -} - -func (*FoundFileDownloads) GetType() string { - return TypeFoundFileDownloads -} - -// Notification settings applied to all private and secret chats when the corresponding chat setting has a default value -type NotificationSettingsScopePrivateChats struct { - meta -} - -func (entity *NotificationSettingsScopePrivateChats) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub NotificationSettingsScopePrivateChats - - return json.Marshal((*stub)(entity)) -} - -func (*NotificationSettingsScopePrivateChats) GetClass() string { - return ClassNotificationSettingsScope -} - -func (*NotificationSettingsScopePrivateChats) GetType() string { - return TypeNotificationSettingsScopePrivateChats -} - -func (*NotificationSettingsScopePrivateChats) NotificationSettingsScopeType() string { - return TypeNotificationSettingsScopePrivateChats -} - -// Notification settings applied to all basic group and supergroup chats when the corresponding chat setting has a default value -type NotificationSettingsScopeGroupChats struct { - meta -} - -func (entity *NotificationSettingsScopeGroupChats) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub NotificationSettingsScopeGroupChats - - return json.Marshal((*stub)(entity)) -} - -func (*NotificationSettingsScopeGroupChats) GetClass() string { - return ClassNotificationSettingsScope -} - -func (*NotificationSettingsScopeGroupChats) GetType() string { - return TypeNotificationSettingsScopeGroupChats -} - -func (*NotificationSettingsScopeGroupChats) NotificationSettingsScopeType() string { - return TypeNotificationSettingsScopeGroupChats -} - -// Notification settings applied to all channel chats when the corresponding chat setting has a default value -type NotificationSettingsScopeChannelChats struct { - meta -} - -func (entity *NotificationSettingsScopeChannelChats) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub NotificationSettingsScopeChannelChats - - return json.Marshal((*stub)(entity)) -} - -func (*NotificationSettingsScopeChannelChats) GetClass() string { - return ClassNotificationSettingsScope -} - -func (*NotificationSettingsScopeChannelChats) GetType() string { - return TypeNotificationSettingsScopeChannelChats -} - -func (*NotificationSettingsScopeChannelChats) NotificationSettingsScopeType() string { - return TypeNotificationSettingsScopeChannelChats -} - -// Contains information about notification settings for a chat or a froum topic -type ChatNotificationSettings struct { - meta - // If true, mute_for is ignored and the value for the relevant type of chat or the forum chat is used instead - UseDefaultMuteFor bool `json:"use_default_mute_for"` - // Time left before notifications will be unmuted, in seconds - MuteFor int32 `json:"mute_for"` - // If true, the value for the relevant type of chat or the forum chat is used instead of sound_id - UseDefaultSound bool `json:"use_default_sound"` - // Identifier of the notification sound to be played; 0 if sound is disabled - SoundId JsonInt64 `json:"sound_id"` - // If true, show_preview is ignored and the value for the relevant type of chat or the forum chat is used instead - UseDefaultShowPreview bool `json:"use_default_show_preview"` - // True, if message content must be displayed in notifications - ShowPreview bool `json:"show_preview"` - // If true, disable_pinned_message_notifications is ignored and the value for the relevant type of chat or the forum chat is used instead - UseDefaultDisablePinnedMessageNotifications bool `json:"use_default_disable_pinned_message_notifications"` - // If true, notifications for incoming pinned messages will be created as for an ordinary unread message - DisablePinnedMessageNotifications bool `json:"disable_pinned_message_notifications"` - // If true, disable_mention_notifications is ignored and the value for the relevant type of chat or the forum chat is used instead - UseDefaultDisableMentionNotifications bool `json:"use_default_disable_mention_notifications"` - // If true, notifications for messages with mentions will be created as for an ordinary unread message - DisableMentionNotifications bool `json:"disable_mention_notifications"` -} - -func (entity *ChatNotificationSettings) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatNotificationSettings - - return json.Marshal((*stub)(entity)) -} - -func (*ChatNotificationSettings) GetClass() string { - return ClassChatNotificationSettings -} - -func (*ChatNotificationSettings) GetType() string { - return TypeChatNotificationSettings -} - -// Contains information about notification settings for several chats -type ScopeNotificationSettings struct { - meta - // Time left before notifications will be unmuted, in seconds - MuteFor int32 `json:"mute_for"` - // Identifier of the notification sound to be played; 0 if sound is disabled - SoundId JsonInt64 `json:"sound_id"` - // True, if message content must be displayed in notifications - ShowPreview bool `json:"show_preview"` - // True, if notifications for incoming pinned messages will be created as for an ordinary unread message - DisablePinnedMessageNotifications bool `json:"disable_pinned_message_notifications"` - // True, if notifications for messages with mentions will be created as for an ordinary unread message - DisableMentionNotifications bool `json:"disable_mention_notifications"` -} - -func (entity *ScopeNotificationSettings) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ScopeNotificationSettings - - return json.Marshal((*stub)(entity)) -} - -func (*ScopeNotificationSettings) GetClass() string { - return ClassScopeNotificationSettings -} - -func (*ScopeNotificationSettings) GetType() string { - return TypeScopeNotificationSettings -} - -// Contains information about a message draft -type DraftMessage struct { - meta - // Identifier of the replied message; 0 if none - ReplyToMessageId int64 `json:"reply_to_message_id"` - // Point in time (Unix timestamp) when the draft was created - Date int32 `json:"date"` - // Content of the message draft; must be of the type inputMessageText - InputMessageText InputMessageContent `json:"input_message_text"` -} - -func (entity *DraftMessage) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub DraftMessage - - return json.Marshal((*stub)(entity)) -} - -func (*DraftMessage) GetClass() string { - return ClassDraftMessage -} - -func (*DraftMessage) GetType() string { - return TypeDraftMessage -} - -func (draftMessage *DraftMessage) UnmarshalJSON(data []byte) error { - var tmp struct { - ReplyToMessageId int64 `json:"reply_to_message_id"` - Date int32 `json:"date"` - InputMessageText json.RawMessage `json:"input_message_text"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - draftMessage.ReplyToMessageId = tmp.ReplyToMessageId - draftMessage.Date = tmp.Date - - fieldInputMessageText, _ := UnmarshalInputMessageContent(tmp.InputMessageText) - draftMessage.InputMessageText = fieldInputMessageText - - return nil -} - -// An ordinary chat with a user -type ChatTypePrivate struct { - meta - // User identifier - UserId int64 `json:"user_id"` -} - -func (entity *ChatTypePrivate) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatTypePrivate - - return json.Marshal((*stub)(entity)) -} - -func (*ChatTypePrivate) GetClass() string { - return ClassChatType -} - -func (*ChatTypePrivate) GetType() string { - return TypeChatTypePrivate -} - -func (*ChatTypePrivate) ChatTypeType() string { - return TypeChatTypePrivate -} - -// A basic group (a chat with 0-200 other users) -type ChatTypeBasicGroup struct { - meta - // Basic group identifier - BasicGroupId int64 `json:"basic_group_id"` -} - -func (entity *ChatTypeBasicGroup) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatTypeBasicGroup - - return json.Marshal((*stub)(entity)) -} - -func (*ChatTypeBasicGroup) GetClass() string { - return ClassChatType -} - -func (*ChatTypeBasicGroup) GetType() string { - return TypeChatTypeBasicGroup -} - -func (*ChatTypeBasicGroup) ChatTypeType() string { - return TypeChatTypeBasicGroup -} - -// A supergroup or channel (with unlimited members) -type ChatTypeSupergroup struct { - meta - // Supergroup or channel identifier - SupergroupId int64 `json:"supergroup_id"` - // True, if the supergroup is a channel - IsChannel bool `json:"is_channel"` -} - -func (entity *ChatTypeSupergroup) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatTypeSupergroup - - return json.Marshal((*stub)(entity)) -} - -func (*ChatTypeSupergroup) GetClass() string { - return ClassChatType -} - -func (*ChatTypeSupergroup) GetType() string { - return TypeChatTypeSupergroup -} - -func (*ChatTypeSupergroup) ChatTypeType() string { - return TypeChatTypeSupergroup -} - -// A secret chat with a user -type ChatTypeSecret struct { - meta - // Secret chat identifier - SecretChatId int32 `json:"secret_chat_id"` - // User identifier of the secret chat peer - UserId int64 `json:"user_id"` -} - -func (entity *ChatTypeSecret) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatTypeSecret - - return json.Marshal((*stub)(entity)) -} - -func (*ChatTypeSecret) GetClass() string { - return ClassChatType -} - -func (*ChatTypeSecret) GetType() string { - return TypeChatTypeSecret -} - -func (*ChatTypeSecret) ChatTypeType() string { - return TypeChatTypeSecret -} - -// Represents a filter of user chats -type ChatFilter struct { - meta - // The title of the filter; 1-12 characters without line feeds - Title string `json:"title"` - // The chosen icon name for short filter representation. If non-empty, must be one of "All", "Unread", "Unmuted", "Bots", "Channels", "Groups", "Private", "Custom", "Setup", "Cat", "Crown", "Favorite", "Flower", "Game", "Home", "Love", "Mask", "Party", "Sport", "Study", "Trade", "Travel", "Work", "Airplane", "Book", "Light", "Like", "Money", "Note", "Palette". If empty, use getChatFilterDefaultIconName to get default icon name for the filter - IconName string `json:"icon_name"` - // The chat identifiers of pinned chats in the filtered chat list. There can be up to getOption("chat_filter_chosen_chat_count_max") pinned and always included non-secret chats and the same number of secret chats, but the limit can be increased with Telegram Premium - PinnedChatIds []int64 `json:"pinned_chat_ids"` - // The chat identifiers of always included chats in the filtered chat list. There can be up to getOption("chat_filter_chosen_chat_count_max") pinned and always included non-secret chats and the same number of secret chats, but the limit can be increased with Telegram Premium - IncludedChatIds []int64 `json:"included_chat_ids"` - // The chat identifiers of always excluded chats in the filtered chat list. There can be up to getOption("chat_filter_chosen_chat_count_max") always excluded non-secret chats and the same number of secret chats, but the limit can be increased with Telegram Premium - ExcludedChatIds []int64 `json:"excluded_chat_ids"` - // True, if muted chats need to be excluded - ExcludeMuted bool `json:"exclude_muted"` - // True, if read chats need to be excluded - ExcludeRead bool `json:"exclude_read"` - // True, if archived chats need to be excluded - ExcludeArchived bool `json:"exclude_archived"` - // True, if contacts need to be included - IncludeContacts bool `json:"include_contacts"` - // True, if non-contact users need to be included - IncludeNonContacts bool `json:"include_non_contacts"` - // True, if bots need to be included - IncludeBots bool `json:"include_bots"` - // True, if basic groups and supergroups need to be included - IncludeGroups bool `json:"include_groups"` - // True, if channels need to be included - IncludeChannels bool `json:"include_channels"` -} - -func (entity *ChatFilter) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatFilter - - return json.Marshal((*stub)(entity)) -} - -func (*ChatFilter) GetClass() string { - return ClassChatFilter -} - -func (*ChatFilter) GetType() string { - return TypeChatFilter -} - -// Contains basic information about a chat filter -type ChatFilterInfo struct { - meta - // Unique chat filter identifier - Id int32 `json:"id"` - // The title of the filter; 1-12 characters without line feeds - Title string `json:"title"` - // The chosen or default icon name for short filter representation. One of "All", "Unread", "Unmuted", "Bots", "Channels", "Groups", "Private", "Custom", "Setup", "Cat", "Crown", "Favorite", "Flower", "Game", "Home", "Love", "Mask", "Party", "Sport", "Study", "Trade", "Travel", "Work", "Airplane", "Book", "Light", "Like", "Money", "Note", "Palette" - IconName string `json:"icon_name"` -} - -func (entity *ChatFilterInfo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatFilterInfo - - return json.Marshal((*stub)(entity)) -} - -func (*ChatFilterInfo) GetClass() string { - return ClassChatFilterInfo -} - -func (*ChatFilterInfo) GetType() string { - return TypeChatFilterInfo -} - -// Describes a recommended chat filter -type RecommendedChatFilter struct { - meta - // The chat filter - Filter *ChatFilter `json:"filter"` - // Chat filter description - Description string `json:"description"` -} - -func (entity *RecommendedChatFilter) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub RecommendedChatFilter - - return json.Marshal((*stub)(entity)) -} - -func (*RecommendedChatFilter) GetClass() string { - return ClassRecommendedChatFilter -} - -func (*RecommendedChatFilter) GetType() string { - return TypeRecommendedChatFilter -} - -// Contains a list of recommended chat filters -type RecommendedChatFilters struct { - meta - // List of recommended chat filters - ChatFilters []*RecommendedChatFilter `json:"chat_filters"` -} - -func (entity *RecommendedChatFilters) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub RecommendedChatFilters - - return json.Marshal((*stub)(entity)) -} - -func (*RecommendedChatFilters) GetClass() string { - return ClassRecommendedChatFilters -} - -func (*RecommendedChatFilters) GetType() string { - return TypeRecommendedChatFilters -} - -// A main list of chats -type ChatListMain struct { - meta -} - -func (entity *ChatListMain) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatListMain - - return json.Marshal((*stub)(entity)) -} - -func (*ChatListMain) GetClass() string { - return ClassChatList -} - -func (*ChatListMain) GetType() string { - return TypeChatListMain -} - -func (*ChatListMain) ChatListType() string { - return TypeChatListMain -} - -// A list of chats usually located at the top of the main chat list. Unmuted chats are automatically moved from the Archive to the Main chat list when a new message arrives -type ChatListArchive struct { - meta -} - -func (entity *ChatListArchive) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatListArchive - - return json.Marshal((*stub)(entity)) -} - -func (*ChatListArchive) GetClass() string { - return ClassChatList -} - -func (*ChatListArchive) GetType() string { - return TypeChatListArchive -} - -func (*ChatListArchive) ChatListType() string { - return TypeChatListArchive -} - -// A list of chats belonging to a chat filter -type ChatListFilter struct { - meta - // Chat filter identifier - ChatFilterId int32 `json:"chat_filter_id"` -} - -func (entity *ChatListFilter) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatListFilter - - return json.Marshal((*stub)(entity)) -} - -func (*ChatListFilter) GetClass() string { - return ClassChatList -} - -func (*ChatListFilter) GetType() string { - return TypeChatListFilter -} - -func (*ChatListFilter) ChatListType() string { - return TypeChatListFilter -} - -// Contains a list of chat lists -type ChatLists struct { - meta - // List of chat lists - ChatLists []ChatList `json:"chat_lists"` -} - -func (entity *ChatLists) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatLists - - return json.Marshal((*stub)(entity)) -} - -func (*ChatLists) GetClass() string { - return ClassChatLists -} - -func (*ChatLists) GetType() string { - return TypeChatLists -} - -func (chatLists *ChatLists) UnmarshalJSON(data []byte) error { - var tmp struct { - ChatLists []json.RawMessage `json:"chat_lists"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - fieldChatLists, _ := UnmarshalListOfChatList(tmp.ChatLists) - chatLists.ChatLists = fieldChatLists - - return nil -} - -// The chat is sponsored by the user's MTProxy server -type ChatSourceMtprotoProxy struct { - meta -} - -func (entity *ChatSourceMtprotoProxy) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatSourceMtprotoProxy - - return json.Marshal((*stub)(entity)) -} - -func (*ChatSourceMtprotoProxy) GetClass() string { - return ClassChatSource -} - -func (*ChatSourceMtprotoProxy) GetType() string { - return TypeChatSourceMtprotoProxy -} - -func (*ChatSourceMtprotoProxy) ChatSourceType() string { - return TypeChatSourceMtprotoProxy -} - -// The chat contains a public service announcement -type ChatSourcePublicServiceAnnouncement struct { - meta - // The type of the announcement - Type string `json:"type"` - // The text of the announcement - Text string `json:"text"` -} - -func (entity *ChatSourcePublicServiceAnnouncement) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatSourcePublicServiceAnnouncement - - return json.Marshal((*stub)(entity)) -} - -func (*ChatSourcePublicServiceAnnouncement) GetClass() string { - return ClassChatSource -} - -func (*ChatSourcePublicServiceAnnouncement) GetType() string { - return TypeChatSourcePublicServiceAnnouncement -} - -func (*ChatSourcePublicServiceAnnouncement) ChatSourceType() string { - return TypeChatSourcePublicServiceAnnouncement -} - -// Describes a position of a chat in a chat list -type ChatPosition struct { - meta - // The chat list - List ChatList `json:"list"` - // A parameter used to determine order of the chat in the chat list. Chats must be sorted by the pair (order, chat.id) in descending order - Order JsonInt64 `json:"order"` - // True, if the chat is pinned in the chat list - IsPinned bool `json:"is_pinned"` - // Source of the chat in the chat list; may be null - Source ChatSource `json:"source"` -} - -func (entity *ChatPosition) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatPosition - - return json.Marshal((*stub)(entity)) -} - -func (*ChatPosition) GetClass() string { - return ClassChatPosition -} - -func (*ChatPosition) GetType() string { - return TypeChatPosition -} - -func (chatPosition *ChatPosition) UnmarshalJSON(data []byte) error { - var tmp struct { - List json.RawMessage `json:"list"` - Order JsonInt64 `json:"order"` - IsPinned bool `json:"is_pinned"` - Source json.RawMessage `json:"source"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - chatPosition.Order = tmp.Order - chatPosition.IsPinned = tmp.IsPinned - - fieldList, _ := UnmarshalChatList(tmp.List) - chatPosition.List = fieldList - - fieldSource, _ := UnmarshalChatSource(tmp.Source) - chatPosition.Source = fieldSource - - return nil -} - -// All reactions are available in the chat -type ChatAvailableReactionsAll struct { - meta -} - -func (entity *ChatAvailableReactionsAll) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatAvailableReactionsAll - - return json.Marshal((*stub)(entity)) -} - -func (*ChatAvailableReactionsAll) GetClass() string { - return ClassChatAvailableReactions -} - -func (*ChatAvailableReactionsAll) GetType() string { - return TypeChatAvailableReactionsAll -} - -func (*ChatAvailableReactionsAll) ChatAvailableReactionsType() string { - return TypeChatAvailableReactionsAll -} - -// Only specific reactions are available in the chat -type ChatAvailableReactionsSome struct { - meta - // The list of reactions - Reactions []ReactionType `json:"reactions"` -} - -func (entity *ChatAvailableReactionsSome) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatAvailableReactionsSome - - return json.Marshal((*stub)(entity)) -} - -func (*ChatAvailableReactionsSome) GetClass() string { - return ClassChatAvailableReactions -} - -func (*ChatAvailableReactionsSome) GetType() string { - return TypeChatAvailableReactionsSome -} - -func (*ChatAvailableReactionsSome) ChatAvailableReactionsType() string { - return TypeChatAvailableReactionsSome -} - -func (chatAvailableReactionsSome *ChatAvailableReactionsSome) UnmarshalJSON(data []byte) error { - var tmp struct { - Reactions []json.RawMessage `json:"reactions"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - fieldReactions, _ := UnmarshalListOfReactionType(tmp.Reactions) - chatAvailableReactionsSome.Reactions = fieldReactions - - return nil -} - -// Describes a video chat -type VideoChat struct { - meta - // Group call identifier of an active video chat; 0 if none. Full information about the video chat can be received through the method getGroupCall - GroupCallId int32 `json:"group_call_id"` - // True, if the video chat has participants - HasParticipants bool `json:"has_participants"` - // Default group call participant identifier to join the video chat; may be null - DefaultParticipantId MessageSender `json:"default_participant_id"` -} - -func (entity *VideoChat) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub VideoChat - - return json.Marshal((*stub)(entity)) -} - -func (*VideoChat) GetClass() string { - return ClassVideoChat -} - -func (*VideoChat) GetType() string { - return TypeVideoChat -} - -func (videoChat *VideoChat) UnmarshalJSON(data []byte) error { - var tmp struct { - GroupCallId int32 `json:"group_call_id"` - HasParticipants bool `json:"has_participants"` - DefaultParticipantId json.RawMessage `json:"default_participant_id"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - videoChat.GroupCallId = tmp.GroupCallId - videoChat.HasParticipants = tmp.HasParticipants - - fieldDefaultParticipantId, _ := UnmarshalMessageSender(tmp.DefaultParticipantId) - videoChat.DefaultParticipantId = fieldDefaultParticipantId - - return nil -} - -// A chat. (Can be a private chat, basic group, supergroup, or secret chat) -type Chat struct { - meta - // Chat unique identifier - Id int64 `json:"id"` - // Type of the chat - Type ChatType `json:"type"` - // Chat title - Title string `json:"title"` - // Chat photo; may be null - Photo *ChatPhotoInfo `json:"photo"` - // Actions that non-administrator chat members are allowed to take in the chat - Permissions *ChatPermissions `json:"permissions"` - // Last message in the chat; may be null - LastMessage *Message `json:"last_message"` - // Positions of the chat in chat lists - Positions []*ChatPosition `json:"positions"` - // Identifier of a user or chat that is selected to send messages in the chat; may be null if the user can't change message sender - MessageSenderId MessageSender `json:"message_sender_id"` - // True, if chat content can't be saved locally, forwarded, or copied - HasProtectedContent bool `json:"has_protected_content"` - // True, if translation of all messages in the chat must be suggested to the user - IsTranslatable bool `json:"is_translatable"` - // True, if the chat is marked as unread - IsMarkedAsUnread bool `json:"is_marked_as_unread"` - // True, if the chat is blocked by the current user and private messages from the chat can't be received - IsBlocked bool `json:"is_blocked"` - // True, if the chat has scheduled messages - HasScheduledMessages bool `json:"has_scheduled_messages"` - // True, if the chat messages can be deleted only for the current user while other users will continue to see the messages - CanBeDeletedOnlyForSelf bool `json:"can_be_deleted_only_for_self"` - // True, if the chat messages can be deleted for all users - CanBeDeletedForAllUsers bool `json:"can_be_deleted_for_all_users"` - // True, if the chat can be reported to Telegram moderators through reportChat or reportChatPhoto - CanBeReported bool `json:"can_be_reported"` - // Default value of the disable_notification parameter, used when a message is sent to the chat - DefaultDisableNotification bool `json:"default_disable_notification"` - // Number of unread messages in the chat - UnreadCount int32 `json:"unread_count"` - // Identifier of the last read incoming message - LastReadInboxMessageId int64 `json:"last_read_inbox_message_id"` - // Identifier of the last read outgoing message - LastReadOutboxMessageId int64 `json:"last_read_outbox_message_id"` - // Number of unread messages with a mention/reply in the chat - UnreadMentionCount int32 `json:"unread_mention_count"` - // Number of messages with unread reactions in the chat - UnreadReactionCount int32 `json:"unread_reaction_count"` - // Notification settings for the chat - NotificationSettings *ChatNotificationSettings `json:"notification_settings"` - // Types of reaction, available in the chat - AvailableReactions ChatAvailableReactions `json:"available_reactions"` - // Current message auto-delete or self-destruct timer setting for the chat, in seconds; 0 if disabled. Self-destruct timer in secret chats starts after the message or its content is viewed. Auto-delete timer in other chats starts from the send date - MessageAutoDeleteTime int32 `json:"message_auto_delete_time"` - // If non-empty, name of a theme, set for the chat - ThemeName string `json:"theme_name"` - // Information about actions which must be possible to do through the chat action bar; may be null - ActionBar ChatActionBar `json:"action_bar"` - // Information about video chat of the chat - VideoChat *VideoChat `json:"video_chat"` - // Information about pending join requests; may be null - PendingJoinRequests *ChatJoinRequestsInfo `json:"pending_join_requests"` - // Identifier of the message from which reply markup needs to be used; 0 if there is no default custom reply markup in the chat - ReplyMarkupMessageId int64 `json:"reply_markup_message_id"` - // A draft of a message in the chat; may be null - DraftMessage *DraftMessage `json:"draft_message"` - // Application-specific data associated with the chat. (For example, the chat scroll position or local chat notification settings can be stored here.) Persistent if the message database is used - ClientData string `json:"client_data"` -} - -func (entity *Chat) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub Chat - - return json.Marshal((*stub)(entity)) -} - -func (*Chat) GetClass() string { - return ClassChat -} - -func (*Chat) GetType() string { - return TypeChat -} - -func (chat *Chat) UnmarshalJSON(data []byte) error { - var tmp struct { - Id int64 `json:"id"` - Type json.RawMessage `json:"type"` - Title string `json:"title"` - Photo *ChatPhotoInfo `json:"photo"` - Permissions *ChatPermissions `json:"permissions"` - LastMessage *Message `json:"last_message"` - Positions []*ChatPosition `json:"positions"` - MessageSenderId json.RawMessage `json:"message_sender_id"` - HasProtectedContent bool `json:"has_protected_content"` - IsTranslatable bool `json:"is_translatable"` - IsMarkedAsUnread bool `json:"is_marked_as_unread"` - IsBlocked bool `json:"is_blocked"` - HasScheduledMessages bool `json:"has_scheduled_messages"` - CanBeDeletedOnlyForSelf bool `json:"can_be_deleted_only_for_self"` - CanBeDeletedForAllUsers bool `json:"can_be_deleted_for_all_users"` - CanBeReported bool `json:"can_be_reported"` - DefaultDisableNotification bool `json:"default_disable_notification"` - UnreadCount int32 `json:"unread_count"` - LastReadInboxMessageId int64 `json:"last_read_inbox_message_id"` - LastReadOutboxMessageId int64 `json:"last_read_outbox_message_id"` - UnreadMentionCount int32 `json:"unread_mention_count"` - UnreadReactionCount int32 `json:"unread_reaction_count"` - NotificationSettings *ChatNotificationSettings `json:"notification_settings"` - AvailableReactions json.RawMessage `json:"available_reactions"` - MessageAutoDeleteTime int32 `json:"message_auto_delete_time"` - ThemeName string `json:"theme_name"` - ActionBar json.RawMessage `json:"action_bar"` - VideoChat *VideoChat `json:"video_chat"` - PendingJoinRequests *ChatJoinRequestsInfo `json:"pending_join_requests"` - ReplyMarkupMessageId int64 `json:"reply_markup_message_id"` - DraftMessage *DraftMessage `json:"draft_message"` - ClientData string `json:"client_data"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - chat.Id = tmp.Id - chat.Title = tmp.Title - chat.Photo = tmp.Photo - chat.Permissions = tmp.Permissions - chat.LastMessage = tmp.LastMessage - chat.Positions = tmp.Positions - chat.HasProtectedContent = tmp.HasProtectedContent - chat.IsTranslatable = tmp.IsTranslatable - chat.IsMarkedAsUnread = tmp.IsMarkedAsUnread - chat.IsBlocked = tmp.IsBlocked - chat.HasScheduledMessages = tmp.HasScheduledMessages - chat.CanBeDeletedOnlyForSelf = tmp.CanBeDeletedOnlyForSelf - chat.CanBeDeletedForAllUsers = tmp.CanBeDeletedForAllUsers - chat.CanBeReported = tmp.CanBeReported - chat.DefaultDisableNotification = tmp.DefaultDisableNotification - chat.UnreadCount = tmp.UnreadCount - chat.LastReadInboxMessageId = tmp.LastReadInboxMessageId - chat.LastReadOutboxMessageId = tmp.LastReadOutboxMessageId - chat.UnreadMentionCount = tmp.UnreadMentionCount - chat.UnreadReactionCount = tmp.UnreadReactionCount - chat.NotificationSettings = tmp.NotificationSettings - chat.MessageAutoDeleteTime = tmp.MessageAutoDeleteTime - chat.ThemeName = tmp.ThemeName - chat.VideoChat = tmp.VideoChat - chat.PendingJoinRequests = tmp.PendingJoinRequests - chat.ReplyMarkupMessageId = tmp.ReplyMarkupMessageId - chat.DraftMessage = tmp.DraftMessage - chat.ClientData = tmp.ClientData - - fieldType, _ := UnmarshalChatType(tmp.Type) - chat.Type = fieldType - - fieldMessageSenderId, _ := UnmarshalMessageSender(tmp.MessageSenderId) - chat.MessageSenderId = fieldMessageSenderId - - fieldAvailableReactions, _ := UnmarshalChatAvailableReactions(tmp.AvailableReactions) - chat.AvailableReactions = fieldAvailableReactions - - fieldActionBar, _ := UnmarshalChatActionBar(tmp.ActionBar) - chat.ActionBar = fieldActionBar - - return nil -} - -// Represents a list of chats -type Chats struct { - meta - // Approximate total number of chats found - TotalCount int32 `json:"total_count"` - // List of chat identifiers - ChatIds []int64 `json:"chat_ids"` -} - -func (entity *Chats) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub Chats - - return json.Marshal((*stub)(entity)) -} - -func (*Chats) GetClass() string { - return ClassChats -} - -func (*Chats) GetType() string { - return TypeChats -} - -// Describes a chat located nearby -type ChatNearby struct { - meta - // Chat identifier - ChatId int64 `json:"chat_id"` - // Distance to the chat location, in meters - Distance int32 `json:"distance"` -} - -func (entity *ChatNearby) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatNearby - - return json.Marshal((*stub)(entity)) -} - -func (*ChatNearby) GetClass() string { - return ClassChatNearby -} - -func (*ChatNearby) GetType() string { - return TypeChatNearby -} - -// Represents a list of chats located nearby -type ChatsNearby struct { - meta - // List of users nearby - UsersNearby []*ChatNearby `json:"users_nearby"` - // List of location-based supergroups nearby - SupergroupsNearby []*ChatNearby `json:"supergroups_nearby"` -} - -func (entity *ChatsNearby) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatsNearby - - return json.Marshal((*stub)(entity)) -} - -func (*ChatsNearby) GetClass() string { - return ClassChatsNearby -} - -func (*ChatsNearby) GetType() string { - return TypeChatsNearby -} - -// The chat is public, because it has an active username -type PublicChatTypeHasUsername struct { - meta -} - -func (entity *PublicChatTypeHasUsername) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PublicChatTypeHasUsername - - return json.Marshal((*stub)(entity)) -} - -func (*PublicChatTypeHasUsername) GetClass() string { - return ClassPublicChatType -} - -func (*PublicChatTypeHasUsername) GetType() string { - return TypePublicChatTypeHasUsername -} - -func (*PublicChatTypeHasUsername) PublicChatTypeType() string { - return TypePublicChatTypeHasUsername -} - -// The chat is public, because it is a location-based supergroup -type PublicChatTypeIsLocationBased struct { - meta -} - -func (entity *PublicChatTypeIsLocationBased) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PublicChatTypeIsLocationBased - - return json.Marshal((*stub)(entity)) -} - -func (*PublicChatTypeIsLocationBased) GetClass() string { - return ClassPublicChatType -} - -func (*PublicChatTypeIsLocationBased) GetType() string { - return TypePublicChatTypeIsLocationBased -} - -func (*PublicChatTypeIsLocationBased) PublicChatTypeType() string { - return TypePublicChatTypeIsLocationBased -} - -// The chat can be reported as spam using the method reportChat with the reason chatReportReasonSpam. If the chat is a private chat with a user with an emoji status, then a notice about emoji status usage must be shown -type ChatActionBarReportSpam struct { - meta - // If true, the chat was automatically archived and can be moved back to the main chat list using addChatToList simultaneously with setting chat notification settings to default using setChatNotificationSettings - CanUnarchive bool `json:"can_unarchive"` -} - -func (entity *ChatActionBarReportSpam) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatActionBarReportSpam - - return json.Marshal((*stub)(entity)) -} - -func (*ChatActionBarReportSpam) GetClass() string { - return ClassChatActionBar -} - -func (*ChatActionBarReportSpam) GetType() string { - return TypeChatActionBarReportSpam -} - -func (*ChatActionBarReportSpam) ChatActionBarType() string { - return TypeChatActionBarReportSpam -} - -// The chat is a location-based supergroup, which can be reported as having unrelated location using the method reportChat with the reason chatReportReasonUnrelatedLocation -type ChatActionBarReportUnrelatedLocation struct { - meta -} - -func (entity *ChatActionBarReportUnrelatedLocation) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatActionBarReportUnrelatedLocation - - return json.Marshal((*stub)(entity)) -} - -func (*ChatActionBarReportUnrelatedLocation) GetClass() string { - return ClassChatActionBar -} - -func (*ChatActionBarReportUnrelatedLocation) GetType() string { - return TypeChatActionBarReportUnrelatedLocation -} - -func (*ChatActionBarReportUnrelatedLocation) ChatActionBarType() string { - return TypeChatActionBarReportUnrelatedLocation -} - -// The chat is a recently created group chat to which new members can be invited -type ChatActionBarInviteMembers struct { - meta -} - -func (entity *ChatActionBarInviteMembers) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatActionBarInviteMembers - - return json.Marshal((*stub)(entity)) -} - -func (*ChatActionBarInviteMembers) GetClass() string { - return ClassChatActionBar -} - -func (*ChatActionBarInviteMembers) GetType() string { - return TypeChatActionBarInviteMembers -} - -func (*ChatActionBarInviteMembers) ChatActionBarType() string { - return TypeChatActionBarInviteMembers -} - -// The chat is a private or secret chat, which can be reported using the method reportChat, or the other user can be blocked using the method toggleMessageSenderIsBlocked, or the other user can be added to the contact list using the method addContact. If the chat is a private chat with a user with an emoji status, then a notice about emoji status usage must be shown -type ChatActionBarReportAddBlock struct { - meta - // If true, the chat was automatically archived and can be moved back to the main chat list using addChatToList simultaneously with setting chat notification settings to default using setChatNotificationSettings - CanUnarchive bool `json:"can_unarchive"` - // If non-negative, the current user was found by the peer through searchChatsNearby and this is the distance between the users - Distance int32 `json:"distance"` -} - -func (entity *ChatActionBarReportAddBlock) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatActionBarReportAddBlock - - return json.Marshal((*stub)(entity)) -} - -func (*ChatActionBarReportAddBlock) GetClass() string { - return ClassChatActionBar -} - -func (*ChatActionBarReportAddBlock) GetType() string { - return TypeChatActionBarReportAddBlock -} - -func (*ChatActionBarReportAddBlock) ChatActionBarType() string { - return TypeChatActionBarReportAddBlock -} - -// The chat is a private or secret chat and the other user can be added to the contact list using the method addContact -type ChatActionBarAddContact struct { - meta -} - -func (entity *ChatActionBarAddContact) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatActionBarAddContact - - return json.Marshal((*stub)(entity)) -} - -func (*ChatActionBarAddContact) GetClass() string { - return ClassChatActionBar -} - -func (*ChatActionBarAddContact) GetType() string { - return TypeChatActionBarAddContact -} - -func (*ChatActionBarAddContact) ChatActionBarType() string { - return TypeChatActionBarAddContact -} - -// The chat is a private or secret chat with a mutual contact and the user's phone number can be shared with the other user using the method sharePhoneNumber -type ChatActionBarSharePhoneNumber struct { - meta -} - -func (entity *ChatActionBarSharePhoneNumber) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatActionBarSharePhoneNumber - - return json.Marshal((*stub)(entity)) -} - -func (*ChatActionBarSharePhoneNumber) GetClass() string { - return ClassChatActionBar -} - -func (*ChatActionBarSharePhoneNumber) GetType() string { - return TypeChatActionBarSharePhoneNumber -} - -func (*ChatActionBarSharePhoneNumber) ChatActionBarType() string { - return TypeChatActionBarSharePhoneNumber -} - -// The chat is a private chat with an administrator of a chat to which the user sent join request -type ChatActionBarJoinRequest struct { - meta - // Title of the chat to which the join request was sent - Title string `json:"title"` - // True, if the join request was sent to a channel chat - IsChannel bool `json:"is_channel"` - // Point in time (Unix timestamp) when the join request was sent - RequestDate int32 `json:"request_date"` -} - -func (entity *ChatActionBarJoinRequest) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatActionBarJoinRequest - - return json.Marshal((*stub)(entity)) -} - -func (*ChatActionBarJoinRequest) GetClass() string { - return ClassChatActionBar -} - -func (*ChatActionBarJoinRequest) GetType() string { - return TypeChatActionBarJoinRequest -} - -func (*ChatActionBarJoinRequest) ChatActionBarType() string { - return TypeChatActionBarJoinRequest -} - -// A simple button, with text that must be sent when the button is pressed -type KeyboardButtonTypeText struct { - meta -} - -func (entity *KeyboardButtonTypeText) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub KeyboardButtonTypeText - - return json.Marshal((*stub)(entity)) -} - -func (*KeyboardButtonTypeText) GetClass() string { - return ClassKeyboardButtonType -} - -func (*KeyboardButtonTypeText) GetType() string { - return TypeKeyboardButtonTypeText -} - -func (*KeyboardButtonTypeText) KeyboardButtonTypeType() string { - return TypeKeyboardButtonTypeText -} - -// A button that sends the user's phone number when pressed; available only in private chats -type KeyboardButtonTypeRequestPhoneNumber struct { - meta -} - -func (entity *KeyboardButtonTypeRequestPhoneNumber) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub KeyboardButtonTypeRequestPhoneNumber - - return json.Marshal((*stub)(entity)) -} - -func (*KeyboardButtonTypeRequestPhoneNumber) GetClass() string { - return ClassKeyboardButtonType -} - -func (*KeyboardButtonTypeRequestPhoneNumber) GetType() string { - return TypeKeyboardButtonTypeRequestPhoneNumber -} - -func (*KeyboardButtonTypeRequestPhoneNumber) KeyboardButtonTypeType() string { - return TypeKeyboardButtonTypeRequestPhoneNumber -} - -// A button that sends the user's location when pressed; available only in private chats -type KeyboardButtonTypeRequestLocation struct { - meta -} - -func (entity *KeyboardButtonTypeRequestLocation) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub KeyboardButtonTypeRequestLocation - - return json.Marshal((*stub)(entity)) -} - -func (*KeyboardButtonTypeRequestLocation) GetClass() string { - return ClassKeyboardButtonType -} - -func (*KeyboardButtonTypeRequestLocation) GetType() string { - return TypeKeyboardButtonTypeRequestLocation -} - -func (*KeyboardButtonTypeRequestLocation) KeyboardButtonTypeType() string { - return TypeKeyboardButtonTypeRequestLocation -} - -// A button that allows the user to create and send a poll when pressed; available only in private chats -type KeyboardButtonTypeRequestPoll struct { - meta - // If true, only regular polls must be allowed to create - ForceRegular bool `json:"force_regular"` - // If true, only polls in quiz mode must be allowed to create - ForceQuiz bool `json:"force_quiz"` -} - -func (entity *KeyboardButtonTypeRequestPoll) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub KeyboardButtonTypeRequestPoll - - return json.Marshal((*stub)(entity)) -} - -func (*KeyboardButtonTypeRequestPoll) GetClass() string { - return ClassKeyboardButtonType -} - -func (*KeyboardButtonTypeRequestPoll) GetType() string { - return TypeKeyboardButtonTypeRequestPoll -} - -func (*KeyboardButtonTypeRequestPoll) KeyboardButtonTypeType() string { - return TypeKeyboardButtonTypeRequestPoll -} - -// A button that requests a user to be shared by the current user; available only in private chats. Use the method shareUserWithBot to complete the request -type KeyboardButtonTypeRequestUser struct { - meta - // Unique button identifier - Id int32 `json:"id"` - // True, if the shared user must or must not be a bot - RestrictUserIsBot bool `json:"restrict_user_is_bot"` - // True, if the shared user must be a bot; otherwise, the shared user must no be a bot. Ignored if restrict_user_is_bot is false - UserIsBot bool `json:"user_is_bot"` - // True, if the shared user must or must not be a Telegram Premium user - RestrictUserIsPremium bool `json:"restrict_user_is_premium"` - // True, if the shared user must be a Telegram Premium user; otherwise, the shared user must no be a Telegram Premium user. Ignored if restrict_user_is_premium is false - UserIsPremium bool `json:"user_is_premium"` -} - -func (entity *KeyboardButtonTypeRequestUser) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub KeyboardButtonTypeRequestUser - - return json.Marshal((*stub)(entity)) -} - -func (*KeyboardButtonTypeRequestUser) GetClass() string { - return ClassKeyboardButtonType -} - -func (*KeyboardButtonTypeRequestUser) GetType() string { - return TypeKeyboardButtonTypeRequestUser -} - -func (*KeyboardButtonTypeRequestUser) KeyboardButtonTypeType() string { - return TypeKeyboardButtonTypeRequestUser -} - -// A button that requests a chat to be shared by the current user; available only in private chats. Use the method shareChatWithBot to complete the request -type KeyboardButtonTypeRequestChat struct { - meta - // Unique button identifier - Id int32 `json:"id"` - // True, if the chat must be a channel; otherwise, a basic group or a supergroup chat is shared - ChatIsChannel bool `json:"chat_is_channel"` - // True, if the chat must or must not be a forum supergroup - RestrictChatIsForum bool `json:"restrict_chat_is_forum"` - // True, if the chat must be a forum supergroup; otherwise, the chat must not be a forum supergroup. Ignored if restrict_chat_is_forum is false - ChatIsForum bool `json:"chat_is_forum"` - // True, if the chat must or must not have a username - RestrictChatHasUsername bool `json:"restrict_chat_has_username"` - // True, if the chat must have a username; otherwise, the chat must not have a username. Ignored if restrict_chat_has_username is false - ChatHasUsername bool `json:"chat_has_username"` - // True, if the chat must be created by the current user - ChatIsCreated bool `json:"chat_is_created"` - // Expected user administrator rights in the chat; may be null if they aren't restricted - UserAdministratorRights *ChatAdministratorRights `json:"user_administrator_rights"` - // Expected bot administrator rights in the chat; may be null if they aren't restricted - BotAdministratorRights *ChatAdministratorRights `json:"bot_administrator_rights"` - // True, if the bot must be a member of the chat; for basic group and supergroup chats only - BotIsMember bool `json:"bot_is_member"` -} - -func (entity *KeyboardButtonTypeRequestChat) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub KeyboardButtonTypeRequestChat - - return json.Marshal((*stub)(entity)) -} - -func (*KeyboardButtonTypeRequestChat) GetClass() string { - return ClassKeyboardButtonType -} - -func (*KeyboardButtonTypeRequestChat) GetType() string { - return TypeKeyboardButtonTypeRequestChat -} - -func (*KeyboardButtonTypeRequestChat) KeyboardButtonTypeType() string { - return TypeKeyboardButtonTypeRequestChat -} - -// A button that opens a Web App by calling getWebAppUrl -type KeyboardButtonTypeWebApp struct { - meta - // An HTTP URL to pass to getWebAppUrl - Url string `json:"url"` -} - -func (entity *KeyboardButtonTypeWebApp) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub KeyboardButtonTypeWebApp - - return json.Marshal((*stub)(entity)) -} - -func (*KeyboardButtonTypeWebApp) GetClass() string { - return ClassKeyboardButtonType -} - -func (*KeyboardButtonTypeWebApp) GetType() string { - return TypeKeyboardButtonTypeWebApp -} - -func (*KeyboardButtonTypeWebApp) KeyboardButtonTypeType() string { - return TypeKeyboardButtonTypeWebApp -} - -// Represents a single button in a bot keyboard -type KeyboardButton struct { - meta - // Text of the button - Text string `json:"text"` - // Type of the button - Type KeyboardButtonType `json:"type"` -} - -func (entity *KeyboardButton) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub KeyboardButton - - return json.Marshal((*stub)(entity)) -} - -func (*KeyboardButton) GetClass() string { - return ClassKeyboardButton -} - -func (*KeyboardButton) GetType() string { - return TypeKeyboardButton -} - -func (keyboardButton *KeyboardButton) UnmarshalJSON(data []byte) error { - var tmp struct { - Text string `json:"text"` - Type json.RawMessage `json:"type"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - keyboardButton.Text = tmp.Text - - fieldType, _ := UnmarshalKeyboardButtonType(tmp.Type) - keyboardButton.Type = fieldType - - return nil -} - -// A button that opens a specified URL -type InlineKeyboardButtonTypeUrl struct { - meta - // HTTP or tg:// URL to open - Url string `json:"url"` -} - -func (entity *InlineKeyboardButtonTypeUrl) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InlineKeyboardButtonTypeUrl - - return json.Marshal((*stub)(entity)) -} - -func (*InlineKeyboardButtonTypeUrl) GetClass() string { - return ClassInlineKeyboardButtonType -} - -func (*InlineKeyboardButtonTypeUrl) GetType() string { - return TypeInlineKeyboardButtonTypeUrl -} - -func (*InlineKeyboardButtonTypeUrl) InlineKeyboardButtonTypeType() string { - return TypeInlineKeyboardButtonTypeUrl -} - -// A button that opens a specified URL and automatically authorize the current user by calling getLoginUrlInfo -type InlineKeyboardButtonTypeLoginUrl struct { - meta - // An HTTP URL to pass to getLoginUrlInfo - Url string `json:"url"` - // Unique button identifier - Id int64 `json:"id"` - // If non-empty, new text of the button in forwarded messages - ForwardText string `json:"forward_text"` -} - -func (entity *InlineKeyboardButtonTypeLoginUrl) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InlineKeyboardButtonTypeLoginUrl - - return json.Marshal((*stub)(entity)) -} - -func (*InlineKeyboardButtonTypeLoginUrl) GetClass() string { - return ClassInlineKeyboardButtonType -} - -func (*InlineKeyboardButtonTypeLoginUrl) GetType() string { - return TypeInlineKeyboardButtonTypeLoginUrl -} - -func (*InlineKeyboardButtonTypeLoginUrl) InlineKeyboardButtonTypeType() string { - return TypeInlineKeyboardButtonTypeLoginUrl -} - -// A button that opens a Web App by calling openWebApp -type InlineKeyboardButtonTypeWebApp struct { - meta - // An HTTP URL to pass to openWebApp - Url string `json:"url"` -} - -func (entity *InlineKeyboardButtonTypeWebApp) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InlineKeyboardButtonTypeWebApp - - return json.Marshal((*stub)(entity)) -} - -func (*InlineKeyboardButtonTypeWebApp) GetClass() string { - return ClassInlineKeyboardButtonType -} - -func (*InlineKeyboardButtonTypeWebApp) GetType() string { - return TypeInlineKeyboardButtonTypeWebApp -} - -func (*InlineKeyboardButtonTypeWebApp) InlineKeyboardButtonTypeType() string { - return TypeInlineKeyboardButtonTypeWebApp -} - -// A button that sends a callback query to a bot -type InlineKeyboardButtonTypeCallback struct { - meta - // Data to be sent to the bot via a callback query - Data []byte `json:"data"` -} - -func (entity *InlineKeyboardButtonTypeCallback) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InlineKeyboardButtonTypeCallback - - return json.Marshal((*stub)(entity)) -} - -func (*InlineKeyboardButtonTypeCallback) GetClass() string { - return ClassInlineKeyboardButtonType -} - -func (*InlineKeyboardButtonTypeCallback) GetType() string { - return TypeInlineKeyboardButtonTypeCallback -} - -func (*InlineKeyboardButtonTypeCallback) InlineKeyboardButtonTypeType() string { - return TypeInlineKeyboardButtonTypeCallback -} - -// A button that asks for the 2-step verification password of the current user and then sends a callback query to a bot -type InlineKeyboardButtonTypeCallbackWithPassword struct { - meta - // Data to be sent to the bot via a callback query - Data []byte `json:"data"` -} - -func (entity *InlineKeyboardButtonTypeCallbackWithPassword) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InlineKeyboardButtonTypeCallbackWithPassword - - return json.Marshal((*stub)(entity)) -} - -func (*InlineKeyboardButtonTypeCallbackWithPassword) GetClass() string { - return ClassInlineKeyboardButtonType -} - -func (*InlineKeyboardButtonTypeCallbackWithPassword) GetType() string { - return TypeInlineKeyboardButtonTypeCallbackWithPassword -} - -func (*InlineKeyboardButtonTypeCallbackWithPassword) InlineKeyboardButtonTypeType() string { - return TypeInlineKeyboardButtonTypeCallbackWithPassword -} - -// A button with a game that sends a callback query to a bot. This button must be in the first column and row of the keyboard and can be attached only to a message with content of the type messageGame -type InlineKeyboardButtonTypeCallbackGame struct { - meta -} - -func (entity *InlineKeyboardButtonTypeCallbackGame) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InlineKeyboardButtonTypeCallbackGame - - return json.Marshal((*stub)(entity)) -} - -func (*InlineKeyboardButtonTypeCallbackGame) GetClass() string { - return ClassInlineKeyboardButtonType -} - -func (*InlineKeyboardButtonTypeCallbackGame) GetType() string { - return TypeInlineKeyboardButtonTypeCallbackGame -} - -func (*InlineKeyboardButtonTypeCallbackGame) InlineKeyboardButtonTypeType() string { - return TypeInlineKeyboardButtonTypeCallbackGame -} - -// A button that forces an inline query to the bot to be inserted in the input field -type InlineKeyboardButtonTypeSwitchInline struct { - meta - // Inline query to be sent to the bot - Query string `json:"query"` - // True, if the inline query must be sent from the current chat - InCurrentChat bool `json:"in_current_chat"` -} - -func (entity *InlineKeyboardButtonTypeSwitchInline) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InlineKeyboardButtonTypeSwitchInline - - return json.Marshal((*stub)(entity)) -} - -func (*InlineKeyboardButtonTypeSwitchInline) GetClass() string { - return ClassInlineKeyboardButtonType -} - -func (*InlineKeyboardButtonTypeSwitchInline) GetType() string { - return TypeInlineKeyboardButtonTypeSwitchInline -} - -func (*InlineKeyboardButtonTypeSwitchInline) InlineKeyboardButtonTypeType() string { - return TypeInlineKeyboardButtonTypeSwitchInline -} - -// A button to buy something. This button must be in the first column and row of the keyboard and can be attached only to a message with content of the type messageInvoice -type InlineKeyboardButtonTypeBuy struct { - meta -} - -func (entity *InlineKeyboardButtonTypeBuy) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InlineKeyboardButtonTypeBuy - - return json.Marshal((*stub)(entity)) -} - -func (*InlineKeyboardButtonTypeBuy) GetClass() string { - return ClassInlineKeyboardButtonType -} - -func (*InlineKeyboardButtonTypeBuy) GetType() string { - return TypeInlineKeyboardButtonTypeBuy -} - -func (*InlineKeyboardButtonTypeBuy) InlineKeyboardButtonTypeType() string { - return TypeInlineKeyboardButtonTypeBuy -} - -// A button with a user reference to be handled in the same way as textEntityTypeMentionName entities -type InlineKeyboardButtonTypeUser struct { - meta - // User identifier - UserId int64 `json:"user_id"` -} - -func (entity *InlineKeyboardButtonTypeUser) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InlineKeyboardButtonTypeUser - - return json.Marshal((*stub)(entity)) -} - -func (*InlineKeyboardButtonTypeUser) GetClass() string { - return ClassInlineKeyboardButtonType -} - -func (*InlineKeyboardButtonTypeUser) GetType() string { - return TypeInlineKeyboardButtonTypeUser -} - -func (*InlineKeyboardButtonTypeUser) InlineKeyboardButtonTypeType() string { - return TypeInlineKeyboardButtonTypeUser -} - -// Represents a single button in an inline keyboard -type InlineKeyboardButton struct { - meta - // Text of the button - Text string `json:"text"` - // Type of the button - Type InlineKeyboardButtonType `json:"type"` -} - -func (entity *InlineKeyboardButton) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InlineKeyboardButton - - return json.Marshal((*stub)(entity)) -} - -func (*InlineKeyboardButton) GetClass() string { - return ClassInlineKeyboardButton -} - -func (*InlineKeyboardButton) GetType() string { - return TypeInlineKeyboardButton -} - -func (inlineKeyboardButton *InlineKeyboardButton) UnmarshalJSON(data []byte) error { - var tmp struct { - Text string `json:"text"` - Type json.RawMessage `json:"type"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - inlineKeyboardButton.Text = tmp.Text - - fieldType, _ := UnmarshalInlineKeyboardButtonType(tmp.Type) - inlineKeyboardButton.Type = fieldType - - return nil -} - -// Instructs application to remove the keyboard once this message has been received. This kind of keyboard can't be received in an incoming message; instead, updateChatReplyMarkup with message_id == 0 will be sent -type ReplyMarkupRemoveKeyboard struct { - meta - // True, if the keyboard is removed only for the mentioned users or the target user of a reply - IsPersonal bool `json:"is_personal"` -} - -func (entity *ReplyMarkupRemoveKeyboard) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ReplyMarkupRemoveKeyboard - - return json.Marshal((*stub)(entity)) -} - -func (*ReplyMarkupRemoveKeyboard) GetClass() string { - return ClassReplyMarkup -} - -func (*ReplyMarkupRemoveKeyboard) GetType() string { - return TypeReplyMarkupRemoveKeyboard -} - -func (*ReplyMarkupRemoveKeyboard) ReplyMarkupType() string { - return TypeReplyMarkupRemoveKeyboard -} - -// Instructs application to force a reply to this message -type ReplyMarkupForceReply struct { - meta - // True, if a forced reply must automatically be shown to the current user. For outgoing messages, specify true to show the forced reply only for the mentioned users and for the target user of a reply - IsPersonal bool `json:"is_personal"` - // If non-empty, the placeholder to be shown in the input field when the reply is active; 0-64 characters - InputFieldPlaceholder string `json:"input_field_placeholder"` -} - -func (entity *ReplyMarkupForceReply) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ReplyMarkupForceReply - - return json.Marshal((*stub)(entity)) -} - -func (*ReplyMarkupForceReply) GetClass() string { - return ClassReplyMarkup -} - -func (*ReplyMarkupForceReply) GetType() string { - return TypeReplyMarkupForceReply -} - -func (*ReplyMarkupForceReply) ReplyMarkupType() string { - return TypeReplyMarkupForceReply -} - -// Contains a custom keyboard layout to quickly reply to bots -type ReplyMarkupShowKeyboard struct { - meta - // A list of rows of bot keyboard buttons - Rows [][]*KeyboardButton `json:"rows"` - // True, if the keyboard is supposed to always be shown when the ordinary keyboard is hidden - IsPersistent bool `json:"is_persistent"` - // True, if the application needs to resize the keyboard vertically - ResizeKeyboard bool `json:"resize_keyboard"` - // True, if the application needs to hide the keyboard after use - OneTime bool `json:"one_time"` - // True, if the keyboard must automatically be shown to the current user. For outgoing messages, specify true to show the keyboard only for the mentioned users and for the target user of a reply - IsPersonal bool `json:"is_personal"` - // If non-empty, the placeholder to be shown in the input field when the keyboard is active; 0-64 characters - InputFieldPlaceholder string `json:"input_field_placeholder"` -} - -func (entity *ReplyMarkupShowKeyboard) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ReplyMarkupShowKeyboard - - return json.Marshal((*stub)(entity)) -} - -func (*ReplyMarkupShowKeyboard) GetClass() string { - return ClassReplyMarkup -} - -func (*ReplyMarkupShowKeyboard) GetType() string { - return TypeReplyMarkupShowKeyboard -} - -func (*ReplyMarkupShowKeyboard) ReplyMarkupType() string { - return TypeReplyMarkupShowKeyboard -} - -// Contains an inline keyboard layout -type ReplyMarkupInlineKeyboard struct { - meta - // A list of rows of inline keyboard buttons - Rows [][]*InlineKeyboardButton `json:"rows"` -} - -func (entity *ReplyMarkupInlineKeyboard) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ReplyMarkupInlineKeyboard - - return json.Marshal((*stub)(entity)) -} - -func (*ReplyMarkupInlineKeyboard) GetClass() string { - return ClassReplyMarkup -} - -func (*ReplyMarkupInlineKeyboard) GetType() string { - return TypeReplyMarkupInlineKeyboard -} - -func (*ReplyMarkupInlineKeyboard) ReplyMarkupType() string { - return TypeReplyMarkupInlineKeyboard -} - -// An HTTP URL needs to be open -type LoginUrlInfoOpen struct { - meta - // The URL to open - Url string `json:"url"` - // True, if there is no need to show an ordinary open URL confirmation - SkipConfirmation bool `json:"skip_confirmation"` -} - -func (entity *LoginUrlInfoOpen) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub LoginUrlInfoOpen - - return json.Marshal((*stub)(entity)) -} - -func (*LoginUrlInfoOpen) GetClass() string { - return ClassLoginUrlInfo -} - -func (*LoginUrlInfoOpen) GetType() string { - return TypeLoginUrlInfoOpen -} - -func (*LoginUrlInfoOpen) LoginUrlInfoType() string { - return TypeLoginUrlInfoOpen -} - -// An authorization confirmation dialog needs to be shown to the user -type LoginUrlInfoRequestConfirmation struct { - meta - // An HTTP URL to be opened - Url string `json:"url"` - // A domain of the URL - Domain string `json:"domain"` - // User identifier of a bot linked with the website - BotUserId int64 `json:"bot_user_id"` - // True, if the user must be asked for the permission to the bot to send them messages - RequestWriteAccess bool `json:"request_write_access"` -} - -func (entity *LoginUrlInfoRequestConfirmation) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub LoginUrlInfoRequestConfirmation - - return json.Marshal((*stub)(entity)) -} - -func (*LoginUrlInfoRequestConfirmation) GetClass() string { - return ClassLoginUrlInfo -} - -func (*LoginUrlInfoRequestConfirmation) GetType() string { - return TypeLoginUrlInfoRequestConfirmation -} - -func (*LoginUrlInfoRequestConfirmation) LoginUrlInfoType() string { - return TypeLoginUrlInfoRequestConfirmation -} - -// Contains information about a Web App found by its short name -type FoundWebApp struct { - meta - // The Web App - WebApp *WebApp `json:"web_app"` - // True, if the user must be asked for the permission to the bot to send them messages - RequestWriteAccess bool `json:"request_write_access"` - // True, if there is no need to show an ordinary open URL confirmation before opening the Web App. The field must be ignored and confirmation must be shown anyway if the Web App link was hidden - SkipConfirmation bool `json:"skip_confirmation"` -} - -func (entity *FoundWebApp) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub FoundWebApp - - return json.Marshal((*stub)(entity)) -} - -func (*FoundWebApp) GetClass() string { - return ClassFoundWebApp -} - -func (*FoundWebApp) GetType() string { - return TypeFoundWebApp -} - -// Contains information about a Web App -type WebAppInfo struct { - meta - // Unique identifier for the Web App launch - LaunchId JsonInt64 `json:"launch_id"` - // A Web App URL to open in a web view - Url string `json:"url"` -} - -func (entity *WebAppInfo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub WebAppInfo - - return json.Marshal((*stub)(entity)) -} - -func (*WebAppInfo) GetClass() string { - return ClassWebAppInfo -} - -func (*WebAppInfo) GetType() string { - return TypeWebAppInfo -} - -// Contains information about a message thread -type MessageThreadInfo struct { - meta - // Identifier of the chat to which the message thread belongs - ChatId int64 `json:"chat_id"` - // Message thread identifier, unique within the chat - MessageThreadId int64 `json:"message_thread_id"` - // Information about the message thread; may be null for forum topic threads - ReplyInfo *MessageReplyInfo `json:"reply_info"` - // Approximate number of unread messages in the message thread - UnreadMessageCount int32 `json:"unread_message_count"` - // The messages from which the thread starts. The messages are returned in a reverse chronological order (i.e., in order of decreasing message_id) - Messages []*Message `json:"messages"` - // A draft of a message in the message thread; may be null - DraftMessage *DraftMessage `json:"draft_message"` -} - -func (entity *MessageThreadInfo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageThreadInfo - - return json.Marshal((*stub)(entity)) -} - -func (*MessageThreadInfo) GetClass() string { - return ClassMessageThreadInfo -} - -func (*MessageThreadInfo) GetType() string { - return TypeMessageThreadInfo -} - -// Describes a forum topic icon -type ForumTopicIcon struct { - meta - // Color of the topic icon in RGB format - Color int32 `json:"color"` - // Unique identifier of the custom emoji shown on the topic icon; 0 if none - CustomEmojiId JsonInt64 `json:"custom_emoji_id"` -} - -func (entity *ForumTopicIcon) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ForumTopicIcon - - return json.Marshal((*stub)(entity)) -} - -func (*ForumTopicIcon) GetClass() string { - return ClassForumTopicIcon -} - -func (*ForumTopicIcon) GetType() string { - return TypeForumTopicIcon -} - -// Contains basic information about a forum topic -type ForumTopicInfo struct { - meta - // Message thread identifier of the topic - MessageThreadId int64 `json:"message_thread_id"` - // Name of the topic - Name string `json:"name"` - // Icon of the topic - Icon *ForumTopicIcon `json:"icon"` - // Date the topic was created - CreationDate int32 `json:"creation_date"` - // Identifier of the creator of the topic - CreatorId MessageSender `json:"creator_id"` - // True, if the topic is the General topic list - IsGeneral bool `json:"is_general"` - // True, if the topic was created by the current user - IsOutgoing bool `json:"is_outgoing"` - // True, if the topic is closed - IsClosed bool `json:"is_closed"` - // True, if the topic is hidden above the topic list and closed; for General topic only - IsHidden bool `json:"is_hidden"` -} - -func (entity *ForumTopicInfo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ForumTopicInfo - - return json.Marshal((*stub)(entity)) -} - -func (*ForumTopicInfo) GetClass() string { - return ClassForumTopicInfo -} - -func (*ForumTopicInfo) GetType() string { - return TypeForumTopicInfo -} - -func (forumTopicInfo *ForumTopicInfo) UnmarshalJSON(data []byte) error { - var tmp struct { - MessageThreadId int64 `json:"message_thread_id"` - Name string `json:"name"` - Icon *ForumTopicIcon `json:"icon"` - CreationDate int32 `json:"creation_date"` - CreatorId json.RawMessage `json:"creator_id"` - IsGeneral bool `json:"is_general"` - IsOutgoing bool `json:"is_outgoing"` - IsClosed bool `json:"is_closed"` - IsHidden bool `json:"is_hidden"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - forumTopicInfo.MessageThreadId = tmp.MessageThreadId - forumTopicInfo.Name = tmp.Name - forumTopicInfo.Icon = tmp.Icon - forumTopicInfo.CreationDate = tmp.CreationDate - forumTopicInfo.IsGeneral = tmp.IsGeneral - forumTopicInfo.IsOutgoing = tmp.IsOutgoing - forumTopicInfo.IsClosed = tmp.IsClosed - forumTopicInfo.IsHidden = tmp.IsHidden - - fieldCreatorId, _ := UnmarshalMessageSender(tmp.CreatorId) - forumTopicInfo.CreatorId = fieldCreatorId - - return nil -} - -// Describes a forum topic -type ForumTopic struct { - meta - // Basic information about the topic - Info *ForumTopicInfo `json:"info"` - // Last message in the topic; may be null if unknown - LastMessage *Message `json:"last_message"` - // True, if the topic is pinned in the topic list - IsPinned bool `json:"is_pinned"` - // Number of unread messages in the topic - UnreadCount int32 `json:"unread_count"` - // Identifier of the last read incoming message - LastReadInboxMessageId int64 `json:"last_read_inbox_message_id"` - // Identifier of the last read outgoing message - LastReadOutboxMessageId int64 `json:"last_read_outbox_message_id"` - // Number of unread messages with a mention/reply in the topic - UnreadMentionCount int32 `json:"unread_mention_count"` - // Number of messages with unread reactions in the topic - UnreadReactionCount int32 `json:"unread_reaction_count"` - // Notification settings for the topic - NotificationSettings *ChatNotificationSettings `json:"notification_settings"` - // A draft of a message in the topic; may be null - DraftMessage *DraftMessage `json:"draft_message"` -} - -func (entity *ForumTopic) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ForumTopic - - return json.Marshal((*stub)(entity)) -} - -func (*ForumTopic) GetClass() string { - return ClassForumTopic -} - -func (*ForumTopic) GetType() string { - return TypeForumTopic -} - -// Describes a list of forum topics -type ForumTopics struct { - meta - // Approximate total number of forum topics found - TotalCount int32 `json:"total_count"` - // List of forum topics - Topics []*ForumTopic `json:"topics"` - // Offset date for the next getForumTopics request - NextOffsetDate int32 `json:"next_offset_date"` - // Offset message identifier for the next getForumTopics request - NextOffsetMessageId int64 `json:"next_offset_message_id"` - // Offset message thread identifier for the next getForumTopics request - NextOffsetMessageThreadId int64 `json:"next_offset_message_thread_id"` -} - -func (entity *ForumTopics) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ForumTopics - - return json.Marshal((*stub)(entity)) -} - -func (*ForumTopics) GetClass() string { - return ClassForumTopics -} - -func (*ForumTopics) GetType() string { - return TypeForumTopics -} - -// A plain text -type RichTextPlain struct { - meta - // Text - Text string `json:"text"` -} - -func (entity *RichTextPlain) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub RichTextPlain - - return json.Marshal((*stub)(entity)) -} - -func (*RichTextPlain) GetClass() string { - return ClassRichText -} - -func (*RichTextPlain) GetType() string { - return TypeRichTextPlain -} - -func (*RichTextPlain) RichTextType() string { - return TypeRichTextPlain -} - -// A bold rich text -type RichTextBold struct { - meta - // Text - Text RichText `json:"text"` -} - -func (entity *RichTextBold) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub RichTextBold - - return json.Marshal((*stub)(entity)) -} - -func (*RichTextBold) GetClass() string { - return ClassRichText -} - -func (*RichTextBold) GetType() string { - return TypeRichTextBold -} - -func (*RichTextBold) RichTextType() string { - return TypeRichTextBold -} - -func (richTextBold *RichTextBold) UnmarshalJSON(data []byte) error { - var tmp struct { - Text json.RawMessage `json:"text"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - fieldText, _ := UnmarshalRichText(tmp.Text) - richTextBold.Text = fieldText - - return nil -} - -// An italicized rich text -type RichTextItalic struct { - meta - // Text - Text RichText `json:"text"` -} - -func (entity *RichTextItalic) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub RichTextItalic - - return json.Marshal((*stub)(entity)) -} - -func (*RichTextItalic) GetClass() string { - return ClassRichText -} - -func (*RichTextItalic) GetType() string { - return TypeRichTextItalic -} - -func (*RichTextItalic) RichTextType() string { - return TypeRichTextItalic -} - -func (richTextItalic *RichTextItalic) UnmarshalJSON(data []byte) error { - var tmp struct { - Text json.RawMessage `json:"text"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - fieldText, _ := UnmarshalRichText(tmp.Text) - richTextItalic.Text = fieldText - - return nil -} - -// An underlined rich text -type RichTextUnderline struct { - meta - // Text - Text RichText `json:"text"` -} - -func (entity *RichTextUnderline) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub RichTextUnderline - - return json.Marshal((*stub)(entity)) -} - -func (*RichTextUnderline) GetClass() string { - return ClassRichText -} - -func (*RichTextUnderline) GetType() string { - return TypeRichTextUnderline -} - -func (*RichTextUnderline) RichTextType() string { - return TypeRichTextUnderline -} - -func (richTextUnderline *RichTextUnderline) UnmarshalJSON(data []byte) error { - var tmp struct { - Text json.RawMessage `json:"text"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - fieldText, _ := UnmarshalRichText(tmp.Text) - richTextUnderline.Text = fieldText - - return nil -} - -// A strikethrough rich text -type RichTextStrikethrough struct { - meta - // Text - Text RichText `json:"text"` -} - -func (entity *RichTextStrikethrough) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub RichTextStrikethrough - - return json.Marshal((*stub)(entity)) -} - -func (*RichTextStrikethrough) GetClass() string { - return ClassRichText -} - -func (*RichTextStrikethrough) GetType() string { - return TypeRichTextStrikethrough -} - -func (*RichTextStrikethrough) RichTextType() string { - return TypeRichTextStrikethrough -} - -func (richTextStrikethrough *RichTextStrikethrough) UnmarshalJSON(data []byte) error { - var tmp struct { - Text json.RawMessage `json:"text"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - fieldText, _ := UnmarshalRichText(tmp.Text) - richTextStrikethrough.Text = fieldText - - return nil -} - -// A fixed-width rich text -type RichTextFixed struct { - meta - // Text - Text RichText `json:"text"` -} - -func (entity *RichTextFixed) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub RichTextFixed - - return json.Marshal((*stub)(entity)) -} - -func (*RichTextFixed) GetClass() string { - return ClassRichText -} - -func (*RichTextFixed) GetType() string { - return TypeRichTextFixed -} - -func (*RichTextFixed) RichTextType() string { - return TypeRichTextFixed -} - -func (richTextFixed *RichTextFixed) UnmarshalJSON(data []byte) error { - var tmp struct { - Text json.RawMessage `json:"text"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - fieldText, _ := UnmarshalRichText(tmp.Text) - richTextFixed.Text = fieldText - - return nil -} - -// A rich text URL link -type RichTextUrl struct { - meta - // Text - Text RichText `json:"text"` - // URL - Url string `json:"url"` - // True, if the URL has cached instant view server-side - IsCached bool `json:"is_cached"` -} - -func (entity *RichTextUrl) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub RichTextUrl - - return json.Marshal((*stub)(entity)) -} - -func (*RichTextUrl) GetClass() string { - return ClassRichText -} - -func (*RichTextUrl) GetType() string { - return TypeRichTextUrl -} - -func (*RichTextUrl) RichTextType() string { - return TypeRichTextUrl -} - -func (richTextUrl *RichTextUrl) UnmarshalJSON(data []byte) error { - var tmp struct { - Text json.RawMessage `json:"text"` - Url string `json:"url"` - IsCached bool `json:"is_cached"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - richTextUrl.Url = tmp.Url - richTextUrl.IsCached = tmp.IsCached - - fieldText, _ := UnmarshalRichText(tmp.Text) - richTextUrl.Text = fieldText - - return nil -} - -// A rich text email link -type RichTextEmailAddress struct { - meta - // Text - Text RichText `json:"text"` - // Email address - EmailAddress string `json:"email_address"` -} - -func (entity *RichTextEmailAddress) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub RichTextEmailAddress - - return json.Marshal((*stub)(entity)) -} - -func (*RichTextEmailAddress) GetClass() string { - return ClassRichText -} - -func (*RichTextEmailAddress) GetType() string { - return TypeRichTextEmailAddress -} - -func (*RichTextEmailAddress) RichTextType() string { - return TypeRichTextEmailAddress -} - -func (richTextEmailAddress *RichTextEmailAddress) UnmarshalJSON(data []byte) error { - var tmp struct { - Text json.RawMessage `json:"text"` - EmailAddress string `json:"email_address"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - richTextEmailAddress.EmailAddress = tmp.EmailAddress - - fieldText, _ := UnmarshalRichText(tmp.Text) - richTextEmailAddress.Text = fieldText - - return nil -} - -// A subscript rich text -type RichTextSubscript struct { - meta - // Text - Text RichText `json:"text"` -} - -func (entity *RichTextSubscript) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub RichTextSubscript - - return json.Marshal((*stub)(entity)) -} - -func (*RichTextSubscript) GetClass() string { - return ClassRichText -} - -func (*RichTextSubscript) GetType() string { - return TypeRichTextSubscript -} - -func (*RichTextSubscript) RichTextType() string { - return TypeRichTextSubscript -} - -func (richTextSubscript *RichTextSubscript) UnmarshalJSON(data []byte) error { - var tmp struct { - Text json.RawMessage `json:"text"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - fieldText, _ := UnmarshalRichText(tmp.Text) - richTextSubscript.Text = fieldText - - return nil -} - -// A superscript rich text -type RichTextSuperscript struct { - meta - // Text - Text RichText `json:"text"` -} - -func (entity *RichTextSuperscript) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub RichTextSuperscript - - return json.Marshal((*stub)(entity)) -} - -func (*RichTextSuperscript) GetClass() string { - return ClassRichText -} - -func (*RichTextSuperscript) GetType() string { - return TypeRichTextSuperscript -} - -func (*RichTextSuperscript) RichTextType() string { - return TypeRichTextSuperscript -} - -func (richTextSuperscript *RichTextSuperscript) UnmarshalJSON(data []byte) error { - var tmp struct { - Text json.RawMessage `json:"text"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - fieldText, _ := UnmarshalRichText(tmp.Text) - richTextSuperscript.Text = fieldText - - return nil -} - -// A marked rich text -type RichTextMarked struct { - meta - // Text - Text RichText `json:"text"` -} - -func (entity *RichTextMarked) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub RichTextMarked - - return json.Marshal((*stub)(entity)) -} - -func (*RichTextMarked) GetClass() string { - return ClassRichText -} - -func (*RichTextMarked) GetType() string { - return TypeRichTextMarked -} - -func (*RichTextMarked) RichTextType() string { - return TypeRichTextMarked -} - -func (richTextMarked *RichTextMarked) UnmarshalJSON(data []byte) error { - var tmp struct { - Text json.RawMessage `json:"text"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - fieldText, _ := UnmarshalRichText(tmp.Text) - richTextMarked.Text = fieldText - - return nil -} - -// A rich text phone number -type RichTextPhoneNumber struct { - meta - // Text - Text RichText `json:"text"` - // Phone number - PhoneNumber string `json:"phone_number"` -} - -func (entity *RichTextPhoneNumber) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub RichTextPhoneNumber - - return json.Marshal((*stub)(entity)) -} - -func (*RichTextPhoneNumber) GetClass() string { - return ClassRichText -} - -func (*RichTextPhoneNumber) GetType() string { - return TypeRichTextPhoneNumber -} - -func (*RichTextPhoneNumber) RichTextType() string { - return TypeRichTextPhoneNumber -} - -func (richTextPhoneNumber *RichTextPhoneNumber) UnmarshalJSON(data []byte) error { - var tmp struct { - Text json.RawMessage `json:"text"` - PhoneNumber string `json:"phone_number"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - richTextPhoneNumber.PhoneNumber = tmp.PhoneNumber - - fieldText, _ := UnmarshalRichText(tmp.Text) - richTextPhoneNumber.Text = fieldText - - return nil -} - -// A small image inside the text -type RichTextIcon struct { - meta - // The image represented as a document. The image can be in GIF, JPEG or PNG format - Document *Document `json:"document"` - // Width of a bounding box in which the image must be shown; 0 if unknown - Width int32 `json:"width"` - // Height of a bounding box in which the image must be shown; 0 if unknown - Height int32 `json:"height"` -} - -func (entity *RichTextIcon) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub RichTextIcon - - return json.Marshal((*stub)(entity)) -} - -func (*RichTextIcon) GetClass() string { - return ClassRichText -} - -func (*RichTextIcon) GetType() string { - return TypeRichTextIcon -} - -func (*RichTextIcon) RichTextType() string { - return TypeRichTextIcon -} - -// A reference to a richTexts object on the same web page -type RichTextReference struct { - meta - // The text - Text RichText `json:"text"` - // The name of a richTextAnchor object, which is the first element of the target richTexts object - AnchorName string `json:"anchor_name"` - // An HTTP URL, opening the reference - Url string `json:"url"` -} - -func (entity *RichTextReference) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub RichTextReference - - return json.Marshal((*stub)(entity)) -} - -func (*RichTextReference) GetClass() string { - return ClassRichText -} - -func (*RichTextReference) GetType() string { - return TypeRichTextReference -} - -func (*RichTextReference) RichTextType() string { - return TypeRichTextReference -} - -func (richTextReference *RichTextReference) UnmarshalJSON(data []byte) error { - var tmp struct { - Text json.RawMessage `json:"text"` - AnchorName string `json:"anchor_name"` - Url string `json:"url"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - richTextReference.AnchorName = tmp.AnchorName - richTextReference.Url = tmp.Url - - fieldText, _ := UnmarshalRichText(tmp.Text) - richTextReference.Text = fieldText - - return nil -} - -// An anchor -type RichTextAnchor struct { - meta - // Anchor name - Name string `json:"name"` -} - -func (entity *RichTextAnchor) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub RichTextAnchor - - return json.Marshal((*stub)(entity)) -} - -func (*RichTextAnchor) GetClass() string { - return ClassRichText -} - -func (*RichTextAnchor) GetType() string { - return TypeRichTextAnchor -} - -func (*RichTextAnchor) RichTextType() string { - return TypeRichTextAnchor -} - -// A link to an anchor on the same web page -type RichTextAnchorLink struct { - meta - // The link text - Text RichText `json:"text"` - // The anchor name. If the name is empty, the link must bring back to top - AnchorName string `json:"anchor_name"` - // An HTTP URL, opening the anchor - Url string `json:"url"` -} - -func (entity *RichTextAnchorLink) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub RichTextAnchorLink - - return json.Marshal((*stub)(entity)) -} - -func (*RichTextAnchorLink) GetClass() string { - return ClassRichText -} - -func (*RichTextAnchorLink) GetType() string { - return TypeRichTextAnchorLink -} - -func (*RichTextAnchorLink) RichTextType() string { - return TypeRichTextAnchorLink -} - -func (richTextAnchorLink *RichTextAnchorLink) UnmarshalJSON(data []byte) error { - var tmp struct { - Text json.RawMessage `json:"text"` - AnchorName string `json:"anchor_name"` - Url string `json:"url"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - richTextAnchorLink.AnchorName = tmp.AnchorName - richTextAnchorLink.Url = tmp.Url - - fieldText, _ := UnmarshalRichText(tmp.Text) - richTextAnchorLink.Text = fieldText - - return nil -} - -// A concatenation of rich texts -type RichTexts struct { - meta - // Texts - Texts []RichText `json:"texts"` -} - -func (entity *RichTexts) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub RichTexts - - return json.Marshal((*stub)(entity)) -} - -func (*RichTexts) GetClass() string { - return ClassRichText -} - -func (*RichTexts) GetType() string { - return TypeRichTexts -} - -func (*RichTexts) RichTextType() string { - return TypeRichTexts -} - -func (richTexts *RichTexts) UnmarshalJSON(data []byte) error { - var tmp struct { - Texts []json.RawMessage `json:"texts"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - fieldTexts, _ := UnmarshalListOfRichText(tmp.Texts) - richTexts.Texts = fieldTexts - - return nil -} - -// Contains a caption of an instant view web page block, consisting of a text and a trailing credit -type PageBlockCaption struct { - meta - // Content of the caption - Text RichText `json:"text"` - // Block credit (like HTML tag ) - Credit RichText `json:"credit"` -} - -func (entity *PageBlockCaption) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PageBlockCaption - - return json.Marshal((*stub)(entity)) -} - -func (*PageBlockCaption) GetClass() string { - return ClassPageBlockCaption -} - -func (*PageBlockCaption) GetType() string { - return TypePageBlockCaption -} - -func (pageBlockCaption *PageBlockCaption) UnmarshalJSON(data []byte) error { - var tmp struct { - Text json.RawMessage `json:"text"` - Credit json.RawMessage `json:"credit"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - fieldText, _ := UnmarshalRichText(tmp.Text) - pageBlockCaption.Text = fieldText - - fieldCredit, _ := UnmarshalRichText(tmp.Credit) - pageBlockCaption.Credit = fieldCredit - - return nil -} - -// Describes an item of a list page block -type PageBlockListItem struct { - meta - // Item label - Label string `json:"label"` - // Item blocks - PageBlocks []PageBlock `json:"page_blocks"` -} - -func (entity *PageBlockListItem) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PageBlockListItem - - return json.Marshal((*stub)(entity)) -} - -func (*PageBlockListItem) GetClass() string { - return ClassPageBlockListItem -} - -func (*PageBlockListItem) GetType() string { - return TypePageBlockListItem -} - -func (pageBlockListItem *PageBlockListItem) UnmarshalJSON(data []byte) error { - var tmp struct { - Label string `json:"label"` - PageBlocks []json.RawMessage `json:"page_blocks"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - pageBlockListItem.Label = tmp.Label - - fieldPageBlocks, _ := UnmarshalListOfPageBlock(tmp.PageBlocks) - pageBlockListItem.PageBlocks = fieldPageBlocks - - return nil -} - -// The content must be left-aligned -type PageBlockHorizontalAlignmentLeft struct { - meta -} - -func (entity *PageBlockHorizontalAlignmentLeft) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PageBlockHorizontalAlignmentLeft - - return json.Marshal((*stub)(entity)) -} - -func (*PageBlockHorizontalAlignmentLeft) GetClass() string { - return ClassPageBlockHorizontalAlignment -} - -func (*PageBlockHorizontalAlignmentLeft) GetType() string { - return TypePageBlockHorizontalAlignmentLeft -} - -func (*PageBlockHorizontalAlignmentLeft) PageBlockHorizontalAlignmentType() string { - return TypePageBlockHorizontalAlignmentLeft -} - -// The content must be center-aligned -type PageBlockHorizontalAlignmentCenter struct { - meta -} - -func (entity *PageBlockHorizontalAlignmentCenter) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PageBlockHorizontalAlignmentCenter - - return json.Marshal((*stub)(entity)) -} - -func (*PageBlockHorizontalAlignmentCenter) GetClass() string { - return ClassPageBlockHorizontalAlignment -} - -func (*PageBlockHorizontalAlignmentCenter) GetType() string { - return TypePageBlockHorizontalAlignmentCenter -} - -func (*PageBlockHorizontalAlignmentCenter) PageBlockHorizontalAlignmentType() string { - return TypePageBlockHorizontalAlignmentCenter -} - -// The content must be right-aligned -type PageBlockHorizontalAlignmentRight struct { - meta -} - -func (entity *PageBlockHorizontalAlignmentRight) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PageBlockHorizontalAlignmentRight - - return json.Marshal((*stub)(entity)) -} - -func (*PageBlockHorizontalAlignmentRight) GetClass() string { - return ClassPageBlockHorizontalAlignment -} - -func (*PageBlockHorizontalAlignmentRight) GetType() string { - return TypePageBlockHorizontalAlignmentRight -} - -func (*PageBlockHorizontalAlignmentRight) PageBlockHorizontalAlignmentType() string { - return TypePageBlockHorizontalAlignmentRight -} - -// The content must be top-aligned -type PageBlockVerticalAlignmentTop struct { - meta -} - -func (entity *PageBlockVerticalAlignmentTop) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PageBlockVerticalAlignmentTop - - return json.Marshal((*stub)(entity)) -} - -func (*PageBlockVerticalAlignmentTop) GetClass() string { - return ClassPageBlockVerticalAlignment -} - -func (*PageBlockVerticalAlignmentTop) GetType() string { - return TypePageBlockVerticalAlignmentTop -} - -func (*PageBlockVerticalAlignmentTop) PageBlockVerticalAlignmentType() string { - return TypePageBlockVerticalAlignmentTop -} - -// The content must be middle-aligned -type PageBlockVerticalAlignmentMiddle struct { - meta -} - -func (entity *PageBlockVerticalAlignmentMiddle) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PageBlockVerticalAlignmentMiddle - - return json.Marshal((*stub)(entity)) -} - -func (*PageBlockVerticalAlignmentMiddle) GetClass() string { - return ClassPageBlockVerticalAlignment -} - -func (*PageBlockVerticalAlignmentMiddle) GetType() string { - return TypePageBlockVerticalAlignmentMiddle -} - -func (*PageBlockVerticalAlignmentMiddle) PageBlockVerticalAlignmentType() string { - return TypePageBlockVerticalAlignmentMiddle -} - -// The content must be bottom-aligned -type PageBlockVerticalAlignmentBottom struct { - meta -} - -func (entity *PageBlockVerticalAlignmentBottom) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PageBlockVerticalAlignmentBottom - - return json.Marshal((*stub)(entity)) -} - -func (*PageBlockVerticalAlignmentBottom) GetClass() string { - return ClassPageBlockVerticalAlignment -} - -func (*PageBlockVerticalAlignmentBottom) GetType() string { - return TypePageBlockVerticalAlignmentBottom -} - -func (*PageBlockVerticalAlignmentBottom) PageBlockVerticalAlignmentType() string { - return TypePageBlockVerticalAlignmentBottom -} - -// Represents a cell of a table -type PageBlockTableCell struct { - meta - // Cell text; may be null. If the text is null, then the cell must be invisible - Text RichText `json:"text"` - // True, if it is a header cell - IsHeader bool `json:"is_header"` - // The number of columns the cell spans - Colspan int32 `json:"colspan"` - // The number of rows the cell spans - Rowspan int32 `json:"rowspan"` - // Horizontal cell content alignment - Align PageBlockHorizontalAlignment `json:"align"` - // Vertical cell content alignment - Valign PageBlockVerticalAlignment `json:"valign"` -} - -func (entity *PageBlockTableCell) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PageBlockTableCell - - return json.Marshal((*stub)(entity)) -} - -func (*PageBlockTableCell) GetClass() string { - return ClassPageBlockTableCell -} - -func (*PageBlockTableCell) GetType() string { - return TypePageBlockTableCell -} - -func (pageBlockTableCell *PageBlockTableCell) UnmarshalJSON(data []byte) error { - var tmp struct { - Text json.RawMessage `json:"text"` - IsHeader bool `json:"is_header"` - Colspan int32 `json:"colspan"` - Rowspan int32 `json:"rowspan"` - Align json.RawMessage `json:"align"` - Valign json.RawMessage `json:"valign"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - pageBlockTableCell.IsHeader = tmp.IsHeader - pageBlockTableCell.Colspan = tmp.Colspan - pageBlockTableCell.Rowspan = tmp.Rowspan - - fieldText, _ := UnmarshalRichText(tmp.Text) - pageBlockTableCell.Text = fieldText - - fieldAlign, _ := UnmarshalPageBlockHorizontalAlignment(tmp.Align) - pageBlockTableCell.Align = fieldAlign - - fieldValign, _ := UnmarshalPageBlockVerticalAlignment(tmp.Valign) - pageBlockTableCell.Valign = fieldValign - - return nil -} - -// Contains information about a related article -type PageBlockRelatedArticle struct { - meta - // Related article URL - Url string `json:"url"` - // Article title; may be empty - Title string `json:"title"` - // Article description; may be empty - Description string `json:"description"` - // Article photo; may be null - Photo *Photo `json:"photo"` - // Article author; may be empty - Author string `json:"author"` - // Point in time (Unix timestamp) when the article was published; 0 if unknown - PublishDate int32 `json:"publish_date"` -} - -func (entity *PageBlockRelatedArticle) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PageBlockRelatedArticle - - return json.Marshal((*stub)(entity)) -} - -func (*PageBlockRelatedArticle) GetClass() string { - return ClassPageBlockRelatedArticle -} - -func (*PageBlockRelatedArticle) GetType() string { - return TypePageBlockRelatedArticle -} - -// The title of a page -type PageBlockTitle struct { - meta - // Title - Title RichText `json:"title"` -} - -func (entity *PageBlockTitle) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PageBlockTitle - - return json.Marshal((*stub)(entity)) -} - -func (*PageBlockTitle) GetClass() string { - return ClassPageBlock -} - -func (*PageBlockTitle) GetType() string { - return TypePageBlockTitle -} - -func (*PageBlockTitle) PageBlockType() string { - return TypePageBlockTitle -} - -func (pageBlockTitle *PageBlockTitle) UnmarshalJSON(data []byte) error { - var tmp struct { - Title json.RawMessage `json:"title"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - fieldTitle, _ := UnmarshalRichText(tmp.Title) - pageBlockTitle.Title = fieldTitle - - return nil -} - -// The subtitle of a page -type PageBlockSubtitle struct { - meta - // Subtitle - Subtitle RichText `json:"subtitle"` -} - -func (entity *PageBlockSubtitle) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PageBlockSubtitle - - return json.Marshal((*stub)(entity)) -} - -func (*PageBlockSubtitle) GetClass() string { - return ClassPageBlock -} - -func (*PageBlockSubtitle) GetType() string { - return TypePageBlockSubtitle -} - -func (*PageBlockSubtitle) PageBlockType() string { - return TypePageBlockSubtitle -} - -func (pageBlockSubtitle *PageBlockSubtitle) UnmarshalJSON(data []byte) error { - var tmp struct { - Subtitle json.RawMessage `json:"subtitle"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - fieldSubtitle, _ := UnmarshalRichText(tmp.Subtitle) - pageBlockSubtitle.Subtitle = fieldSubtitle - - return nil -} - -// The author and publishing date of a page -type PageBlockAuthorDate struct { - meta - // Author - Author RichText `json:"author"` - // Point in time (Unix timestamp) when the article was published; 0 if unknown - PublishDate int32 `json:"publish_date"` -} - -func (entity *PageBlockAuthorDate) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PageBlockAuthorDate - - return json.Marshal((*stub)(entity)) -} - -func (*PageBlockAuthorDate) GetClass() string { - return ClassPageBlock -} - -func (*PageBlockAuthorDate) GetType() string { - return TypePageBlockAuthorDate -} - -func (*PageBlockAuthorDate) PageBlockType() string { - return TypePageBlockAuthorDate -} - -func (pageBlockAuthorDate *PageBlockAuthorDate) UnmarshalJSON(data []byte) error { - var tmp struct { - Author json.RawMessage `json:"author"` - PublishDate int32 `json:"publish_date"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - pageBlockAuthorDate.PublishDate = tmp.PublishDate - - fieldAuthor, _ := UnmarshalRichText(tmp.Author) - pageBlockAuthorDate.Author = fieldAuthor - - return nil -} - -// A header -type PageBlockHeader struct { - meta - // Header - Header RichText `json:"header"` -} - -func (entity *PageBlockHeader) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PageBlockHeader - - return json.Marshal((*stub)(entity)) -} - -func (*PageBlockHeader) GetClass() string { - return ClassPageBlock -} - -func (*PageBlockHeader) GetType() string { - return TypePageBlockHeader -} - -func (*PageBlockHeader) PageBlockType() string { - return TypePageBlockHeader -} - -func (pageBlockHeader *PageBlockHeader) UnmarshalJSON(data []byte) error { - var tmp struct { - Header json.RawMessage `json:"header"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - fieldHeader, _ := UnmarshalRichText(tmp.Header) - pageBlockHeader.Header = fieldHeader - - return nil -} - -// A subheader -type PageBlockSubheader struct { - meta - // Subheader - Subheader RichText `json:"subheader"` -} - -func (entity *PageBlockSubheader) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PageBlockSubheader - - return json.Marshal((*stub)(entity)) -} - -func (*PageBlockSubheader) GetClass() string { - return ClassPageBlock -} - -func (*PageBlockSubheader) GetType() string { - return TypePageBlockSubheader -} - -func (*PageBlockSubheader) PageBlockType() string { - return TypePageBlockSubheader -} - -func (pageBlockSubheader *PageBlockSubheader) UnmarshalJSON(data []byte) error { - var tmp struct { - Subheader json.RawMessage `json:"subheader"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - fieldSubheader, _ := UnmarshalRichText(tmp.Subheader) - pageBlockSubheader.Subheader = fieldSubheader - - return nil -} - -// A kicker -type PageBlockKicker struct { - meta - // Kicker - Kicker RichText `json:"kicker"` -} - -func (entity *PageBlockKicker) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PageBlockKicker - - return json.Marshal((*stub)(entity)) -} - -func (*PageBlockKicker) GetClass() string { - return ClassPageBlock -} - -func (*PageBlockKicker) GetType() string { - return TypePageBlockKicker -} - -func (*PageBlockKicker) PageBlockType() string { - return TypePageBlockKicker -} - -func (pageBlockKicker *PageBlockKicker) UnmarshalJSON(data []byte) error { - var tmp struct { - Kicker json.RawMessage `json:"kicker"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - fieldKicker, _ := UnmarshalRichText(tmp.Kicker) - pageBlockKicker.Kicker = fieldKicker - - return nil -} - -// A text paragraph -type PageBlockParagraph struct { - meta - // Paragraph text - Text RichText `json:"text"` -} - -func (entity *PageBlockParagraph) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PageBlockParagraph - - return json.Marshal((*stub)(entity)) -} - -func (*PageBlockParagraph) GetClass() string { - return ClassPageBlock -} - -func (*PageBlockParagraph) GetType() string { - return TypePageBlockParagraph -} - -func (*PageBlockParagraph) PageBlockType() string { - return TypePageBlockParagraph -} - -func (pageBlockParagraph *PageBlockParagraph) UnmarshalJSON(data []byte) error { - var tmp struct { - Text json.RawMessage `json:"text"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - fieldText, _ := UnmarshalRichText(tmp.Text) - pageBlockParagraph.Text = fieldText - - return nil -} - -// A preformatted text paragraph -type PageBlockPreformatted struct { - meta - // Paragraph text - Text RichText `json:"text"` - // Programming language for which the text needs to be formatted - Language string `json:"language"` -} - -func (entity *PageBlockPreformatted) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PageBlockPreformatted - - return json.Marshal((*stub)(entity)) -} - -func (*PageBlockPreformatted) GetClass() string { - return ClassPageBlock -} - -func (*PageBlockPreformatted) GetType() string { - return TypePageBlockPreformatted -} - -func (*PageBlockPreformatted) PageBlockType() string { - return TypePageBlockPreformatted -} - -func (pageBlockPreformatted *PageBlockPreformatted) UnmarshalJSON(data []byte) error { - var tmp struct { - Text json.RawMessage `json:"text"` - Language string `json:"language"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - pageBlockPreformatted.Language = tmp.Language - - fieldText, _ := UnmarshalRichText(tmp.Text) - pageBlockPreformatted.Text = fieldText - - return nil -} - -// The footer of a page -type PageBlockFooter struct { - meta - // Footer - Footer RichText `json:"footer"` -} - -func (entity *PageBlockFooter) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PageBlockFooter - - return json.Marshal((*stub)(entity)) -} - -func (*PageBlockFooter) GetClass() string { - return ClassPageBlock -} - -func (*PageBlockFooter) GetType() string { - return TypePageBlockFooter -} - -func (*PageBlockFooter) PageBlockType() string { - return TypePageBlockFooter -} - -func (pageBlockFooter *PageBlockFooter) UnmarshalJSON(data []byte) error { - var tmp struct { - Footer json.RawMessage `json:"footer"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - fieldFooter, _ := UnmarshalRichText(tmp.Footer) - pageBlockFooter.Footer = fieldFooter - - return nil -} - -// An empty block separating a page -type PageBlockDivider struct { - meta -} - -func (entity *PageBlockDivider) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PageBlockDivider - - return json.Marshal((*stub)(entity)) -} - -func (*PageBlockDivider) GetClass() string { - return ClassPageBlock -} - -func (*PageBlockDivider) GetType() string { - return TypePageBlockDivider -} - -func (*PageBlockDivider) PageBlockType() string { - return TypePageBlockDivider -} - -// An invisible anchor on a page, which can be used in a URL to open the page from the specified anchor -type PageBlockAnchor struct { - meta - // Name of the anchor - Name string `json:"name"` -} - -func (entity *PageBlockAnchor) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PageBlockAnchor - - return json.Marshal((*stub)(entity)) -} - -func (*PageBlockAnchor) GetClass() string { - return ClassPageBlock -} - -func (*PageBlockAnchor) GetType() string { - return TypePageBlockAnchor -} - -func (*PageBlockAnchor) PageBlockType() string { - return TypePageBlockAnchor -} - -// A list of data blocks -type PageBlockList struct { - meta - // The items of the list - Items []*PageBlockListItem `json:"items"` -} - -func (entity *PageBlockList) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PageBlockList - - return json.Marshal((*stub)(entity)) -} - -func (*PageBlockList) GetClass() string { - return ClassPageBlock -} - -func (*PageBlockList) GetType() string { - return TypePageBlockList -} - -func (*PageBlockList) PageBlockType() string { - return TypePageBlockList -} - -// A block quote -type PageBlockBlockQuote struct { - meta - // Quote text - Text RichText `json:"text"` - // Quote credit - Credit RichText `json:"credit"` -} - -func (entity *PageBlockBlockQuote) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PageBlockBlockQuote - - return json.Marshal((*stub)(entity)) -} - -func (*PageBlockBlockQuote) GetClass() string { - return ClassPageBlock -} - -func (*PageBlockBlockQuote) GetType() string { - return TypePageBlockBlockQuote -} - -func (*PageBlockBlockQuote) PageBlockType() string { - return TypePageBlockBlockQuote -} - -func (pageBlockBlockQuote *PageBlockBlockQuote) UnmarshalJSON(data []byte) error { - var tmp struct { - Text json.RawMessage `json:"text"` - Credit json.RawMessage `json:"credit"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - fieldText, _ := UnmarshalRichText(tmp.Text) - pageBlockBlockQuote.Text = fieldText - - fieldCredit, _ := UnmarshalRichText(tmp.Credit) - pageBlockBlockQuote.Credit = fieldCredit - - return nil -} - -// A pull quote -type PageBlockPullQuote struct { - meta - // Quote text - Text RichText `json:"text"` - // Quote credit - Credit RichText `json:"credit"` -} - -func (entity *PageBlockPullQuote) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PageBlockPullQuote - - return json.Marshal((*stub)(entity)) -} - -func (*PageBlockPullQuote) GetClass() string { - return ClassPageBlock -} - -func (*PageBlockPullQuote) GetType() string { - return TypePageBlockPullQuote -} - -func (*PageBlockPullQuote) PageBlockType() string { - return TypePageBlockPullQuote -} - -func (pageBlockPullQuote *PageBlockPullQuote) UnmarshalJSON(data []byte) error { - var tmp struct { - Text json.RawMessage `json:"text"` - Credit json.RawMessage `json:"credit"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - fieldText, _ := UnmarshalRichText(tmp.Text) - pageBlockPullQuote.Text = fieldText - - fieldCredit, _ := UnmarshalRichText(tmp.Credit) - pageBlockPullQuote.Credit = fieldCredit - - return nil -} - -// An animation -type PageBlockAnimation struct { - meta - // Animation file; may be null - Animation *Animation `json:"animation"` - // Animation caption - Caption *PageBlockCaption `json:"caption"` - // True, if the animation must be played automatically - NeedAutoplay bool `json:"need_autoplay"` -} - -func (entity *PageBlockAnimation) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PageBlockAnimation - - return json.Marshal((*stub)(entity)) -} - -func (*PageBlockAnimation) GetClass() string { - return ClassPageBlock -} - -func (*PageBlockAnimation) GetType() string { - return TypePageBlockAnimation -} - -func (*PageBlockAnimation) PageBlockType() string { - return TypePageBlockAnimation -} - -// An audio file -type PageBlockAudio struct { - meta - // Audio file; may be null - Audio *Audio `json:"audio"` - // Audio file caption - Caption *PageBlockCaption `json:"caption"` -} - -func (entity *PageBlockAudio) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PageBlockAudio - - return json.Marshal((*stub)(entity)) -} - -func (*PageBlockAudio) GetClass() string { - return ClassPageBlock -} - -func (*PageBlockAudio) GetType() string { - return TypePageBlockAudio -} - -func (*PageBlockAudio) PageBlockType() string { - return TypePageBlockAudio -} - -// A photo -type PageBlockPhoto struct { - meta - // Photo file; may be null - Photo *Photo `json:"photo"` - // Photo caption - Caption *PageBlockCaption `json:"caption"` - // URL that needs to be opened when the photo is clicked - Url string `json:"url"` -} - -func (entity *PageBlockPhoto) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PageBlockPhoto - - return json.Marshal((*stub)(entity)) -} - -func (*PageBlockPhoto) GetClass() string { - return ClassPageBlock -} - -func (*PageBlockPhoto) GetType() string { - return TypePageBlockPhoto -} - -func (*PageBlockPhoto) PageBlockType() string { - return TypePageBlockPhoto -} - -// A video -type PageBlockVideo struct { - meta - // Video file; may be null - Video *Video `json:"video"` - // Video caption - Caption *PageBlockCaption `json:"caption"` - // True, if the video must be played automatically - NeedAutoplay bool `json:"need_autoplay"` - // True, if the video must be looped - IsLooped bool `json:"is_looped"` -} - -func (entity *PageBlockVideo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PageBlockVideo - - return json.Marshal((*stub)(entity)) -} - -func (*PageBlockVideo) GetClass() string { - return ClassPageBlock -} - -func (*PageBlockVideo) GetType() string { - return TypePageBlockVideo -} - -func (*PageBlockVideo) PageBlockType() string { - return TypePageBlockVideo -} - -// A voice note -type PageBlockVoiceNote struct { - meta - // Voice note; may be null - VoiceNote *VoiceNote `json:"voice_note"` - // Voice note caption - Caption *PageBlockCaption `json:"caption"` -} - -func (entity *PageBlockVoiceNote) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PageBlockVoiceNote - - return json.Marshal((*stub)(entity)) -} - -func (*PageBlockVoiceNote) GetClass() string { - return ClassPageBlock -} - -func (*PageBlockVoiceNote) GetType() string { - return TypePageBlockVoiceNote -} - -func (*PageBlockVoiceNote) PageBlockType() string { - return TypePageBlockVoiceNote -} - -// A page cover -type PageBlockCover struct { - meta - // Cover - Cover PageBlock `json:"cover"` -} - -func (entity *PageBlockCover) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PageBlockCover - - return json.Marshal((*stub)(entity)) -} - -func (*PageBlockCover) GetClass() string { - return ClassPageBlock -} - -func (*PageBlockCover) GetType() string { - return TypePageBlockCover -} - -func (*PageBlockCover) PageBlockType() string { - return TypePageBlockCover -} - -func (pageBlockCover *PageBlockCover) UnmarshalJSON(data []byte) error { - var tmp struct { - Cover json.RawMessage `json:"cover"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - fieldCover, _ := UnmarshalPageBlock(tmp.Cover) - pageBlockCover.Cover = fieldCover - - return nil -} - -// An embedded web page -type PageBlockEmbedded struct { - meta - // Web page URL, if available - Url string `json:"url"` - // HTML-markup of the embedded page - Html string `json:"html"` - // Poster photo, if available; may be null - PosterPhoto *Photo `json:"poster_photo"` - // Block width; 0 if unknown - Width int32 `json:"width"` - // Block height; 0 if unknown - Height int32 `json:"height"` - // Block caption - Caption *PageBlockCaption `json:"caption"` - // True, if the block must be full width - IsFullWidth bool `json:"is_full_width"` - // True, if scrolling needs to be allowed - AllowScrolling bool `json:"allow_scrolling"` -} - -func (entity *PageBlockEmbedded) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PageBlockEmbedded - - return json.Marshal((*stub)(entity)) -} - -func (*PageBlockEmbedded) GetClass() string { - return ClassPageBlock -} - -func (*PageBlockEmbedded) GetType() string { - return TypePageBlockEmbedded -} - -func (*PageBlockEmbedded) PageBlockType() string { - return TypePageBlockEmbedded -} - -// An embedded post -type PageBlockEmbeddedPost struct { - meta - // Web page URL - Url string `json:"url"` - // Post author - Author string `json:"author"` - // Post author photo; may be null - AuthorPhoto *Photo `json:"author_photo"` - // Point in time (Unix timestamp) when the post was created; 0 if unknown - Date int32 `json:"date"` - // Post content - PageBlocks []PageBlock `json:"page_blocks"` - // Post caption - Caption *PageBlockCaption `json:"caption"` -} - -func (entity *PageBlockEmbeddedPost) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PageBlockEmbeddedPost - - return json.Marshal((*stub)(entity)) -} - -func (*PageBlockEmbeddedPost) GetClass() string { - return ClassPageBlock -} - -func (*PageBlockEmbeddedPost) GetType() string { - return TypePageBlockEmbeddedPost -} - -func (*PageBlockEmbeddedPost) PageBlockType() string { - return TypePageBlockEmbeddedPost -} - -func (pageBlockEmbeddedPost *PageBlockEmbeddedPost) UnmarshalJSON(data []byte) error { - var tmp struct { - Url string `json:"url"` - Author string `json:"author"` - AuthorPhoto *Photo `json:"author_photo"` - Date int32 `json:"date"` - PageBlocks []json.RawMessage `json:"page_blocks"` - Caption *PageBlockCaption `json:"caption"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - pageBlockEmbeddedPost.Url = tmp.Url - pageBlockEmbeddedPost.Author = tmp.Author - pageBlockEmbeddedPost.AuthorPhoto = tmp.AuthorPhoto - pageBlockEmbeddedPost.Date = tmp.Date - pageBlockEmbeddedPost.Caption = tmp.Caption - - fieldPageBlocks, _ := UnmarshalListOfPageBlock(tmp.PageBlocks) - pageBlockEmbeddedPost.PageBlocks = fieldPageBlocks - - return nil -} - -// A collage -type PageBlockCollage struct { - meta - // Collage item contents - PageBlocks []PageBlock `json:"page_blocks"` - // Block caption - Caption *PageBlockCaption `json:"caption"` -} - -func (entity *PageBlockCollage) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PageBlockCollage - - return json.Marshal((*stub)(entity)) -} - -func (*PageBlockCollage) GetClass() string { - return ClassPageBlock -} - -func (*PageBlockCollage) GetType() string { - return TypePageBlockCollage -} - -func (*PageBlockCollage) PageBlockType() string { - return TypePageBlockCollage -} - -func (pageBlockCollage *PageBlockCollage) UnmarshalJSON(data []byte) error { - var tmp struct { - PageBlocks []json.RawMessage `json:"page_blocks"` - Caption *PageBlockCaption `json:"caption"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - pageBlockCollage.Caption = tmp.Caption - - fieldPageBlocks, _ := UnmarshalListOfPageBlock(tmp.PageBlocks) - pageBlockCollage.PageBlocks = fieldPageBlocks - - return nil -} - -// A slideshow -type PageBlockSlideshow struct { - meta - // Slideshow item contents - PageBlocks []PageBlock `json:"page_blocks"` - // Block caption - Caption *PageBlockCaption `json:"caption"` -} - -func (entity *PageBlockSlideshow) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PageBlockSlideshow - - return json.Marshal((*stub)(entity)) -} - -func (*PageBlockSlideshow) GetClass() string { - return ClassPageBlock -} - -func (*PageBlockSlideshow) GetType() string { - return TypePageBlockSlideshow -} - -func (*PageBlockSlideshow) PageBlockType() string { - return TypePageBlockSlideshow -} - -func (pageBlockSlideshow *PageBlockSlideshow) UnmarshalJSON(data []byte) error { - var tmp struct { - PageBlocks []json.RawMessage `json:"page_blocks"` - Caption *PageBlockCaption `json:"caption"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - pageBlockSlideshow.Caption = tmp.Caption - - fieldPageBlocks, _ := UnmarshalListOfPageBlock(tmp.PageBlocks) - pageBlockSlideshow.PageBlocks = fieldPageBlocks - - return nil -} - -// A link to a chat -type PageBlockChatLink struct { - meta - // Chat title - Title string `json:"title"` - // Chat photo; may be null - Photo *ChatPhotoInfo `json:"photo"` - // Chat username by which all other information about the chat can be resolved - Username string `json:"username"` -} - -func (entity *PageBlockChatLink) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PageBlockChatLink - - return json.Marshal((*stub)(entity)) -} - -func (*PageBlockChatLink) GetClass() string { - return ClassPageBlock -} - -func (*PageBlockChatLink) GetType() string { - return TypePageBlockChatLink -} - -func (*PageBlockChatLink) PageBlockType() string { - return TypePageBlockChatLink -} - -// A table -type PageBlockTable struct { - meta - // Table caption - Caption RichText `json:"caption"` - // Table cells - Cells [][]*PageBlockTableCell `json:"cells"` - // True, if the table is bordered - IsBordered bool `json:"is_bordered"` - // True, if the table is striped - IsStriped bool `json:"is_striped"` -} - -func (entity *PageBlockTable) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PageBlockTable - - return json.Marshal((*stub)(entity)) -} - -func (*PageBlockTable) GetClass() string { - return ClassPageBlock -} - -func (*PageBlockTable) GetType() string { - return TypePageBlockTable -} - -func (*PageBlockTable) PageBlockType() string { - return TypePageBlockTable -} - -func (pageBlockTable *PageBlockTable) UnmarshalJSON(data []byte) error { - var tmp struct { - Caption json.RawMessage `json:"caption"` - Cells [][]*PageBlockTableCell `json:"cells"` - IsBordered bool `json:"is_bordered"` - IsStriped bool `json:"is_striped"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - pageBlockTable.Cells = tmp.Cells - pageBlockTable.IsBordered = tmp.IsBordered - pageBlockTable.IsStriped = tmp.IsStriped - - fieldCaption, _ := UnmarshalRichText(tmp.Caption) - pageBlockTable.Caption = fieldCaption - - return nil -} - -// A collapsible block -type PageBlockDetails struct { - meta - // Always visible heading for the block - Header RichText `json:"header"` - // Block contents - PageBlocks []PageBlock `json:"page_blocks"` - // True, if the block is open by default - IsOpen bool `json:"is_open"` -} - -func (entity *PageBlockDetails) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PageBlockDetails - - return json.Marshal((*stub)(entity)) -} - -func (*PageBlockDetails) GetClass() string { - return ClassPageBlock -} - -func (*PageBlockDetails) GetType() string { - return TypePageBlockDetails -} - -func (*PageBlockDetails) PageBlockType() string { - return TypePageBlockDetails -} - -func (pageBlockDetails *PageBlockDetails) UnmarshalJSON(data []byte) error { - var tmp struct { - Header json.RawMessage `json:"header"` - PageBlocks []json.RawMessage `json:"page_blocks"` - IsOpen bool `json:"is_open"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - pageBlockDetails.IsOpen = tmp.IsOpen - - fieldHeader, _ := UnmarshalRichText(tmp.Header) - pageBlockDetails.Header = fieldHeader - - fieldPageBlocks, _ := UnmarshalListOfPageBlock(tmp.PageBlocks) - pageBlockDetails.PageBlocks = fieldPageBlocks - - return nil -} - -// Related articles -type PageBlockRelatedArticles struct { - meta - // Block header - Header RichText `json:"header"` - // List of related articles - Articles []*PageBlockRelatedArticle `json:"articles"` -} - -func (entity *PageBlockRelatedArticles) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PageBlockRelatedArticles - - return json.Marshal((*stub)(entity)) -} - -func (*PageBlockRelatedArticles) GetClass() string { - return ClassPageBlock -} - -func (*PageBlockRelatedArticles) GetType() string { - return TypePageBlockRelatedArticles -} - -func (*PageBlockRelatedArticles) PageBlockType() string { - return TypePageBlockRelatedArticles -} - -func (pageBlockRelatedArticles *PageBlockRelatedArticles) UnmarshalJSON(data []byte) error { - var tmp struct { - Header json.RawMessage `json:"header"` - Articles []*PageBlockRelatedArticle `json:"articles"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - pageBlockRelatedArticles.Articles = tmp.Articles - - fieldHeader, _ := UnmarshalRichText(tmp.Header) - pageBlockRelatedArticles.Header = fieldHeader - - return nil -} - -// A map -type PageBlockMap struct { - meta - // Location of the map center - Location *Location `json:"location"` - // Map zoom level - Zoom int32 `json:"zoom"` - // Map width - Width int32 `json:"width"` - // Map height - Height int32 `json:"height"` - // Block caption - Caption *PageBlockCaption `json:"caption"` -} - -func (entity *PageBlockMap) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PageBlockMap - - return json.Marshal((*stub)(entity)) -} - -func (*PageBlockMap) GetClass() string { - return ClassPageBlock -} - -func (*PageBlockMap) GetType() string { - return TypePageBlockMap -} - -func (*PageBlockMap) PageBlockType() string { - return TypePageBlockMap -} - -// Describes an instant view page for a web page -type WebPageInstantView struct { - meta - // Content of the web page - PageBlocks []PageBlock `json:"page_blocks"` - // Number of the instant view views; 0 if unknown - ViewCount int32 `json:"view_count"` - // Version of the instant view; currently, can be 1 or 2 - Version int32 `json:"version"` - // True, if the instant view must be shown from right to left - IsRtl bool `json:"is_rtl"` - // True, if the instant view contains the full page. A network request might be needed to get the full web page instant view - IsFull bool `json:"is_full"` - // An internal link to be opened to leave feedback about the instant view - FeedbackLink InternalLinkType `json:"feedback_link"` -} - -func (entity *WebPageInstantView) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub WebPageInstantView - - return json.Marshal((*stub)(entity)) -} - -func (*WebPageInstantView) GetClass() string { - return ClassWebPageInstantView -} - -func (*WebPageInstantView) GetType() string { - return TypeWebPageInstantView -} - -func (webPageInstantView *WebPageInstantView) UnmarshalJSON(data []byte) error { - var tmp struct { - PageBlocks []json.RawMessage `json:"page_blocks"` - ViewCount int32 `json:"view_count"` - Version int32 `json:"version"` - IsRtl bool `json:"is_rtl"` - IsFull bool `json:"is_full"` - FeedbackLink json.RawMessage `json:"feedback_link"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - webPageInstantView.ViewCount = tmp.ViewCount - webPageInstantView.Version = tmp.Version - webPageInstantView.IsRtl = tmp.IsRtl - webPageInstantView.IsFull = tmp.IsFull - - fieldPageBlocks, _ := UnmarshalListOfPageBlock(tmp.PageBlocks) - webPageInstantView.PageBlocks = fieldPageBlocks - - fieldFeedbackLink, _ := UnmarshalInternalLinkType(tmp.FeedbackLink) - webPageInstantView.FeedbackLink = fieldFeedbackLink - - return nil -} - -// Describes a web page preview -type WebPage struct { - meta - // Original URL of the link - Url string `json:"url"` - // URL to display - DisplayUrl string `json:"display_url"` - // Type of the web page. Can be: article, photo, audio, video, document, profile, app, or something else - Type string `json:"type"` - // Short name of the site (e.g., Google Docs, App Store) - SiteName string `json:"site_name"` - // Title of the content - Title string `json:"title"` - // Description of the content - Description *FormattedText `json:"description"` - // Image representing the content; may be null - Photo *Photo `json:"photo"` - // URL to show in the embedded preview - EmbedUrl string `json:"embed_url"` - // MIME type of the embedded preview, (e.g., text/html or video/mp4) - EmbedType string `json:"embed_type"` - // Width of the embedded preview - EmbedWidth int32 `json:"embed_width"` - // Height of the embedded preview - EmbedHeight int32 `json:"embed_height"` - // Duration of the content, in seconds - Duration int32 `json:"duration"` - // Author of the content - Author string `json:"author"` - // Preview of the content as an animation, if available; may be null - Animation *Animation `json:"animation"` - // Preview of the content as an audio file, if available; may be null - Audio *Audio `json:"audio"` - // Preview of the content as a document, if available; may be null - Document *Document `json:"document"` - // Preview of the content as a sticker for small WEBP files, if available; may be null - Sticker *Sticker `json:"sticker"` - // Preview of the content as a video, if available; may be null - Video *Video `json:"video"` - // Preview of the content as a video note, if available; may be null - VideoNote *VideoNote `json:"video_note"` - // Preview of the content as a voice note, if available; may be null - VoiceNote *VoiceNote `json:"voice_note"` - // Version of web page instant view (currently, can be 1 or 2); 0 if none - InstantViewVersion int32 `json:"instant_view_version"` -} - -func (entity *WebPage) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub WebPage - - return json.Marshal((*stub)(entity)) -} - -func (*WebPage) GetClass() string { - return ClassWebPage -} - -func (*WebPage) GetType() string { - return TypeWebPage -} - -// Contains information about a country -type CountryInfo struct { - meta - // A two-letter ISO 3166-1 alpha-2 country code - CountryCode string `json:"country_code"` - // Native name of the country - Name string `json:"name"` - // English name of the country - EnglishName string `json:"english_name"` - // True, if the country must be hidden from the list of all countries - IsHidden bool `json:"is_hidden"` - // List of country calling codes - CallingCodes []string `json:"calling_codes"` -} - -func (entity *CountryInfo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub CountryInfo - - return json.Marshal((*stub)(entity)) -} - -func (*CountryInfo) GetClass() string { - return ClassCountryInfo -} - -func (*CountryInfo) GetType() string { - return TypeCountryInfo -} - -// Contains information about countries -type Countries struct { - meta - // The list of countries - Countries []*CountryInfo `json:"countries"` -} - -func (entity *Countries) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub Countries - - return json.Marshal((*stub)(entity)) -} - -func (*Countries) GetClass() string { - return ClassCountries -} - -func (*Countries) GetType() string { - return TypeCountries -} - -// Contains information about a phone number -type PhoneNumberInfo struct { - meta - // Information about the country to which the phone number belongs; may be null - Country *CountryInfo `json:"country"` - // The part of the phone number denoting country calling code or its part - CountryCallingCode string `json:"country_calling_code"` - // The phone number without country calling code formatted accordingly to local rules. Expected digits are returned as '-', but even more digits might be entered by the user - FormattedPhoneNumber string `json:"formatted_phone_number"` - // True, if the phone number was bought on Fragment and isn't tied to a SIM card - IsAnonymous bool `json:"is_anonymous"` -} - -func (entity *PhoneNumberInfo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PhoneNumberInfo - - return json.Marshal((*stub)(entity)) -} - -func (*PhoneNumberInfo) GetClass() string { - return ClassPhoneNumberInfo -} - -func (*PhoneNumberInfo) GetType() string { - return TypePhoneNumberInfo -} - -// Describes an action associated with a bank card number -type BankCardActionOpenUrl struct { - meta - // Action text - Text string `json:"text"` - // The URL to be opened - Url string `json:"url"` -} - -func (entity *BankCardActionOpenUrl) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub BankCardActionOpenUrl - - return json.Marshal((*stub)(entity)) -} - -func (*BankCardActionOpenUrl) GetClass() string { - return ClassBankCardActionOpenUrl -} - -func (*BankCardActionOpenUrl) GetType() string { - return TypeBankCardActionOpenUrl -} - -// Information about a bank card -type BankCardInfo struct { - meta - // Title of the bank card description - Title string `json:"title"` - // Actions that can be done with the bank card number - Actions []*BankCardActionOpenUrl `json:"actions"` -} - -func (entity *BankCardInfo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub BankCardInfo - - return json.Marshal((*stub)(entity)) -} - -func (*BankCardInfo) GetClass() string { - return ClassBankCardInfo -} - -func (*BankCardInfo) GetType() string { - return TypeBankCardInfo -} - -// Describes an address -type Address struct { - meta - // A two-letter ISO 3166-1 alpha-2 country code - CountryCode string `json:"country_code"` - // State, if applicable - State string `json:"state"` - // City - City string `json:"city"` - // First line of the address - StreetLine1 string `json:"street_line1"` - // Second line of the address - StreetLine2 string `json:"street_line2"` - // Address postal code - PostalCode string `json:"postal_code"` -} - -func (entity *Address) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub Address - - return json.Marshal((*stub)(entity)) -} - -func (*Address) GetClass() string { - return ClassAddress -} - -func (*Address) GetType() string { - return TypeAddress -} - -// Contains parameters of the application theme -type ThemeParameters struct { - meta - // A color of the background in the RGB24 format - BackgroundColor int32 `json:"background_color"` - // A secondary color for the background in the RGB24 format - SecondaryBackgroundColor int32 `json:"secondary_background_color"` - // A color of text in the RGB24 format - TextColor int32 `json:"text_color"` - // A color of hints in the RGB24 format - HintColor int32 `json:"hint_color"` - // A color of links in the RGB24 format - LinkColor int32 `json:"link_color"` - // A color of the buttons in the RGB24 format - ButtonColor int32 `json:"button_color"` - // A color of text on the buttons in the RGB24 format - ButtonTextColor int32 `json:"button_text_color"` -} - -func (entity *ThemeParameters) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ThemeParameters - - return json.Marshal((*stub)(entity)) -} - -func (*ThemeParameters) GetClass() string { - return ClassThemeParameters -} - -func (*ThemeParameters) GetType() string { - return TypeThemeParameters -} - -// Portion of the price of a product (e.g., "delivery cost", "tax amount") -type LabeledPricePart struct { - meta - // Label for this portion of the product price - Label string `json:"label"` - // Currency amount in the smallest units of the currency - Amount int64 `json:"amount"` -} - -func (entity *LabeledPricePart) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub LabeledPricePart - - return json.Marshal((*stub)(entity)) -} - -func (*LabeledPricePart) GetClass() string { - return ClassLabeledPricePart -} - -func (*LabeledPricePart) GetType() string { - return TypeLabeledPricePart -} - -// Product invoice -type Invoice struct { - meta - // ISO 4217 currency code - Currency string `json:"currency"` - // A list of objects used to calculate the total price of the product - PriceParts []*LabeledPricePart `json:"price_parts"` - // The maximum allowed amount of tip in the smallest units of the currency - MaxTipAmount int64 `json:"max_tip_amount"` - // Suggested amounts of tip in the smallest units of the currency - SuggestedTipAmounts []int64 `json:"suggested_tip_amounts"` - // An HTTP URL with terms of service for recurring payments. If non-empty, the invoice payment will result in recurring payments and the user must accept the terms of service before allowed to pay - RecurringPaymentTermsOfServiceUrl string `json:"recurring_payment_terms_of_service_url"` - // True, if the payment is a test payment - IsTest bool `json:"is_test"` - // True, if the user's name is needed for payment - NeedName bool `json:"need_name"` - // True, if the user's phone number is needed for payment - NeedPhoneNumber bool `json:"need_phone_number"` - // True, if the user's email address is needed for payment - NeedEmailAddress bool `json:"need_email_address"` - // True, if the user's shipping address is needed for payment - NeedShippingAddress bool `json:"need_shipping_address"` - // True, if the user's phone number will be sent to the provider - SendPhoneNumberToProvider bool `json:"send_phone_number_to_provider"` - // True, if the user's email address will be sent to the provider - SendEmailAddressToProvider bool `json:"send_email_address_to_provider"` - // True, if the total price depends on the shipping method - IsFlexible bool `json:"is_flexible"` -} - -func (entity *Invoice) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub Invoice - - return json.Marshal((*stub)(entity)) -} - -func (*Invoice) GetClass() string { - return ClassInvoice -} - -func (*Invoice) GetType() string { - return TypeInvoice -} - -// Order information -type OrderInfo struct { - meta - // Name of the user - Name string `json:"name"` - // Phone number of the user - PhoneNumber string `json:"phone_number"` - // Email address of the user - EmailAddress string `json:"email_address"` - // Shipping address for this order; may be null - ShippingAddress *Address `json:"shipping_address"` -} - -func (entity *OrderInfo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub OrderInfo - - return json.Marshal((*stub)(entity)) -} - -func (*OrderInfo) GetClass() string { - return ClassOrderInfo -} - -func (*OrderInfo) GetType() string { - return TypeOrderInfo -} - -// One shipping option -type ShippingOption struct { - meta - // Shipping option identifier - Id string `json:"id"` - // Option title - Title string `json:"title"` - // A list of objects used to calculate the total shipping costs - PriceParts []*LabeledPricePart `json:"price_parts"` -} - -func (entity *ShippingOption) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ShippingOption - - return json.Marshal((*stub)(entity)) -} - -func (*ShippingOption) GetClass() string { - return ClassShippingOption -} - -func (*ShippingOption) GetType() string { - return TypeShippingOption -} - -// Contains information about saved payment credentials -type SavedCredentials struct { - meta - // Unique identifier of the saved credentials - Id string `json:"id"` - // Title of the saved credentials - Title string `json:"title"` -} - -func (entity *SavedCredentials) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub SavedCredentials - - return json.Marshal((*stub)(entity)) -} - -func (*SavedCredentials) GetClass() string { - return ClassSavedCredentials -} - -func (*SavedCredentials) GetType() string { - return TypeSavedCredentials -} - -// Applies if a user chooses some previously saved payment credentials. To use their previously saved credentials, the user must have a valid temporary password -type InputCredentialsSaved struct { - meta - // Identifier of the saved credentials - SavedCredentialsId string `json:"saved_credentials_id"` -} - -func (entity *InputCredentialsSaved) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputCredentialsSaved - - return json.Marshal((*stub)(entity)) -} - -func (*InputCredentialsSaved) GetClass() string { - return ClassInputCredentials -} - -func (*InputCredentialsSaved) GetType() string { - return TypeInputCredentialsSaved -} - -func (*InputCredentialsSaved) InputCredentialsType() string { - return TypeInputCredentialsSaved -} - -// Applies if a user enters new credentials on a payment provider website -type InputCredentialsNew struct { - meta - // JSON-encoded data with the credential identifier from the payment provider - Data string `json:"data"` - // True, if the credential identifier can be saved on the server side - AllowSave bool `json:"allow_save"` -} - -func (entity *InputCredentialsNew) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputCredentialsNew - - return json.Marshal((*stub)(entity)) -} - -func (*InputCredentialsNew) GetClass() string { - return ClassInputCredentials -} - -func (*InputCredentialsNew) GetType() string { - return TypeInputCredentialsNew -} - -func (*InputCredentialsNew) InputCredentialsType() string { - return TypeInputCredentialsNew -} - -// Applies if a user enters new credentials using Apple Pay -type InputCredentialsApplePay struct { - meta - // JSON-encoded data with the credential identifier - Data string `json:"data"` -} - -func (entity *InputCredentialsApplePay) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputCredentialsApplePay - - return json.Marshal((*stub)(entity)) -} - -func (*InputCredentialsApplePay) GetClass() string { - return ClassInputCredentials -} - -func (*InputCredentialsApplePay) GetType() string { - return TypeInputCredentialsApplePay -} - -func (*InputCredentialsApplePay) InputCredentialsType() string { - return TypeInputCredentialsApplePay -} - -// Applies if a user enters new credentials using Google Pay -type InputCredentialsGooglePay struct { - meta - // JSON-encoded data with the credential identifier - Data string `json:"data"` -} - -func (entity *InputCredentialsGooglePay) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputCredentialsGooglePay - - return json.Marshal((*stub)(entity)) -} - -func (*InputCredentialsGooglePay) GetClass() string { - return ClassInputCredentials -} - -func (*InputCredentialsGooglePay) GetType() string { - return TypeInputCredentialsGooglePay -} - -func (*InputCredentialsGooglePay) InputCredentialsType() string { - return TypeInputCredentialsGooglePay -} - -// Smart Glocal payment provider -type PaymentProviderSmartGlocal struct { - meta - // Public payment token - PublicToken string `json:"public_token"` -} - -func (entity *PaymentProviderSmartGlocal) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PaymentProviderSmartGlocal - - return json.Marshal((*stub)(entity)) -} - -func (*PaymentProviderSmartGlocal) GetClass() string { - return ClassPaymentProvider -} - -func (*PaymentProviderSmartGlocal) GetType() string { - return TypePaymentProviderSmartGlocal -} - -func (*PaymentProviderSmartGlocal) PaymentProviderType() string { - return TypePaymentProviderSmartGlocal -} - -// Stripe payment provider -type PaymentProviderStripe struct { - meta - // Stripe API publishable key - PublishableKey string `json:"publishable_key"` - // True, if the user country must be provided - NeedCountry bool `json:"need_country"` - // True, if the user ZIP/postal code must be provided - NeedPostalCode bool `json:"need_postal_code"` - // True, if the cardholder name must be provided - NeedCardholderName bool `json:"need_cardholder_name"` -} - -func (entity *PaymentProviderStripe) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PaymentProviderStripe - - return json.Marshal((*stub)(entity)) -} - -func (*PaymentProviderStripe) GetClass() string { - return ClassPaymentProvider -} - -func (*PaymentProviderStripe) GetType() string { - return TypePaymentProviderStripe -} - -func (*PaymentProviderStripe) PaymentProviderType() string { - return TypePaymentProviderStripe -} - -// Some other payment provider, for which a web payment form must be shown -type PaymentProviderOther struct { - meta - // Payment form URL - Url string `json:"url"` -} - -func (entity *PaymentProviderOther) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PaymentProviderOther - - return json.Marshal((*stub)(entity)) -} - -func (*PaymentProviderOther) GetClass() string { - return ClassPaymentProvider -} - -func (*PaymentProviderOther) GetType() string { - return TypePaymentProviderOther -} - -func (*PaymentProviderOther) PaymentProviderType() string { - return TypePaymentProviderOther -} - -// Describes an additional payment option -type PaymentOption struct { - meta - // Title for the payment option - Title string `json:"title"` - // Payment form URL to be opened in a web view - Url string `json:"url"` -} - -func (entity *PaymentOption) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PaymentOption - - return json.Marshal((*stub)(entity)) -} - -func (*PaymentOption) GetClass() string { - return ClassPaymentOption -} - -func (*PaymentOption) GetType() string { - return TypePaymentOption -} - -// Contains information about an invoice payment form -type PaymentForm struct { - meta - // The payment form identifier - Id JsonInt64 `json:"id"` - // Full information about the invoice - Invoice *Invoice `json:"invoice"` - // User identifier of the seller bot - SellerBotUserId int64 `json:"seller_bot_user_id"` - // User identifier of the payment provider bot - PaymentProviderUserId int64 `json:"payment_provider_user_id"` - // Information about the payment provider - PaymentProvider PaymentProvider `json:"payment_provider"` - // The list of additional payment options - AdditionalPaymentOptions []*PaymentOption `json:"additional_payment_options"` - // Saved server-side order information; may be null - SavedOrderInfo *OrderInfo `json:"saved_order_info"` - // The list of saved payment credentials - SavedCredentials []*SavedCredentials `json:"saved_credentials"` - // True, if the user can choose to save credentials - CanSaveCredentials bool `json:"can_save_credentials"` - // True, if the user will be able to save credentials, if sets up a 2-step verification password - NeedPassword bool `json:"need_password"` - // Product title - ProductTitle string `json:"product_title"` - // Product description - ProductDescription *FormattedText `json:"product_description"` - // Product photo; may be null - ProductPhoto *Photo `json:"product_photo"` -} - -func (entity *PaymentForm) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PaymentForm - - return json.Marshal((*stub)(entity)) -} - -func (*PaymentForm) GetClass() string { - return ClassPaymentForm -} - -func (*PaymentForm) GetType() string { - return TypePaymentForm -} - -func (paymentForm *PaymentForm) UnmarshalJSON(data []byte) error { - var tmp struct { - Id JsonInt64 `json:"id"` - Invoice *Invoice `json:"invoice"` - SellerBotUserId int64 `json:"seller_bot_user_id"` - PaymentProviderUserId int64 `json:"payment_provider_user_id"` - PaymentProvider json.RawMessage `json:"payment_provider"` - AdditionalPaymentOptions []*PaymentOption `json:"additional_payment_options"` - SavedOrderInfo *OrderInfo `json:"saved_order_info"` - SavedCredentials []*SavedCredentials `json:"saved_credentials"` - CanSaveCredentials bool `json:"can_save_credentials"` - NeedPassword bool `json:"need_password"` - ProductTitle string `json:"product_title"` - ProductDescription *FormattedText `json:"product_description"` - ProductPhoto *Photo `json:"product_photo"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - paymentForm.Id = tmp.Id - paymentForm.Invoice = tmp.Invoice - paymentForm.SellerBotUserId = tmp.SellerBotUserId - paymentForm.PaymentProviderUserId = tmp.PaymentProviderUserId - paymentForm.AdditionalPaymentOptions = tmp.AdditionalPaymentOptions - paymentForm.SavedOrderInfo = tmp.SavedOrderInfo - paymentForm.SavedCredentials = tmp.SavedCredentials - paymentForm.CanSaveCredentials = tmp.CanSaveCredentials - paymentForm.NeedPassword = tmp.NeedPassword - paymentForm.ProductTitle = tmp.ProductTitle - paymentForm.ProductDescription = tmp.ProductDescription - paymentForm.ProductPhoto = tmp.ProductPhoto - - fieldPaymentProvider, _ := UnmarshalPaymentProvider(tmp.PaymentProvider) - paymentForm.PaymentProvider = fieldPaymentProvider - - return nil -} - -// Contains a temporary identifier of validated order information, which is stored for one hour, and the available shipping options -type ValidatedOrderInfo struct { - meta - // Temporary identifier of the order information - OrderInfoId string `json:"order_info_id"` - // Available shipping options - ShippingOptions []*ShippingOption `json:"shipping_options"` -} - -func (entity *ValidatedOrderInfo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ValidatedOrderInfo - - return json.Marshal((*stub)(entity)) -} - -func (*ValidatedOrderInfo) GetClass() string { - return ClassValidatedOrderInfo -} - -func (*ValidatedOrderInfo) GetType() string { - return TypeValidatedOrderInfo -} - -// Contains the result of a payment request -type PaymentResult struct { - meta - // True, if the payment request was successful; otherwise, the verification_url will be non-empty - Success bool `json:"success"` - // URL for additional payment credentials verification - VerificationUrl string `json:"verification_url"` -} - -func (entity *PaymentResult) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PaymentResult - - return json.Marshal((*stub)(entity)) -} - -func (*PaymentResult) GetClass() string { - return ClassPaymentResult -} - -func (*PaymentResult) GetType() string { - return TypePaymentResult -} - -// Contains information about a successful payment -type PaymentReceipt struct { - meta - // Product title - Title string `json:"title"` - // Product description - Description *FormattedText `json:"description"` - // Product photo; may be null - Photo *Photo `json:"photo"` - // Point in time (Unix timestamp) when the payment was made - Date int32 `json:"date"` - // User identifier of the seller bot - SellerBotUserId int64 `json:"seller_bot_user_id"` - // User identifier of the payment provider bot - PaymentProviderUserId int64 `json:"payment_provider_user_id"` - // Information about the invoice - Invoice *Invoice `json:"invoice"` - // Order information; may be null - OrderInfo *OrderInfo `json:"order_info"` - // Chosen shipping option; may be null - ShippingOption *ShippingOption `json:"shipping_option"` - // Title of the saved credentials chosen by the buyer - CredentialsTitle string `json:"credentials_title"` - // The amount of tip chosen by the buyer in the smallest units of the currency - TipAmount int64 `json:"tip_amount"` -} - -func (entity *PaymentReceipt) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PaymentReceipt - - return json.Marshal((*stub)(entity)) -} - -func (*PaymentReceipt) GetClass() string { - return ClassPaymentReceipt -} - -func (*PaymentReceipt) GetType() string { - return TypePaymentReceipt -} - -// An invoice from a message of the type messageInvoice -type InputInvoiceMessage struct { - meta - // Chat identifier of the message - ChatId int64 `json:"chat_id"` - // Message identifier - MessageId int64 `json:"message_id"` -} - -func (entity *InputInvoiceMessage) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputInvoiceMessage - - return json.Marshal((*stub)(entity)) -} - -func (*InputInvoiceMessage) GetClass() string { - return ClassInputInvoice -} - -func (*InputInvoiceMessage) GetType() string { - return TypeInputInvoiceMessage -} - -func (*InputInvoiceMessage) InputInvoiceType() string { - return TypeInputInvoiceMessage -} - -// An invoice from a link of the type internalLinkTypeInvoice -type InputInvoiceName struct { - meta - // Name of the invoice - Name string `json:"name"` -} - -func (entity *InputInvoiceName) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputInvoiceName - - return json.Marshal((*stub)(entity)) -} - -func (*InputInvoiceName) GetClass() string { - return ClassInputInvoice -} - -func (*InputInvoiceName) GetType() string { - return TypeInputInvoiceName -} - -func (*InputInvoiceName) InputInvoiceType() string { - return TypeInputInvoiceName -} - -// The media is hidden until the invoice is paid -type MessageExtendedMediaPreview struct { - meta - // Media width; 0 if unknown - Width int32 `json:"width"` - // Media height; 0 if unknown - Height int32 `json:"height"` - // Media duration; 0 if unknown - Duration int32 `json:"duration"` - // Media minithumbnail; may be null - Minithumbnail *Minithumbnail `json:"minithumbnail"` - // Media caption - Caption *FormattedText `json:"caption"` -} - -func (entity *MessageExtendedMediaPreview) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageExtendedMediaPreview - - return json.Marshal((*stub)(entity)) -} - -func (*MessageExtendedMediaPreview) GetClass() string { - return ClassMessageExtendedMedia -} - -func (*MessageExtendedMediaPreview) GetType() string { - return TypeMessageExtendedMediaPreview -} - -func (*MessageExtendedMediaPreview) MessageExtendedMediaType() string { - return TypeMessageExtendedMediaPreview -} - -// The media is a photo -type MessageExtendedMediaPhoto struct { - meta - // The photo - Photo *Photo `json:"photo"` - // Photo caption - Caption *FormattedText `json:"caption"` -} - -func (entity *MessageExtendedMediaPhoto) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageExtendedMediaPhoto - - return json.Marshal((*stub)(entity)) -} - -func (*MessageExtendedMediaPhoto) GetClass() string { - return ClassMessageExtendedMedia -} - -func (*MessageExtendedMediaPhoto) GetType() string { - return TypeMessageExtendedMediaPhoto -} - -func (*MessageExtendedMediaPhoto) MessageExtendedMediaType() string { - return TypeMessageExtendedMediaPhoto -} - -// The media is a video -type MessageExtendedMediaVideo struct { - meta - // The video - Video *Video `json:"video"` - // Photo caption - Caption *FormattedText `json:"caption"` -} - -func (entity *MessageExtendedMediaVideo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageExtendedMediaVideo - - return json.Marshal((*stub)(entity)) -} - -func (*MessageExtendedMediaVideo) GetClass() string { - return ClassMessageExtendedMedia -} - -func (*MessageExtendedMediaVideo) GetType() string { - return TypeMessageExtendedMediaVideo -} - -func (*MessageExtendedMediaVideo) MessageExtendedMediaType() string { - return TypeMessageExtendedMediaVideo -} - -// The media is unuspported -type MessageExtendedMediaUnsupported struct { - meta - // Media caption - Caption *FormattedText `json:"caption"` -} - -func (entity *MessageExtendedMediaUnsupported) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageExtendedMediaUnsupported - - return json.Marshal((*stub)(entity)) -} - -func (*MessageExtendedMediaUnsupported) GetClass() string { - return ClassMessageExtendedMedia -} - -func (*MessageExtendedMediaUnsupported) GetType() string { - return TypeMessageExtendedMediaUnsupported -} - -func (*MessageExtendedMediaUnsupported) MessageExtendedMediaType() string { - return TypeMessageExtendedMediaUnsupported -} - -// File with the date it was uploaded -type DatedFile struct { - meta - // The file - File *File `json:"file"` - // Point in time (Unix timestamp) when the file was uploaded - Date int32 `json:"date"` -} - -func (entity *DatedFile) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub DatedFile - - return json.Marshal((*stub)(entity)) -} - -func (*DatedFile) GetClass() string { - return ClassDatedFile -} - -func (*DatedFile) GetType() string { - return TypeDatedFile -} - -// A Telegram Passport element containing the user's personal details -type PassportElementTypePersonalDetails struct { - meta -} - -func (entity *PassportElementTypePersonalDetails) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PassportElementTypePersonalDetails - - return json.Marshal((*stub)(entity)) -} - -func (*PassportElementTypePersonalDetails) GetClass() string { - return ClassPassportElementType -} - -func (*PassportElementTypePersonalDetails) GetType() string { - return TypePassportElementTypePersonalDetails -} - -func (*PassportElementTypePersonalDetails) PassportElementTypeType() string { - return TypePassportElementTypePersonalDetails -} - -// A Telegram Passport element containing the user's passport -type PassportElementTypePassport struct { - meta -} - -func (entity *PassportElementTypePassport) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PassportElementTypePassport - - return json.Marshal((*stub)(entity)) -} - -func (*PassportElementTypePassport) GetClass() string { - return ClassPassportElementType -} - -func (*PassportElementTypePassport) GetType() string { - return TypePassportElementTypePassport -} - -func (*PassportElementTypePassport) PassportElementTypeType() string { - return TypePassportElementTypePassport -} - -// A Telegram Passport element containing the user's driver license -type PassportElementTypeDriverLicense struct { - meta -} - -func (entity *PassportElementTypeDriverLicense) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PassportElementTypeDriverLicense - - return json.Marshal((*stub)(entity)) -} - -func (*PassportElementTypeDriverLicense) GetClass() string { - return ClassPassportElementType -} - -func (*PassportElementTypeDriverLicense) GetType() string { - return TypePassportElementTypeDriverLicense -} - -func (*PassportElementTypeDriverLicense) PassportElementTypeType() string { - return TypePassportElementTypeDriverLicense -} - -// A Telegram Passport element containing the user's identity card -type PassportElementTypeIdentityCard struct { - meta -} - -func (entity *PassportElementTypeIdentityCard) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PassportElementTypeIdentityCard - - return json.Marshal((*stub)(entity)) -} - -func (*PassportElementTypeIdentityCard) GetClass() string { - return ClassPassportElementType -} - -func (*PassportElementTypeIdentityCard) GetType() string { - return TypePassportElementTypeIdentityCard -} - -func (*PassportElementTypeIdentityCard) PassportElementTypeType() string { - return TypePassportElementTypeIdentityCard -} - -// A Telegram Passport element containing the user's internal passport -type PassportElementTypeInternalPassport struct { - meta -} - -func (entity *PassportElementTypeInternalPassport) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PassportElementTypeInternalPassport - - return json.Marshal((*stub)(entity)) -} - -func (*PassportElementTypeInternalPassport) GetClass() string { - return ClassPassportElementType -} - -func (*PassportElementTypeInternalPassport) GetType() string { - return TypePassportElementTypeInternalPassport -} - -func (*PassportElementTypeInternalPassport) PassportElementTypeType() string { - return TypePassportElementTypeInternalPassport -} - -// A Telegram Passport element containing the user's address -type PassportElementTypeAddress struct { - meta -} - -func (entity *PassportElementTypeAddress) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PassportElementTypeAddress - - return json.Marshal((*stub)(entity)) -} - -func (*PassportElementTypeAddress) GetClass() string { - return ClassPassportElementType -} - -func (*PassportElementTypeAddress) GetType() string { - return TypePassportElementTypeAddress -} - -func (*PassportElementTypeAddress) PassportElementTypeType() string { - return TypePassportElementTypeAddress -} - -// A Telegram Passport element containing the user's utility bill -type PassportElementTypeUtilityBill struct { - meta -} - -func (entity *PassportElementTypeUtilityBill) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PassportElementTypeUtilityBill - - return json.Marshal((*stub)(entity)) -} - -func (*PassportElementTypeUtilityBill) GetClass() string { - return ClassPassportElementType -} - -func (*PassportElementTypeUtilityBill) GetType() string { - return TypePassportElementTypeUtilityBill -} - -func (*PassportElementTypeUtilityBill) PassportElementTypeType() string { - return TypePassportElementTypeUtilityBill -} - -// A Telegram Passport element containing the user's bank statement -type PassportElementTypeBankStatement struct { - meta -} - -func (entity *PassportElementTypeBankStatement) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PassportElementTypeBankStatement - - return json.Marshal((*stub)(entity)) -} - -func (*PassportElementTypeBankStatement) GetClass() string { - return ClassPassportElementType -} - -func (*PassportElementTypeBankStatement) GetType() string { - return TypePassportElementTypeBankStatement -} - -func (*PassportElementTypeBankStatement) PassportElementTypeType() string { - return TypePassportElementTypeBankStatement -} - -// A Telegram Passport element containing the user's rental agreement -type PassportElementTypeRentalAgreement struct { - meta -} - -func (entity *PassportElementTypeRentalAgreement) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PassportElementTypeRentalAgreement - - return json.Marshal((*stub)(entity)) -} - -func (*PassportElementTypeRentalAgreement) GetClass() string { - return ClassPassportElementType -} - -func (*PassportElementTypeRentalAgreement) GetType() string { - return TypePassportElementTypeRentalAgreement -} - -func (*PassportElementTypeRentalAgreement) PassportElementTypeType() string { - return TypePassportElementTypeRentalAgreement -} - -// A Telegram Passport element containing the registration page of the user's passport -type PassportElementTypePassportRegistration struct { - meta -} - -func (entity *PassportElementTypePassportRegistration) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PassportElementTypePassportRegistration - - return json.Marshal((*stub)(entity)) -} - -func (*PassportElementTypePassportRegistration) GetClass() string { - return ClassPassportElementType -} - -func (*PassportElementTypePassportRegistration) GetType() string { - return TypePassportElementTypePassportRegistration -} - -func (*PassportElementTypePassportRegistration) PassportElementTypeType() string { - return TypePassportElementTypePassportRegistration -} - -// A Telegram Passport element containing the user's temporary registration -type PassportElementTypeTemporaryRegistration struct { - meta -} - -func (entity *PassportElementTypeTemporaryRegistration) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PassportElementTypeTemporaryRegistration - - return json.Marshal((*stub)(entity)) -} - -func (*PassportElementTypeTemporaryRegistration) GetClass() string { - return ClassPassportElementType -} - -func (*PassportElementTypeTemporaryRegistration) GetType() string { - return TypePassportElementTypeTemporaryRegistration -} - -func (*PassportElementTypeTemporaryRegistration) PassportElementTypeType() string { - return TypePassportElementTypeTemporaryRegistration -} - -// A Telegram Passport element containing the user's phone number -type PassportElementTypePhoneNumber struct { - meta -} - -func (entity *PassportElementTypePhoneNumber) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PassportElementTypePhoneNumber - - return json.Marshal((*stub)(entity)) -} - -func (*PassportElementTypePhoneNumber) GetClass() string { - return ClassPassportElementType -} - -func (*PassportElementTypePhoneNumber) GetType() string { - return TypePassportElementTypePhoneNumber -} - -func (*PassportElementTypePhoneNumber) PassportElementTypeType() string { - return TypePassportElementTypePhoneNumber -} - -// A Telegram Passport element containing the user's email address -type PassportElementTypeEmailAddress struct { - meta -} - -func (entity *PassportElementTypeEmailAddress) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PassportElementTypeEmailAddress - - return json.Marshal((*stub)(entity)) -} - -func (*PassportElementTypeEmailAddress) GetClass() string { - return ClassPassportElementType -} - -func (*PassportElementTypeEmailAddress) GetType() string { - return TypePassportElementTypeEmailAddress -} - -func (*PassportElementTypeEmailAddress) PassportElementTypeType() string { - return TypePassportElementTypeEmailAddress -} - -// Represents a date according to the Gregorian calendar -type Date struct { - meta - // Day of the month; 1-31 - Day int32 `json:"day"` - // Month; 1-12 - Month int32 `json:"month"` - // Year; 1-9999 - Year int32 `json:"year"` -} - -func (entity *Date) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub Date - - return json.Marshal((*stub)(entity)) -} - -func (*Date) GetClass() string { - return ClassDate -} - -func (*Date) GetType() string { - return TypeDate -} - -// Contains the user's personal details -type PersonalDetails struct { - meta - // First name of the user written in English; 1-255 characters - FirstName string `json:"first_name"` - // Middle name of the user written in English; 0-255 characters - MiddleName string `json:"middle_name"` - // Last name of the user written in English; 1-255 characters - LastName string `json:"last_name"` - // Native first name of the user; 1-255 characters - NativeFirstName string `json:"native_first_name"` - // Native middle name of the user; 0-255 characters - NativeMiddleName string `json:"native_middle_name"` - // Native last name of the user; 1-255 characters - NativeLastName string `json:"native_last_name"` - // Birthdate of the user - Birthdate *Date `json:"birthdate"` - // Gender of the user, "male" or "female" - Gender string `json:"gender"` - // A two-letter ISO 3166-1 alpha-2 country code of the user's country - CountryCode string `json:"country_code"` - // A two-letter ISO 3166-1 alpha-2 country code of the user's residence country - ResidenceCountryCode string `json:"residence_country_code"` -} - -func (entity *PersonalDetails) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PersonalDetails - - return json.Marshal((*stub)(entity)) -} - -func (*PersonalDetails) GetClass() string { - return ClassPersonalDetails -} - -func (*PersonalDetails) GetType() string { - return TypePersonalDetails -} - -// An identity document -type IdentityDocument struct { - meta - // Document number; 1-24 characters - Number string `json:"number"` - // Document expiry date; may be null if not applicable - ExpiryDate *Date `json:"expiry_date"` - // Front side of the document - FrontSide *DatedFile `json:"front_side"` - // Reverse side of the document; only for driver license and identity card; may be null - ReverseSide *DatedFile `json:"reverse_side"` - // Selfie with the document; may be null - Selfie *DatedFile `json:"selfie"` - // List of files containing a certified English translation of the document - Translation []*DatedFile `json:"translation"` -} - -func (entity *IdentityDocument) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub IdentityDocument - - return json.Marshal((*stub)(entity)) -} - -func (*IdentityDocument) GetClass() string { - return ClassIdentityDocument -} - -func (*IdentityDocument) GetType() string { - return TypeIdentityDocument -} - -// An identity document to be saved to Telegram Passport -type InputIdentityDocument struct { - meta - // Document number; 1-24 characters - Number string `json:"number"` - // Document expiry date; pass null if not applicable - ExpiryDate *Date `json:"expiry_date"` - // Front side of the document - FrontSide InputFile `json:"front_side"` - // Reverse side of the document; only for driver license and identity card; pass null otherwise - ReverseSide InputFile `json:"reverse_side"` - // Selfie with the document; pass null if unavailable - Selfie InputFile `json:"selfie"` - // List of files containing a certified English translation of the document - Translation []InputFile `json:"translation"` -} - -func (entity *InputIdentityDocument) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputIdentityDocument - - return json.Marshal((*stub)(entity)) -} - -func (*InputIdentityDocument) GetClass() string { - return ClassInputIdentityDocument -} - -func (*InputIdentityDocument) GetType() string { - return TypeInputIdentityDocument -} - -func (inputIdentityDocument *InputIdentityDocument) UnmarshalJSON(data []byte) error { - var tmp struct { - Number string `json:"number"` - ExpiryDate *Date `json:"expiry_date"` - FrontSide json.RawMessage `json:"front_side"` - ReverseSide json.RawMessage `json:"reverse_side"` - Selfie json.RawMessage `json:"selfie"` - Translation []json.RawMessage `json:"translation"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - inputIdentityDocument.Number = tmp.Number - inputIdentityDocument.ExpiryDate = tmp.ExpiryDate - - fieldFrontSide, _ := UnmarshalInputFile(tmp.FrontSide) - inputIdentityDocument.FrontSide = fieldFrontSide - - fieldReverseSide, _ := UnmarshalInputFile(tmp.ReverseSide) - inputIdentityDocument.ReverseSide = fieldReverseSide - - fieldSelfie, _ := UnmarshalInputFile(tmp.Selfie) - inputIdentityDocument.Selfie = fieldSelfie - - fieldTranslation, _ := UnmarshalListOfInputFile(tmp.Translation) - inputIdentityDocument.Translation = fieldTranslation - - return nil -} - -// A personal document, containing some information about a user -type PersonalDocument struct { - meta - // List of files containing the pages of the document - Files []*DatedFile `json:"files"` - // List of files containing a certified English translation of the document - Translation []*DatedFile `json:"translation"` -} - -func (entity *PersonalDocument) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PersonalDocument - - return json.Marshal((*stub)(entity)) -} - -func (*PersonalDocument) GetClass() string { - return ClassPersonalDocument -} - -func (*PersonalDocument) GetType() string { - return TypePersonalDocument -} - -// A personal document to be saved to Telegram Passport -type InputPersonalDocument struct { - meta - // List of files containing the pages of the document - Files []InputFile `json:"files"` - // List of files containing a certified English translation of the document - Translation []InputFile `json:"translation"` -} - -func (entity *InputPersonalDocument) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputPersonalDocument - - return json.Marshal((*stub)(entity)) -} - -func (*InputPersonalDocument) GetClass() string { - return ClassInputPersonalDocument -} - -func (*InputPersonalDocument) GetType() string { - return TypeInputPersonalDocument -} - -func (inputPersonalDocument *InputPersonalDocument) UnmarshalJSON(data []byte) error { - var tmp struct { - Files []json.RawMessage `json:"files"` - Translation []json.RawMessage `json:"translation"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - fieldFiles, _ := UnmarshalListOfInputFile(tmp.Files) - inputPersonalDocument.Files = fieldFiles - - fieldTranslation, _ := UnmarshalListOfInputFile(tmp.Translation) - inputPersonalDocument.Translation = fieldTranslation - - return nil -} - -// A Telegram Passport element containing the user's personal details -type PassportElementPersonalDetails struct { - meta - // Personal details of the user - PersonalDetails *PersonalDetails `json:"personal_details"` -} - -func (entity *PassportElementPersonalDetails) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PassportElementPersonalDetails - - return json.Marshal((*stub)(entity)) -} - -func (*PassportElementPersonalDetails) GetClass() string { - return ClassPassportElement -} - -func (*PassportElementPersonalDetails) GetType() string { - return TypePassportElementPersonalDetails -} - -func (*PassportElementPersonalDetails) PassportElementType() string { - return TypePassportElementPersonalDetails -} - -// A Telegram Passport element containing the user's passport -type PassportElementPassport struct { - meta - // Passport - Passport *IdentityDocument `json:"passport"` -} - -func (entity *PassportElementPassport) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PassportElementPassport - - return json.Marshal((*stub)(entity)) -} - -func (*PassportElementPassport) GetClass() string { - return ClassPassportElement -} - -func (*PassportElementPassport) GetType() string { - return TypePassportElementPassport -} - -func (*PassportElementPassport) PassportElementType() string { - return TypePassportElementPassport -} - -// A Telegram Passport element containing the user's driver license -type PassportElementDriverLicense struct { - meta - // Driver license - DriverLicense *IdentityDocument `json:"driver_license"` -} - -func (entity *PassportElementDriverLicense) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PassportElementDriverLicense - - return json.Marshal((*stub)(entity)) -} - -func (*PassportElementDriverLicense) GetClass() string { - return ClassPassportElement -} - -func (*PassportElementDriverLicense) GetType() string { - return TypePassportElementDriverLicense -} - -func (*PassportElementDriverLicense) PassportElementType() string { - return TypePassportElementDriverLicense -} - -// A Telegram Passport element containing the user's identity card -type PassportElementIdentityCard struct { - meta - // Identity card - IdentityCard *IdentityDocument `json:"identity_card"` -} - -func (entity *PassportElementIdentityCard) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PassportElementIdentityCard - - return json.Marshal((*stub)(entity)) -} - -func (*PassportElementIdentityCard) GetClass() string { - return ClassPassportElement -} - -func (*PassportElementIdentityCard) GetType() string { - return TypePassportElementIdentityCard -} - -func (*PassportElementIdentityCard) PassportElementType() string { - return TypePassportElementIdentityCard -} - -// A Telegram Passport element containing the user's internal passport -type PassportElementInternalPassport struct { - meta - // Internal passport - InternalPassport *IdentityDocument `json:"internal_passport"` -} - -func (entity *PassportElementInternalPassport) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PassportElementInternalPassport - - return json.Marshal((*stub)(entity)) -} - -func (*PassportElementInternalPassport) GetClass() string { - return ClassPassportElement -} - -func (*PassportElementInternalPassport) GetType() string { - return TypePassportElementInternalPassport -} - -func (*PassportElementInternalPassport) PassportElementType() string { - return TypePassportElementInternalPassport -} - -// A Telegram Passport element containing the user's address -type PassportElementAddress struct { - meta - // Address - Address *Address `json:"address"` -} - -func (entity *PassportElementAddress) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PassportElementAddress - - return json.Marshal((*stub)(entity)) -} - -func (*PassportElementAddress) GetClass() string { - return ClassPassportElement -} - -func (*PassportElementAddress) GetType() string { - return TypePassportElementAddress -} - -func (*PassportElementAddress) PassportElementType() string { - return TypePassportElementAddress -} - -// A Telegram Passport element containing the user's utility bill -type PassportElementUtilityBill struct { - meta - // Utility bill - UtilityBill *PersonalDocument `json:"utility_bill"` -} - -func (entity *PassportElementUtilityBill) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PassportElementUtilityBill - - return json.Marshal((*stub)(entity)) -} - -func (*PassportElementUtilityBill) GetClass() string { - return ClassPassportElement -} - -func (*PassportElementUtilityBill) GetType() string { - return TypePassportElementUtilityBill -} - -func (*PassportElementUtilityBill) PassportElementType() string { - return TypePassportElementUtilityBill -} - -// A Telegram Passport element containing the user's bank statement -type PassportElementBankStatement struct { - meta - // Bank statement - BankStatement *PersonalDocument `json:"bank_statement"` -} - -func (entity *PassportElementBankStatement) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PassportElementBankStatement - - return json.Marshal((*stub)(entity)) -} - -func (*PassportElementBankStatement) GetClass() string { - return ClassPassportElement -} - -func (*PassportElementBankStatement) GetType() string { - return TypePassportElementBankStatement -} - -func (*PassportElementBankStatement) PassportElementType() string { - return TypePassportElementBankStatement -} - -// A Telegram Passport element containing the user's rental agreement -type PassportElementRentalAgreement struct { - meta - // Rental agreement - RentalAgreement *PersonalDocument `json:"rental_agreement"` -} - -func (entity *PassportElementRentalAgreement) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PassportElementRentalAgreement - - return json.Marshal((*stub)(entity)) -} - -func (*PassportElementRentalAgreement) GetClass() string { - return ClassPassportElement -} - -func (*PassportElementRentalAgreement) GetType() string { - return TypePassportElementRentalAgreement -} - -func (*PassportElementRentalAgreement) PassportElementType() string { - return TypePassportElementRentalAgreement -} - -// A Telegram Passport element containing the user's passport registration pages -type PassportElementPassportRegistration struct { - meta - // Passport registration pages - PassportRegistration *PersonalDocument `json:"passport_registration"` -} - -func (entity *PassportElementPassportRegistration) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PassportElementPassportRegistration - - return json.Marshal((*stub)(entity)) -} - -func (*PassportElementPassportRegistration) GetClass() string { - return ClassPassportElement -} - -func (*PassportElementPassportRegistration) GetType() string { - return TypePassportElementPassportRegistration -} - -func (*PassportElementPassportRegistration) PassportElementType() string { - return TypePassportElementPassportRegistration -} - -// A Telegram Passport element containing the user's temporary registration -type PassportElementTemporaryRegistration struct { - meta - // Temporary registration - TemporaryRegistration *PersonalDocument `json:"temporary_registration"` -} - -func (entity *PassportElementTemporaryRegistration) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PassportElementTemporaryRegistration - - return json.Marshal((*stub)(entity)) -} - -func (*PassportElementTemporaryRegistration) GetClass() string { - return ClassPassportElement -} - -func (*PassportElementTemporaryRegistration) GetType() string { - return TypePassportElementTemporaryRegistration -} - -func (*PassportElementTemporaryRegistration) PassportElementType() string { - return TypePassportElementTemporaryRegistration -} - -// A Telegram Passport element containing the user's phone number -type PassportElementPhoneNumber struct { - meta - // Phone number - PhoneNumber string `json:"phone_number"` -} - -func (entity *PassportElementPhoneNumber) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PassportElementPhoneNumber - - return json.Marshal((*stub)(entity)) -} - -func (*PassportElementPhoneNumber) GetClass() string { - return ClassPassportElement -} - -func (*PassportElementPhoneNumber) GetType() string { - return TypePassportElementPhoneNumber -} - -func (*PassportElementPhoneNumber) PassportElementType() string { - return TypePassportElementPhoneNumber -} - -// A Telegram Passport element containing the user's email address -type PassportElementEmailAddress struct { - meta - // Email address - EmailAddress string `json:"email_address"` -} - -func (entity *PassportElementEmailAddress) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PassportElementEmailAddress - - return json.Marshal((*stub)(entity)) -} - -func (*PassportElementEmailAddress) GetClass() string { - return ClassPassportElement -} - -func (*PassportElementEmailAddress) GetType() string { - return TypePassportElementEmailAddress -} - -func (*PassportElementEmailAddress) PassportElementType() string { - return TypePassportElementEmailAddress -} - -// A Telegram Passport element to be saved containing the user's personal details -type InputPassportElementPersonalDetails struct { - meta - // Personal details of the user - PersonalDetails *PersonalDetails `json:"personal_details"` -} - -func (entity *InputPassportElementPersonalDetails) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputPassportElementPersonalDetails - - return json.Marshal((*stub)(entity)) -} - -func (*InputPassportElementPersonalDetails) GetClass() string { - return ClassInputPassportElement -} - -func (*InputPassportElementPersonalDetails) GetType() string { - return TypeInputPassportElementPersonalDetails -} - -func (*InputPassportElementPersonalDetails) InputPassportElementType() string { - return TypeInputPassportElementPersonalDetails -} - -// A Telegram Passport element to be saved containing the user's passport -type InputPassportElementPassport struct { - meta - // The passport to be saved - Passport *InputIdentityDocument `json:"passport"` -} - -func (entity *InputPassportElementPassport) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputPassportElementPassport - - return json.Marshal((*stub)(entity)) -} - -func (*InputPassportElementPassport) GetClass() string { - return ClassInputPassportElement -} - -func (*InputPassportElementPassport) GetType() string { - return TypeInputPassportElementPassport -} - -func (*InputPassportElementPassport) InputPassportElementType() string { - return TypeInputPassportElementPassport -} - -// A Telegram Passport element to be saved containing the user's driver license -type InputPassportElementDriverLicense struct { - meta - // The driver license to be saved - DriverLicense *InputIdentityDocument `json:"driver_license"` -} - -func (entity *InputPassportElementDriverLicense) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputPassportElementDriverLicense - - return json.Marshal((*stub)(entity)) -} - -func (*InputPassportElementDriverLicense) GetClass() string { - return ClassInputPassportElement -} - -func (*InputPassportElementDriverLicense) GetType() string { - return TypeInputPassportElementDriverLicense -} - -func (*InputPassportElementDriverLicense) InputPassportElementType() string { - return TypeInputPassportElementDriverLicense -} - -// A Telegram Passport element to be saved containing the user's identity card -type InputPassportElementIdentityCard struct { - meta - // The identity card to be saved - IdentityCard *InputIdentityDocument `json:"identity_card"` -} - -func (entity *InputPassportElementIdentityCard) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputPassportElementIdentityCard - - return json.Marshal((*stub)(entity)) -} - -func (*InputPassportElementIdentityCard) GetClass() string { - return ClassInputPassportElement -} - -func (*InputPassportElementIdentityCard) GetType() string { - return TypeInputPassportElementIdentityCard -} - -func (*InputPassportElementIdentityCard) InputPassportElementType() string { - return TypeInputPassportElementIdentityCard -} - -// A Telegram Passport element to be saved containing the user's internal passport -type InputPassportElementInternalPassport struct { - meta - // The internal passport to be saved - InternalPassport *InputIdentityDocument `json:"internal_passport"` -} - -func (entity *InputPassportElementInternalPassport) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputPassportElementInternalPassport - - return json.Marshal((*stub)(entity)) -} - -func (*InputPassportElementInternalPassport) GetClass() string { - return ClassInputPassportElement -} - -func (*InputPassportElementInternalPassport) GetType() string { - return TypeInputPassportElementInternalPassport -} - -func (*InputPassportElementInternalPassport) InputPassportElementType() string { - return TypeInputPassportElementInternalPassport -} - -// A Telegram Passport element to be saved containing the user's address -type InputPassportElementAddress struct { - meta - // The address to be saved - Address *Address `json:"address"` -} - -func (entity *InputPassportElementAddress) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputPassportElementAddress - - return json.Marshal((*stub)(entity)) -} - -func (*InputPassportElementAddress) GetClass() string { - return ClassInputPassportElement -} - -func (*InputPassportElementAddress) GetType() string { - return TypeInputPassportElementAddress -} - -func (*InputPassportElementAddress) InputPassportElementType() string { - return TypeInputPassportElementAddress -} - -// A Telegram Passport element to be saved containing the user's utility bill -type InputPassportElementUtilityBill struct { - meta - // The utility bill to be saved - UtilityBill *InputPersonalDocument `json:"utility_bill"` -} - -func (entity *InputPassportElementUtilityBill) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputPassportElementUtilityBill - - return json.Marshal((*stub)(entity)) -} - -func (*InputPassportElementUtilityBill) GetClass() string { - return ClassInputPassportElement -} - -func (*InputPassportElementUtilityBill) GetType() string { - return TypeInputPassportElementUtilityBill -} - -func (*InputPassportElementUtilityBill) InputPassportElementType() string { - return TypeInputPassportElementUtilityBill -} - -// A Telegram Passport element to be saved containing the user's bank statement -type InputPassportElementBankStatement struct { - meta - // The bank statement to be saved - BankStatement *InputPersonalDocument `json:"bank_statement"` -} - -func (entity *InputPassportElementBankStatement) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputPassportElementBankStatement - - return json.Marshal((*stub)(entity)) -} - -func (*InputPassportElementBankStatement) GetClass() string { - return ClassInputPassportElement -} - -func (*InputPassportElementBankStatement) GetType() string { - return TypeInputPassportElementBankStatement -} - -func (*InputPassportElementBankStatement) InputPassportElementType() string { - return TypeInputPassportElementBankStatement -} - -// A Telegram Passport element to be saved containing the user's rental agreement -type InputPassportElementRentalAgreement struct { - meta - // The rental agreement to be saved - RentalAgreement *InputPersonalDocument `json:"rental_agreement"` -} - -func (entity *InputPassportElementRentalAgreement) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputPassportElementRentalAgreement - - return json.Marshal((*stub)(entity)) -} - -func (*InputPassportElementRentalAgreement) GetClass() string { - return ClassInputPassportElement -} - -func (*InputPassportElementRentalAgreement) GetType() string { - return TypeInputPassportElementRentalAgreement -} - -func (*InputPassportElementRentalAgreement) InputPassportElementType() string { - return TypeInputPassportElementRentalAgreement -} - -// A Telegram Passport element to be saved containing the user's passport registration -type InputPassportElementPassportRegistration struct { - meta - // The passport registration page to be saved - PassportRegistration *InputPersonalDocument `json:"passport_registration"` -} - -func (entity *InputPassportElementPassportRegistration) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputPassportElementPassportRegistration - - return json.Marshal((*stub)(entity)) -} - -func (*InputPassportElementPassportRegistration) GetClass() string { - return ClassInputPassportElement -} - -func (*InputPassportElementPassportRegistration) GetType() string { - return TypeInputPassportElementPassportRegistration -} - -func (*InputPassportElementPassportRegistration) InputPassportElementType() string { - return TypeInputPassportElementPassportRegistration -} - -// A Telegram Passport element to be saved containing the user's temporary registration -type InputPassportElementTemporaryRegistration struct { - meta - // The temporary registration document to be saved - TemporaryRegistration *InputPersonalDocument `json:"temporary_registration"` -} - -func (entity *InputPassportElementTemporaryRegistration) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputPassportElementTemporaryRegistration - - return json.Marshal((*stub)(entity)) -} - -func (*InputPassportElementTemporaryRegistration) GetClass() string { - return ClassInputPassportElement -} - -func (*InputPassportElementTemporaryRegistration) GetType() string { - return TypeInputPassportElementTemporaryRegistration -} - -func (*InputPassportElementTemporaryRegistration) InputPassportElementType() string { - return TypeInputPassportElementTemporaryRegistration -} - -// A Telegram Passport element to be saved containing the user's phone number -type InputPassportElementPhoneNumber struct { - meta - // The phone number to be saved - PhoneNumber string `json:"phone_number"` -} - -func (entity *InputPassportElementPhoneNumber) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputPassportElementPhoneNumber - - return json.Marshal((*stub)(entity)) -} - -func (*InputPassportElementPhoneNumber) GetClass() string { - return ClassInputPassportElement -} - -func (*InputPassportElementPhoneNumber) GetType() string { - return TypeInputPassportElementPhoneNumber -} - -func (*InputPassportElementPhoneNumber) InputPassportElementType() string { - return TypeInputPassportElementPhoneNumber -} - -// A Telegram Passport element to be saved containing the user's email address -type InputPassportElementEmailAddress struct { - meta - // The email address to be saved - EmailAddress string `json:"email_address"` -} - -func (entity *InputPassportElementEmailAddress) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputPassportElementEmailAddress - - return json.Marshal((*stub)(entity)) -} - -func (*InputPassportElementEmailAddress) GetClass() string { - return ClassInputPassportElement -} - -func (*InputPassportElementEmailAddress) GetType() string { - return TypeInputPassportElementEmailAddress -} - -func (*InputPassportElementEmailAddress) InputPassportElementType() string { - return TypeInputPassportElementEmailAddress -} - -// Contains information about saved Telegram Passport elements -type PassportElements struct { - meta - // Telegram Passport elements - Elements []PassportElement `json:"elements"` -} - -func (entity *PassportElements) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PassportElements - - return json.Marshal((*stub)(entity)) -} - -func (*PassportElements) GetClass() string { - return ClassPassportElements -} - -func (*PassportElements) GetType() string { - return TypePassportElements -} - -func (passportElements *PassportElements) UnmarshalJSON(data []byte) error { - var tmp struct { - Elements []json.RawMessage `json:"elements"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - fieldElements, _ := UnmarshalListOfPassportElement(tmp.Elements) - passportElements.Elements = fieldElements - - return nil -} - -// The element contains an error in an unspecified place. The error will be considered resolved when new data is added -type PassportElementErrorSourceUnspecified struct { - meta -} - -func (entity *PassportElementErrorSourceUnspecified) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PassportElementErrorSourceUnspecified - - return json.Marshal((*stub)(entity)) -} - -func (*PassportElementErrorSourceUnspecified) GetClass() string { - return ClassPassportElementErrorSource -} - -func (*PassportElementErrorSourceUnspecified) GetType() string { - return TypePassportElementErrorSourceUnspecified -} - -func (*PassportElementErrorSourceUnspecified) PassportElementErrorSourceType() string { - return TypePassportElementErrorSourceUnspecified -} - -// One of the data fields contains an error. The error will be considered resolved when the value of the field changes -type PassportElementErrorSourceDataField struct { - meta - // Field name - FieldName string `json:"field_name"` -} - -func (entity *PassportElementErrorSourceDataField) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PassportElementErrorSourceDataField - - return json.Marshal((*stub)(entity)) -} - -func (*PassportElementErrorSourceDataField) GetClass() string { - return ClassPassportElementErrorSource -} - -func (*PassportElementErrorSourceDataField) GetType() string { - return TypePassportElementErrorSourceDataField -} - -func (*PassportElementErrorSourceDataField) PassportElementErrorSourceType() string { - return TypePassportElementErrorSourceDataField -} - -// The front side of the document contains an error. The error will be considered resolved when the file with the front side changes -type PassportElementErrorSourceFrontSide struct { - meta -} - -func (entity *PassportElementErrorSourceFrontSide) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PassportElementErrorSourceFrontSide - - return json.Marshal((*stub)(entity)) -} - -func (*PassportElementErrorSourceFrontSide) GetClass() string { - return ClassPassportElementErrorSource -} - -func (*PassportElementErrorSourceFrontSide) GetType() string { - return TypePassportElementErrorSourceFrontSide -} - -func (*PassportElementErrorSourceFrontSide) PassportElementErrorSourceType() string { - return TypePassportElementErrorSourceFrontSide -} - -// The reverse side of the document contains an error. The error will be considered resolved when the file with the reverse side changes -type PassportElementErrorSourceReverseSide struct { - meta -} - -func (entity *PassportElementErrorSourceReverseSide) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PassportElementErrorSourceReverseSide - - return json.Marshal((*stub)(entity)) -} - -func (*PassportElementErrorSourceReverseSide) GetClass() string { - return ClassPassportElementErrorSource -} - -func (*PassportElementErrorSourceReverseSide) GetType() string { - return TypePassportElementErrorSourceReverseSide -} - -func (*PassportElementErrorSourceReverseSide) PassportElementErrorSourceType() string { - return TypePassportElementErrorSourceReverseSide -} - -// The selfie with the document contains an error. The error will be considered resolved when the file with the selfie changes -type PassportElementErrorSourceSelfie struct { - meta -} - -func (entity *PassportElementErrorSourceSelfie) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PassportElementErrorSourceSelfie - - return json.Marshal((*stub)(entity)) -} - -func (*PassportElementErrorSourceSelfie) GetClass() string { - return ClassPassportElementErrorSource -} - -func (*PassportElementErrorSourceSelfie) GetType() string { - return TypePassportElementErrorSourceSelfie -} - -func (*PassportElementErrorSourceSelfie) PassportElementErrorSourceType() string { - return TypePassportElementErrorSourceSelfie -} - -// One of files with the translation of the document contains an error. The error will be considered resolved when the file changes -type PassportElementErrorSourceTranslationFile struct { - meta - // Index of a file with the error - FileIndex int32 `json:"file_index"` -} - -func (entity *PassportElementErrorSourceTranslationFile) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PassportElementErrorSourceTranslationFile - - return json.Marshal((*stub)(entity)) -} - -func (*PassportElementErrorSourceTranslationFile) GetClass() string { - return ClassPassportElementErrorSource -} - -func (*PassportElementErrorSourceTranslationFile) GetType() string { - return TypePassportElementErrorSourceTranslationFile -} - -func (*PassportElementErrorSourceTranslationFile) PassportElementErrorSourceType() string { - return TypePassportElementErrorSourceTranslationFile -} - -// The translation of the document contains an error. The error will be considered resolved when the list of translation files changes -type PassportElementErrorSourceTranslationFiles struct { - meta -} - -func (entity *PassportElementErrorSourceTranslationFiles) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PassportElementErrorSourceTranslationFiles - - return json.Marshal((*stub)(entity)) -} - -func (*PassportElementErrorSourceTranslationFiles) GetClass() string { - return ClassPassportElementErrorSource -} - -func (*PassportElementErrorSourceTranslationFiles) GetType() string { - return TypePassportElementErrorSourceTranslationFiles -} - -func (*PassportElementErrorSourceTranslationFiles) PassportElementErrorSourceType() string { - return TypePassportElementErrorSourceTranslationFiles -} - -// The file contains an error. The error will be considered resolved when the file changes -type PassportElementErrorSourceFile struct { - meta - // Index of a file with the error - FileIndex int32 `json:"file_index"` -} - -func (entity *PassportElementErrorSourceFile) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PassportElementErrorSourceFile - - return json.Marshal((*stub)(entity)) -} - -func (*PassportElementErrorSourceFile) GetClass() string { - return ClassPassportElementErrorSource -} - -func (*PassportElementErrorSourceFile) GetType() string { - return TypePassportElementErrorSourceFile -} - -func (*PassportElementErrorSourceFile) PassportElementErrorSourceType() string { - return TypePassportElementErrorSourceFile -} - -// The list of attached files contains an error. The error will be considered resolved when the list of files changes -type PassportElementErrorSourceFiles struct { - meta -} - -func (entity *PassportElementErrorSourceFiles) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PassportElementErrorSourceFiles - - return json.Marshal((*stub)(entity)) -} - -func (*PassportElementErrorSourceFiles) GetClass() string { - return ClassPassportElementErrorSource -} - -func (*PassportElementErrorSourceFiles) GetType() string { - return TypePassportElementErrorSourceFiles -} - -func (*PassportElementErrorSourceFiles) PassportElementErrorSourceType() string { - return TypePassportElementErrorSourceFiles -} - -// Contains the description of an error in a Telegram Passport element -type PassportElementError struct { - meta - // Type of the Telegram Passport element which has the error - Type PassportElementType `json:"type"` - // Error message - Message string `json:"message"` - // Error source - Source PassportElementErrorSource `json:"source"` -} - -func (entity *PassportElementError) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PassportElementError - - return json.Marshal((*stub)(entity)) -} - -func (*PassportElementError) GetClass() string { - return ClassPassportElementError -} - -func (*PassportElementError) GetType() string { - return TypePassportElementError -} - -func (passportElementError *PassportElementError) UnmarshalJSON(data []byte) error { - var tmp struct { - Type json.RawMessage `json:"type"` - Message string `json:"message"` - Source json.RawMessage `json:"source"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - passportElementError.Message = tmp.Message - - fieldType, _ := UnmarshalPassportElementType(tmp.Type) - passportElementError.Type = fieldType - - fieldSource, _ := UnmarshalPassportElementErrorSource(tmp.Source) - passportElementError.Source = fieldSource - - return nil -} - -// Contains information about a Telegram Passport element that was requested by a service -type PassportSuitableElement struct { - meta - // Type of the element - Type PassportElementType `json:"type"` - // True, if a selfie is required with the identity document - IsSelfieRequired bool `json:"is_selfie_required"` - // True, if a certified English translation is required with the document - IsTranslationRequired bool `json:"is_translation_required"` - // True, if personal details must include the user's name in the language of their country of residence - IsNativeNameRequired bool `json:"is_native_name_required"` -} - -func (entity *PassportSuitableElement) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PassportSuitableElement - - return json.Marshal((*stub)(entity)) -} - -func (*PassportSuitableElement) GetClass() string { - return ClassPassportSuitableElement -} - -func (*PassportSuitableElement) GetType() string { - return TypePassportSuitableElement -} - -func (passportSuitableElement *PassportSuitableElement) UnmarshalJSON(data []byte) error { - var tmp struct { - Type json.RawMessage `json:"type"` - IsSelfieRequired bool `json:"is_selfie_required"` - IsTranslationRequired bool `json:"is_translation_required"` - IsNativeNameRequired bool `json:"is_native_name_required"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - passportSuitableElement.IsSelfieRequired = tmp.IsSelfieRequired - passportSuitableElement.IsTranslationRequired = tmp.IsTranslationRequired - passportSuitableElement.IsNativeNameRequired = tmp.IsNativeNameRequired - - fieldType, _ := UnmarshalPassportElementType(tmp.Type) - passportSuitableElement.Type = fieldType - - return nil -} - -// Contains a description of the required Telegram Passport element that was requested by a service -type PassportRequiredElement struct { - meta - // List of Telegram Passport elements any of which is enough to provide - SuitableElements []*PassportSuitableElement `json:"suitable_elements"` -} - -func (entity *PassportRequiredElement) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PassportRequiredElement - - return json.Marshal((*stub)(entity)) -} - -func (*PassportRequiredElement) GetClass() string { - return ClassPassportRequiredElement -} - -func (*PassportRequiredElement) GetType() string { - return TypePassportRequiredElement -} - -// Contains information about a Telegram Passport authorization form that was requested -type PassportAuthorizationForm struct { - meta - // Unique identifier of the authorization form - Id int32 `json:"id"` - // Telegram Passport elements that must be provided to complete the form - RequiredElements []*PassportRequiredElement `json:"required_elements"` - // URL for the privacy policy of the service; may be empty - PrivacyPolicyUrl string `json:"privacy_policy_url"` -} - -func (entity *PassportAuthorizationForm) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PassportAuthorizationForm - - return json.Marshal((*stub)(entity)) -} - -func (*PassportAuthorizationForm) GetClass() string { - return ClassPassportAuthorizationForm -} - -func (*PassportAuthorizationForm) GetType() string { - return TypePassportAuthorizationForm -} - -// Contains information about a Telegram Passport elements and corresponding errors -type PassportElementsWithErrors struct { - meta - // Telegram Passport elements - Elements []PassportElement `json:"elements"` - // Errors in the elements that are already available - Errors []*PassportElementError `json:"errors"` -} - -func (entity *PassportElementsWithErrors) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PassportElementsWithErrors - - return json.Marshal((*stub)(entity)) -} - -func (*PassportElementsWithErrors) GetClass() string { - return ClassPassportElementsWithErrors -} - -func (*PassportElementsWithErrors) GetType() string { - return TypePassportElementsWithErrors -} - -func (passportElementsWithErrors *PassportElementsWithErrors) UnmarshalJSON(data []byte) error { - var tmp struct { - Elements []json.RawMessage `json:"elements"` - Errors []*PassportElementError `json:"errors"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - passportElementsWithErrors.Errors = tmp.Errors - - fieldElements, _ := UnmarshalListOfPassportElement(tmp.Elements) - passportElementsWithErrors.Elements = fieldElements - - return nil -} - -// Contains encrypted Telegram Passport data credentials -type EncryptedCredentials struct { - meta - // The encrypted credentials - Data []byte `json:"data"` - // The decrypted data hash - Hash []byte `json:"hash"` - // Secret for data decryption, encrypted with the service's public key - Secret []byte `json:"secret"` -} - -func (entity *EncryptedCredentials) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub EncryptedCredentials - - return json.Marshal((*stub)(entity)) -} - -func (*EncryptedCredentials) GetClass() string { - return ClassEncryptedCredentials -} - -func (*EncryptedCredentials) GetType() string { - return TypeEncryptedCredentials -} - -// Contains information about an encrypted Telegram Passport element; for bots only -type EncryptedPassportElement struct { - meta - // Type of Telegram Passport element - Type PassportElementType `json:"type"` - // Encrypted JSON-encoded data about the user - Data []byte `json:"data"` - // The front side of an identity document - FrontSide *DatedFile `json:"front_side"` - // The reverse side of an identity document; may be null - ReverseSide *DatedFile `json:"reverse_side"` - // Selfie with the document; may be null - Selfie *DatedFile `json:"selfie"` - // List of files containing a certified English translation of the document - Translation []*DatedFile `json:"translation"` - // List of attached files - Files []*DatedFile `json:"files"` - // Unencrypted data, phone number or email address - Value string `json:"value"` - // Hash of the entire element - Hash string `json:"hash"` -} - -func (entity *EncryptedPassportElement) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub EncryptedPassportElement - - return json.Marshal((*stub)(entity)) -} - -func (*EncryptedPassportElement) GetClass() string { - return ClassEncryptedPassportElement -} - -func (*EncryptedPassportElement) GetType() string { - return TypeEncryptedPassportElement -} - -func (encryptedPassportElement *EncryptedPassportElement) UnmarshalJSON(data []byte) error { - var tmp struct { - Type json.RawMessage `json:"type"` - Data []byte `json:"data"` - FrontSide *DatedFile `json:"front_side"` - ReverseSide *DatedFile `json:"reverse_side"` - Selfie *DatedFile `json:"selfie"` - Translation []*DatedFile `json:"translation"` - Files []*DatedFile `json:"files"` - Value string `json:"value"` - Hash string `json:"hash"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - encryptedPassportElement.Data = tmp.Data - encryptedPassportElement.FrontSide = tmp.FrontSide - encryptedPassportElement.ReverseSide = tmp.ReverseSide - encryptedPassportElement.Selfie = tmp.Selfie - encryptedPassportElement.Translation = tmp.Translation - encryptedPassportElement.Files = tmp.Files - encryptedPassportElement.Value = tmp.Value - encryptedPassportElement.Hash = tmp.Hash - - fieldType, _ := UnmarshalPassportElementType(tmp.Type) - encryptedPassportElement.Type = fieldType - - return nil -} - -// The element contains an error in an unspecified place. The error will be considered resolved when new data is added -type InputPassportElementErrorSourceUnspecified struct { - meta - // Current hash of the entire element - ElementHash []byte `json:"element_hash"` -} - -func (entity *InputPassportElementErrorSourceUnspecified) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputPassportElementErrorSourceUnspecified - - return json.Marshal((*stub)(entity)) -} - -func (*InputPassportElementErrorSourceUnspecified) GetClass() string { - return ClassInputPassportElementErrorSource -} - -func (*InputPassportElementErrorSourceUnspecified) GetType() string { - return TypeInputPassportElementErrorSourceUnspecified -} - -func (*InputPassportElementErrorSourceUnspecified) InputPassportElementErrorSourceType() string { - return TypeInputPassportElementErrorSourceUnspecified -} - -// A data field contains an error. The error is considered resolved when the field's value changes -type InputPassportElementErrorSourceDataField struct { - meta - // Field name - FieldName string `json:"field_name"` - // Current data hash - DataHash []byte `json:"data_hash"` -} - -func (entity *InputPassportElementErrorSourceDataField) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputPassportElementErrorSourceDataField - - return json.Marshal((*stub)(entity)) -} - -func (*InputPassportElementErrorSourceDataField) GetClass() string { - return ClassInputPassportElementErrorSource -} - -func (*InputPassportElementErrorSourceDataField) GetType() string { - return TypeInputPassportElementErrorSourceDataField -} - -func (*InputPassportElementErrorSourceDataField) InputPassportElementErrorSourceType() string { - return TypeInputPassportElementErrorSourceDataField -} - -// The front side of the document contains an error. The error is considered resolved when the file with the front side of the document changes -type InputPassportElementErrorSourceFrontSide struct { - meta - // Current hash of the file containing the front side - FileHash []byte `json:"file_hash"` -} - -func (entity *InputPassportElementErrorSourceFrontSide) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputPassportElementErrorSourceFrontSide - - return json.Marshal((*stub)(entity)) -} - -func (*InputPassportElementErrorSourceFrontSide) GetClass() string { - return ClassInputPassportElementErrorSource -} - -func (*InputPassportElementErrorSourceFrontSide) GetType() string { - return TypeInputPassportElementErrorSourceFrontSide -} - -func (*InputPassportElementErrorSourceFrontSide) InputPassportElementErrorSourceType() string { - return TypeInputPassportElementErrorSourceFrontSide -} - -// The reverse side of the document contains an error. The error is considered resolved when the file with the reverse side of the document changes -type InputPassportElementErrorSourceReverseSide struct { - meta - // Current hash of the file containing the reverse side - FileHash []byte `json:"file_hash"` -} - -func (entity *InputPassportElementErrorSourceReverseSide) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputPassportElementErrorSourceReverseSide - - return json.Marshal((*stub)(entity)) -} - -func (*InputPassportElementErrorSourceReverseSide) GetClass() string { - return ClassInputPassportElementErrorSource -} - -func (*InputPassportElementErrorSourceReverseSide) GetType() string { - return TypeInputPassportElementErrorSourceReverseSide -} - -func (*InputPassportElementErrorSourceReverseSide) InputPassportElementErrorSourceType() string { - return TypeInputPassportElementErrorSourceReverseSide -} - -// The selfie contains an error. The error is considered resolved when the file with the selfie changes -type InputPassportElementErrorSourceSelfie struct { - meta - // Current hash of the file containing the selfie - FileHash []byte `json:"file_hash"` -} - -func (entity *InputPassportElementErrorSourceSelfie) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputPassportElementErrorSourceSelfie - - return json.Marshal((*stub)(entity)) -} - -func (*InputPassportElementErrorSourceSelfie) GetClass() string { - return ClassInputPassportElementErrorSource -} - -func (*InputPassportElementErrorSourceSelfie) GetType() string { - return TypeInputPassportElementErrorSourceSelfie -} - -func (*InputPassportElementErrorSourceSelfie) InputPassportElementErrorSourceType() string { - return TypeInputPassportElementErrorSourceSelfie -} - -// One of the files containing the translation of the document contains an error. The error is considered resolved when the file with the translation changes -type InputPassportElementErrorSourceTranslationFile struct { - meta - // Current hash of the file containing the translation - FileHash []byte `json:"file_hash"` -} - -func (entity *InputPassportElementErrorSourceTranslationFile) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputPassportElementErrorSourceTranslationFile - - return json.Marshal((*stub)(entity)) -} - -func (*InputPassportElementErrorSourceTranslationFile) GetClass() string { - return ClassInputPassportElementErrorSource -} - -func (*InputPassportElementErrorSourceTranslationFile) GetType() string { - return TypeInputPassportElementErrorSourceTranslationFile -} - -func (*InputPassportElementErrorSourceTranslationFile) InputPassportElementErrorSourceType() string { - return TypeInputPassportElementErrorSourceTranslationFile -} - -// The translation of the document contains an error. The error is considered resolved when the list of files changes -type InputPassportElementErrorSourceTranslationFiles struct { - meta - // Current hashes of all files with the translation - FileHashes [][]byte `json:"file_hashes"` -} - -func (entity *InputPassportElementErrorSourceTranslationFiles) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputPassportElementErrorSourceTranslationFiles - - return json.Marshal((*stub)(entity)) -} - -func (*InputPassportElementErrorSourceTranslationFiles) GetClass() string { - return ClassInputPassportElementErrorSource -} - -func (*InputPassportElementErrorSourceTranslationFiles) GetType() string { - return TypeInputPassportElementErrorSourceTranslationFiles -} - -func (*InputPassportElementErrorSourceTranslationFiles) InputPassportElementErrorSourceType() string { - return TypeInputPassportElementErrorSourceTranslationFiles -} - -// The file contains an error. The error is considered resolved when the file changes -type InputPassportElementErrorSourceFile struct { - meta - // Current hash of the file which has the error - FileHash []byte `json:"file_hash"` -} - -func (entity *InputPassportElementErrorSourceFile) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputPassportElementErrorSourceFile - - return json.Marshal((*stub)(entity)) -} - -func (*InputPassportElementErrorSourceFile) GetClass() string { - return ClassInputPassportElementErrorSource -} - -func (*InputPassportElementErrorSourceFile) GetType() string { - return TypeInputPassportElementErrorSourceFile -} - -func (*InputPassportElementErrorSourceFile) InputPassportElementErrorSourceType() string { - return TypeInputPassportElementErrorSourceFile -} - -// The list of attached files contains an error. The error is considered resolved when the file list changes -type InputPassportElementErrorSourceFiles struct { - meta - // Current hashes of all attached files - FileHashes [][]byte `json:"file_hashes"` -} - -func (entity *InputPassportElementErrorSourceFiles) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputPassportElementErrorSourceFiles - - return json.Marshal((*stub)(entity)) -} - -func (*InputPassportElementErrorSourceFiles) GetClass() string { - return ClassInputPassportElementErrorSource -} - -func (*InputPassportElementErrorSourceFiles) GetType() string { - return TypeInputPassportElementErrorSourceFiles -} - -func (*InputPassportElementErrorSourceFiles) InputPassportElementErrorSourceType() string { - return TypeInputPassportElementErrorSourceFiles -} - -// Contains the description of an error in a Telegram Passport element; for bots only -type InputPassportElementError struct { - meta - // Type of Telegram Passport element that has the error - Type PassportElementType `json:"type"` - // Error message - Message string `json:"message"` - // Error source - Source InputPassportElementErrorSource `json:"source"` -} - -func (entity *InputPassportElementError) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputPassportElementError - - return json.Marshal((*stub)(entity)) -} - -func (*InputPassportElementError) GetClass() string { - return ClassInputPassportElementError -} - -func (*InputPassportElementError) GetType() string { - return TypeInputPassportElementError -} - -func (inputPassportElementError *InputPassportElementError) UnmarshalJSON(data []byte) error { - var tmp struct { - Type json.RawMessage `json:"type"` - Message string `json:"message"` - Source json.RawMessage `json:"source"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - inputPassportElementError.Message = tmp.Message - - fieldType, _ := UnmarshalPassportElementType(tmp.Type) - inputPassportElementError.Type = fieldType - - fieldSource, _ := UnmarshalInputPassportElementErrorSource(tmp.Source) - inputPassportElementError.Source = fieldSource - - return nil -} - -// A text message -type MessageText struct { - meta - // Text of the message - Text *FormattedText `json:"text"` - // A preview of the web page that's mentioned in the text; may be null - WebPage *WebPage `json:"web_page"` -} - -func (entity *MessageText) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageText - - return json.Marshal((*stub)(entity)) -} - -func (*MessageText) GetClass() string { - return ClassMessageContent -} - -func (*MessageText) GetType() string { - return TypeMessageText -} - -func (*MessageText) MessageContentType() string { - return TypeMessageText -} - -// An animation message (GIF-style). -type MessageAnimation struct { - meta - // The animation description - Animation *Animation `json:"animation"` - // Animation caption - Caption *FormattedText `json:"caption"` - // True, if the animation preview must be covered by a spoiler animation - HasSpoiler bool `json:"has_spoiler"` - // True, if the animation thumbnail must be blurred and the animation must be shown only while tapped - IsSecret bool `json:"is_secret"` -} - -func (entity *MessageAnimation) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageAnimation - - return json.Marshal((*stub)(entity)) -} - -func (*MessageAnimation) GetClass() string { - return ClassMessageContent -} - -func (*MessageAnimation) GetType() string { - return TypeMessageAnimation -} - -func (*MessageAnimation) MessageContentType() string { - return TypeMessageAnimation -} - -// An audio message -type MessageAudio struct { - meta - // The audio description - Audio *Audio `json:"audio"` - // Audio caption - Caption *FormattedText `json:"caption"` -} - -func (entity *MessageAudio) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageAudio - - return json.Marshal((*stub)(entity)) -} - -func (*MessageAudio) GetClass() string { - return ClassMessageContent -} - -func (*MessageAudio) GetType() string { - return TypeMessageAudio -} - -func (*MessageAudio) MessageContentType() string { - return TypeMessageAudio -} - -// A document message (general file) -type MessageDocument struct { - meta - // The document description - Document *Document `json:"document"` - // Document caption - Caption *FormattedText `json:"caption"` -} - -func (entity *MessageDocument) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageDocument - - return json.Marshal((*stub)(entity)) -} - -func (*MessageDocument) GetClass() string { - return ClassMessageContent -} - -func (*MessageDocument) GetType() string { - return TypeMessageDocument -} - -func (*MessageDocument) MessageContentType() string { - return TypeMessageDocument -} - -// A photo message -type MessagePhoto struct { - meta - // The photo - Photo *Photo `json:"photo"` - // Photo caption - Caption *FormattedText `json:"caption"` - // True, if the photo preview must be covered by a spoiler animation - HasSpoiler bool `json:"has_spoiler"` - // True, if the photo must be blurred and must be shown only while tapped - IsSecret bool `json:"is_secret"` -} - -func (entity *MessagePhoto) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessagePhoto - - return json.Marshal((*stub)(entity)) -} - -func (*MessagePhoto) GetClass() string { - return ClassMessageContent -} - -func (*MessagePhoto) GetType() string { - return TypeMessagePhoto -} - -func (*MessagePhoto) MessageContentType() string { - return TypeMessagePhoto -} - -// A self-destructed photo message -type MessageExpiredPhoto struct { - meta -} - -func (entity *MessageExpiredPhoto) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageExpiredPhoto - - return json.Marshal((*stub)(entity)) -} - -func (*MessageExpiredPhoto) GetClass() string { - return ClassMessageContent -} - -func (*MessageExpiredPhoto) GetType() string { - return TypeMessageExpiredPhoto -} - -func (*MessageExpiredPhoto) MessageContentType() string { - return TypeMessageExpiredPhoto -} - -// A sticker message -type MessageSticker struct { - meta - // The sticker description - Sticker *Sticker `json:"sticker"` - // True, if premium animation of the sticker must be played - IsPremium bool `json:"is_premium"` -} - -func (entity *MessageSticker) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageSticker - - return json.Marshal((*stub)(entity)) -} - -func (*MessageSticker) GetClass() string { - return ClassMessageContent -} - -func (*MessageSticker) GetType() string { - return TypeMessageSticker -} - -func (*MessageSticker) MessageContentType() string { - return TypeMessageSticker -} - -// A video message -type MessageVideo struct { - meta - // The video description - Video *Video `json:"video"` - // Video caption - Caption *FormattedText `json:"caption"` - // True, if the video preview must be covered by a spoiler animation - HasSpoiler bool `json:"has_spoiler"` - // True, if the video thumbnail must be blurred and the video must be shown only while tapped - IsSecret bool `json:"is_secret"` -} - -func (entity *MessageVideo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageVideo - - return json.Marshal((*stub)(entity)) -} - -func (*MessageVideo) GetClass() string { - return ClassMessageContent -} - -func (*MessageVideo) GetType() string { - return TypeMessageVideo -} - -func (*MessageVideo) MessageContentType() string { - return TypeMessageVideo -} - -// A self-destructed video message -type MessageExpiredVideo struct { - meta -} - -func (entity *MessageExpiredVideo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageExpiredVideo - - return json.Marshal((*stub)(entity)) -} - -func (*MessageExpiredVideo) GetClass() string { - return ClassMessageContent -} - -func (*MessageExpiredVideo) GetType() string { - return TypeMessageExpiredVideo -} - -func (*MessageExpiredVideo) MessageContentType() string { - return TypeMessageExpiredVideo -} - -// A video note message -type MessageVideoNote struct { - meta - // The video note description - VideoNote *VideoNote `json:"video_note"` - // True, if at least one of the recipients has viewed the video note - IsViewed bool `json:"is_viewed"` - // True, if the video note thumbnail must be blurred and the video note must be shown only while tapped - IsSecret bool `json:"is_secret"` -} - -func (entity *MessageVideoNote) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageVideoNote - - return json.Marshal((*stub)(entity)) -} - -func (*MessageVideoNote) GetClass() string { - return ClassMessageContent -} - -func (*MessageVideoNote) GetType() string { - return TypeMessageVideoNote -} - -func (*MessageVideoNote) MessageContentType() string { - return TypeMessageVideoNote -} - -// A voice note message -type MessageVoiceNote struct { - meta - // The voice note description - VoiceNote *VoiceNote `json:"voice_note"` - // Voice note caption - Caption *FormattedText `json:"caption"` - // True, if at least one of the recipients has listened to the voice note - IsListened bool `json:"is_listened"` -} - -func (entity *MessageVoiceNote) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageVoiceNote - - return json.Marshal((*stub)(entity)) -} - -func (*MessageVoiceNote) GetClass() string { - return ClassMessageContent -} - -func (*MessageVoiceNote) GetType() string { - return TypeMessageVoiceNote -} - -func (*MessageVoiceNote) MessageContentType() string { - return TypeMessageVoiceNote -} - -// A message with a location -type MessageLocation struct { - meta - // The location description - Location *Location `json:"location"` - // Time relative to the message send date, for which the location can be updated, in seconds - LivePeriod int32 `json:"live_period"` - // Left time for which the location can be updated, in seconds. updateMessageContent is not sent when this field changes - ExpiresIn int32 `json:"expires_in"` - // For live locations, a direction in which the location moves, in degrees; 1-360. If 0 the direction is unknown - Heading int32 `json:"heading"` - // For live locations, a maximum distance to another chat member for proximity alerts, in meters (0-100000). 0 if the notification is disabled. Available only to the message sender - ProximityAlertRadius int32 `json:"proximity_alert_radius"` -} - -func (entity *MessageLocation) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageLocation - - return json.Marshal((*stub)(entity)) -} - -func (*MessageLocation) GetClass() string { - return ClassMessageContent -} - -func (*MessageLocation) GetType() string { - return TypeMessageLocation -} - -func (*MessageLocation) MessageContentType() string { - return TypeMessageLocation -} - -// A message with information about a venue -type MessageVenue struct { - meta - // The venue description - Venue *Venue `json:"venue"` -} - -func (entity *MessageVenue) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageVenue - - return json.Marshal((*stub)(entity)) -} - -func (*MessageVenue) GetClass() string { - return ClassMessageContent -} - -func (*MessageVenue) GetType() string { - return TypeMessageVenue -} - -func (*MessageVenue) MessageContentType() string { - return TypeMessageVenue -} - -// A message with a user contact -type MessageContact struct { - meta - // The contact description - Contact *Contact `json:"contact"` -} - -func (entity *MessageContact) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageContact - - return json.Marshal((*stub)(entity)) -} - -func (*MessageContact) GetClass() string { - return ClassMessageContent -} - -func (*MessageContact) GetType() string { - return TypeMessageContact -} - -func (*MessageContact) MessageContentType() string { - return TypeMessageContact -} - -// A message with an animated emoji -type MessageAnimatedEmoji struct { - meta - // The animated emoji - AnimatedEmoji *AnimatedEmoji `json:"animated_emoji"` - // The corresponding emoji - Emoji string `json:"emoji"` -} - -func (entity *MessageAnimatedEmoji) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageAnimatedEmoji - - return json.Marshal((*stub)(entity)) -} - -func (*MessageAnimatedEmoji) GetClass() string { - return ClassMessageContent -} - -func (*MessageAnimatedEmoji) GetType() string { - return TypeMessageAnimatedEmoji -} - -func (*MessageAnimatedEmoji) MessageContentType() string { - return TypeMessageAnimatedEmoji -} - -// A dice message. The dice value is randomly generated by the server -type MessageDice struct { - meta - // The animated stickers with the initial dice animation; may be null if unknown. updateMessageContent will be sent when the sticker became known - InitialState DiceStickers `json:"initial_state"` - // The animated stickers with the final dice animation; may be null if unknown. updateMessageContent will be sent when the sticker became known - FinalState DiceStickers `json:"final_state"` - // Emoji on which the dice throw animation is based - Emoji string `json:"emoji"` - // The dice value. If the value is 0, the dice don't have final state yet - Value int32 `json:"value"` - // Number of frame after which a success animation like a shower of confetti needs to be shown on updateMessageSendSucceeded - SuccessAnimationFrameNumber int32 `json:"success_animation_frame_number"` -} - -func (entity *MessageDice) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageDice - - return json.Marshal((*stub)(entity)) -} - -func (*MessageDice) GetClass() string { - return ClassMessageContent -} - -func (*MessageDice) GetType() string { - return TypeMessageDice -} - -func (*MessageDice) MessageContentType() string { - return TypeMessageDice -} - -func (messageDice *MessageDice) UnmarshalJSON(data []byte) error { - var tmp struct { - InitialState json.RawMessage `json:"initial_state"` - FinalState json.RawMessage `json:"final_state"` - Emoji string `json:"emoji"` - Value int32 `json:"value"` - SuccessAnimationFrameNumber int32 `json:"success_animation_frame_number"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - messageDice.Emoji = tmp.Emoji - messageDice.Value = tmp.Value - messageDice.SuccessAnimationFrameNumber = tmp.SuccessAnimationFrameNumber - - fieldInitialState, _ := UnmarshalDiceStickers(tmp.InitialState) - messageDice.InitialState = fieldInitialState - - fieldFinalState, _ := UnmarshalDiceStickers(tmp.FinalState) - messageDice.FinalState = fieldFinalState - - return nil -} - -// A message with a game -type MessageGame struct { - meta - // The game description - Game *Game `json:"game"` -} - -func (entity *MessageGame) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageGame - - return json.Marshal((*stub)(entity)) -} - -func (*MessageGame) GetClass() string { - return ClassMessageContent -} - -func (*MessageGame) GetType() string { - return TypeMessageGame -} - -func (*MessageGame) MessageContentType() string { - return TypeMessageGame -} - -// A message with a poll -type MessagePoll struct { - meta - // The poll description - Poll *Poll `json:"poll"` -} - -func (entity *MessagePoll) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessagePoll - - return json.Marshal((*stub)(entity)) -} - -func (*MessagePoll) GetClass() string { - return ClassMessageContent -} - -func (*MessagePoll) GetType() string { - return TypeMessagePoll -} - -func (*MessagePoll) MessageContentType() string { - return TypeMessagePoll -} - -// A message with an invoice from a bot. Use getInternalLink with internalLinkTypeBotStart to share the invoice -type MessageInvoice struct { - meta - // Product title - Title string `json:"title"` - // Product description - Description *FormattedText `json:"description"` - // Product photo; may be null - Photo *Photo `json:"photo"` - // Currency for the product price - Currency string `json:"currency"` - // Product total price in the smallest units of the currency - TotalAmount int64 `json:"total_amount"` - // Unique invoice bot start_parameter to be passed to getInternalLink - StartParameter string `json:"start_parameter"` - // True, if the invoice is a test invoice - IsTest bool `json:"is_test"` - // True, if the shipping address must be specified - NeedShippingAddress bool `json:"need_shipping_address"` - // The identifier of the message with the receipt, after the product has been purchased - ReceiptMessageId int64 `json:"receipt_message_id"` - // Extended media attached to the invoice; may be null - ExtendedMedia MessageExtendedMedia `json:"extended_media"` -} - -func (entity *MessageInvoice) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageInvoice - - return json.Marshal((*stub)(entity)) -} - -func (*MessageInvoice) GetClass() string { - return ClassMessageContent -} - -func (*MessageInvoice) GetType() string { - return TypeMessageInvoice -} - -func (*MessageInvoice) MessageContentType() string { - return TypeMessageInvoice -} - -func (messageInvoice *MessageInvoice) UnmarshalJSON(data []byte) error { - var tmp struct { - Title string `json:"title"` - Description *FormattedText `json:"description"` - Photo *Photo `json:"photo"` - Currency string `json:"currency"` - TotalAmount int64 `json:"total_amount"` - StartParameter string `json:"start_parameter"` - IsTest bool `json:"is_test"` - NeedShippingAddress bool `json:"need_shipping_address"` - ReceiptMessageId int64 `json:"receipt_message_id"` - ExtendedMedia json.RawMessage `json:"extended_media"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - messageInvoice.Title = tmp.Title - messageInvoice.Description = tmp.Description - messageInvoice.Photo = tmp.Photo - messageInvoice.Currency = tmp.Currency - messageInvoice.TotalAmount = tmp.TotalAmount - messageInvoice.StartParameter = tmp.StartParameter - messageInvoice.IsTest = tmp.IsTest - messageInvoice.NeedShippingAddress = tmp.NeedShippingAddress - messageInvoice.ReceiptMessageId = tmp.ReceiptMessageId - - fieldExtendedMedia, _ := UnmarshalMessageExtendedMedia(tmp.ExtendedMedia) - messageInvoice.ExtendedMedia = fieldExtendedMedia - - return nil -} - -// A message with information about an ended call -type MessageCall struct { - meta - // True, if the call was a video call - IsVideo bool `json:"is_video"` - // Reason why the call was discarded - DiscardReason CallDiscardReason `json:"discard_reason"` - // Call duration, in seconds - Duration int32 `json:"duration"` -} - -func (entity *MessageCall) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageCall - - return json.Marshal((*stub)(entity)) -} - -func (*MessageCall) GetClass() string { - return ClassMessageContent -} - -func (*MessageCall) GetType() string { - return TypeMessageCall -} - -func (*MessageCall) MessageContentType() string { - return TypeMessageCall -} - -func (messageCall *MessageCall) UnmarshalJSON(data []byte) error { - var tmp struct { - IsVideo bool `json:"is_video"` - DiscardReason json.RawMessage `json:"discard_reason"` - Duration int32 `json:"duration"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - messageCall.IsVideo = tmp.IsVideo - messageCall.Duration = tmp.Duration - - fieldDiscardReason, _ := UnmarshalCallDiscardReason(tmp.DiscardReason) - messageCall.DiscardReason = fieldDiscardReason - - return nil -} - -// A new video chat was scheduled -type MessageVideoChatScheduled struct { - meta - // Identifier of the video chat. The video chat can be received through the method getGroupCall - GroupCallId int32 `json:"group_call_id"` - // Point in time (Unix timestamp) when the group call is supposed to be started by an administrator - StartDate int32 `json:"start_date"` -} - -func (entity *MessageVideoChatScheduled) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageVideoChatScheduled - - return json.Marshal((*stub)(entity)) -} - -func (*MessageVideoChatScheduled) GetClass() string { - return ClassMessageContent -} - -func (*MessageVideoChatScheduled) GetType() string { - return TypeMessageVideoChatScheduled -} - -func (*MessageVideoChatScheduled) MessageContentType() string { - return TypeMessageVideoChatScheduled -} - -// A newly created video chat -type MessageVideoChatStarted struct { - meta - // Identifier of the video chat. The video chat can be received through the method getGroupCall - GroupCallId int32 `json:"group_call_id"` -} - -func (entity *MessageVideoChatStarted) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageVideoChatStarted - - return json.Marshal((*stub)(entity)) -} - -func (*MessageVideoChatStarted) GetClass() string { - return ClassMessageContent -} - -func (*MessageVideoChatStarted) GetType() string { - return TypeMessageVideoChatStarted -} - -func (*MessageVideoChatStarted) MessageContentType() string { - return TypeMessageVideoChatStarted -} - -// A message with information about an ended video chat -type MessageVideoChatEnded struct { - meta - // Call duration, in seconds - Duration int32 `json:"duration"` -} - -func (entity *MessageVideoChatEnded) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageVideoChatEnded - - return json.Marshal((*stub)(entity)) -} - -func (*MessageVideoChatEnded) GetClass() string { - return ClassMessageContent -} - -func (*MessageVideoChatEnded) GetType() string { - return TypeMessageVideoChatEnded -} - -func (*MessageVideoChatEnded) MessageContentType() string { - return TypeMessageVideoChatEnded -} - -// A message with information about an invite to a video chat -type MessageInviteVideoChatParticipants struct { - meta - // Identifier of the video chat. The video chat can be received through the method getGroupCall - GroupCallId int32 `json:"group_call_id"` - // Invited user identifiers - UserIds []int64 `json:"user_ids"` -} - -func (entity *MessageInviteVideoChatParticipants) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageInviteVideoChatParticipants - - return json.Marshal((*stub)(entity)) -} - -func (*MessageInviteVideoChatParticipants) GetClass() string { - return ClassMessageContent -} - -func (*MessageInviteVideoChatParticipants) GetType() string { - return TypeMessageInviteVideoChatParticipants -} - -func (*MessageInviteVideoChatParticipants) MessageContentType() string { - return TypeMessageInviteVideoChatParticipants -} - -// A newly created basic group -type MessageBasicGroupChatCreate struct { - meta - // Title of the basic group - Title string `json:"title"` - // User identifiers of members in the basic group - MemberUserIds []int64 `json:"member_user_ids"` -} - -func (entity *MessageBasicGroupChatCreate) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageBasicGroupChatCreate - - return json.Marshal((*stub)(entity)) -} - -func (*MessageBasicGroupChatCreate) GetClass() string { - return ClassMessageContent -} - -func (*MessageBasicGroupChatCreate) GetType() string { - return TypeMessageBasicGroupChatCreate -} - -func (*MessageBasicGroupChatCreate) MessageContentType() string { - return TypeMessageBasicGroupChatCreate -} - -// A newly created supergroup or channel -type MessageSupergroupChatCreate struct { - meta - // Title of the supergroup or channel - Title string `json:"title"` -} - -func (entity *MessageSupergroupChatCreate) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageSupergroupChatCreate - - return json.Marshal((*stub)(entity)) -} - -func (*MessageSupergroupChatCreate) GetClass() string { - return ClassMessageContent -} - -func (*MessageSupergroupChatCreate) GetType() string { - return TypeMessageSupergroupChatCreate -} - -func (*MessageSupergroupChatCreate) MessageContentType() string { - return TypeMessageSupergroupChatCreate -} - -// An updated chat title -type MessageChatChangeTitle struct { - meta - // New chat title - Title string `json:"title"` -} - -func (entity *MessageChatChangeTitle) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageChatChangeTitle - - return json.Marshal((*stub)(entity)) -} - -func (*MessageChatChangeTitle) GetClass() string { - return ClassMessageContent -} - -func (*MessageChatChangeTitle) GetType() string { - return TypeMessageChatChangeTitle -} - -func (*MessageChatChangeTitle) MessageContentType() string { - return TypeMessageChatChangeTitle -} - -// An updated chat photo -type MessageChatChangePhoto struct { - meta - // New chat photo - Photo *ChatPhoto `json:"photo"` -} - -func (entity *MessageChatChangePhoto) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageChatChangePhoto - - return json.Marshal((*stub)(entity)) -} - -func (*MessageChatChangePhoto) GetClass() string { - return ClassMessageContent -} - -func (*MessageChatChangePhoto) GetType() string { - return TypeMessageChatChangePhoto -} - -func (*MessageChatChangePhoto) MessageContentType() string { - return TypeMessageChatChangePhoto -} - -// A deleted chat photo -type MessageChatDeletePhoto struct { - meta -} - -func (entity *MessageChatDeletePhoto) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageChatDeletePhoto - - return json.Marshal((*stub)(entity)) -} - -func (*MessageChatDeletePhoto) GetClass() string { - return ClassMessageContent -} - -func (*MessageChatDeletePhoto) GetType() string { - return TypeMessageChatDeletePhoto -} - -func (*MessageChatDeletePhoto) MessageContentType() string { - return TypeMessageChatDeletePhoto -} - -// New chat members were added -type MessageChatAddMembers struct { - meta - // User identifiers of the new members - MemberUserIds []int64 `json:"member_user_ids"` -} - -func (entity *MessageChatAddMembers) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageChatAddMembers - - return json.Marshal((*stub)(entity)) -} - -func (*MessageChatAddMembers) GetClass() string { - return ClassMessageContent -} - -func (*MessageChatAddMembers) GetType() string { - return TypeMessageChatAddMembers -} - -func (*MessageChatAddMembers) MessageContentType() string { - return TypeMessageChatAddMembers -} - -// A new member joined the chat via an invite link -type MessageChatJoinByLink struct { - meta -} - -func (entity *MessageChatJoinByLink) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageChatJoinByLink - - return json.Marshal((*stub)(entity)) -} - -func (*MessageChatJoinByLink) GetClass() string { - return ClassMessageContent -} - -func (*MessageChatJoinByLink) GetType() string { - return TypeMessageChatJoinByLink -} - -func (*MessageChatJoinByLink) MessageContentType() string { - return TypeMessageChatJoinByLink -} - -// A new member was accepted to the chat by an administrator -type MessageChatJoinByRequest struct { - meta -} - -func (entity *MessageChatJoinByRequest) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageChatJoinByRequest - - return json.Marshal((*stub)(entity)) -} - -func (*MessageChatJoinByRequest) GetClass() string { - return ClassMessageContent -} - -func (*MessageChatJoinByRequest) GetType() string { - return TypeMessageChatJoinByRequest -} - -func (*MessageChatJoinByRequest) MessageContentType() string { - return TypeMessageChatJoinByRequest -} - -// A chat member was deleted -type MessageChatDeleteMember struct { - meta - // User identifier of the deleted chat member - UserId int64 `json:"user_id"` -} - -func (entity *MessageChatDeleteMember) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageChatDeleteMember - - return json.Marshal((*stub)(entity)) -} - -func (*MessageChatDeleteMember) GetClass() string { - return ClassMessageContent -} - -func (*MessageChatDeleteMember) GetType() string { - return TypeMessageChatDeleteMember -} - -func (*MessageChatDeleteMember) MessageContentType() string { - return TypeMessageChatDeleteMember -} - -// A basic group was upgraded to a supergroup and was deactivated as the result -type MessageChatUpgradeTo struct { - meta - // Identifier of the supergroup to which the basic group was upgraded - SupergroupId int64 `json:"supergroup_id"` -} - -func (entity *MessageChatUpgradeTo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageChatUpgradeTo - - return json.Marshal((*stub)(entity)) -} - -func (*MessageChatUpgradeTo) GetClass() string { - return ClassMessageContent -} - -func (*MessageChatUpgradeTo) GetType() string { - return TypeMessageChatUpgradeTo -} - -func (*MessageChatUpgradeTo) MessageContentType() string { - return TypeMessageChatUpgradeTo -} - -// A supergroup has been created from a basic group -type MessageChatUpgradeFrom struct { - meta - // Title of the newly created supergroup - Title string `json:"title"` - // The identifier of the original basic group - BasicGroupId int64 `json:"basic_group_id"` -} - -func (entity *MessageChatUpgradeFrom) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageChatUpgradeFrom - - return json.Marshal((*stub)(entity)) -} - -func (*MessageChatUpgradeFrom) GetClass() string { - return ClassMessageContent -} - -func (*MessageChatUpgradeFrom) GetType() string { - return TypeMessageChatUpgradeFrom -} - -func (*MessageChatUpgradeFrom) MessageContentType() string { - return TypeMessageChatUpgradeFrom -} - -// A message has been pinned -type MessagePinMessage struct { - meta - // Identifier of the pinned message, can be an identifier of a deleted message or 0 - MessageId int64 `json:"message_id"` -} - -func (entity *MessagePinMessage) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessagePinMessage - - return json.Marshal((*stub)(entity)) -} - -func (*MessagePinMessage) GetClass() string { - return ClassMessageContent -} - -func (*MessagePinMessage) GetType() string { - return TypeMessagePinMessage -} - -func (*MessagePinMessage) MessageContentType() string { - return TypeMessagePinMessage -} - -// A screenshot of a message in the chat has been taken -type MessageScreenshotTaken struct { - meta -} - -func (entity *MessageScreenshotTaken) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageScreenshotTaken - - return json.Marshal((*stub)(entity)) -} - -func (*MessageScreenshotTaken) GetClass() string { - return ClassMessageContent -} - -func (*MessageScreenshotTaken) GetType() string { - return TypeMessageScreenshotTaken -} - -func (*MessageScreenshotTaken) MessageContentType() string { - return TypeMessageScreenshotTaken -} - -// A theme in the chat has been changed -type MessageChatSetTheme struct { - meta - // If non-empty, name of a new theme, set for the chat. Otherwise, chat theme was reset to the default one - ThemeName string `json:"theme_name"` -} - -func (entity *MessageChatSetTheme) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageChatSetTheme - - return json.Marshal((*stub)(entity)) -} - -func (*MessageChatSetTheme) GetClass() string { - return ClassMessageContent -} - -func (*MessageChatSetTheme) GetType() string { - return TypeMessageChatSetTheme -} - -func (*MessageChatSetTheme) MessageContentType() string { - return TypeMessageChatSetTheme -} - -// The auto-delete or self-destruct timer for messages in the chat has been changed -type MessageChatSetMessageAutoDeleteTime struct { - meta - // New value auto-delete or self-destruct time, in seconds; 0 if disabled - MessageAutoDeleteTime int32 `json:"message_auto_delete_time"` - // If not 0, a user identifier, which default setting was automatically applied - FromUserId int64 `json:"from_user_id"` -} - -func (entity *MessageChatSetMessageAutoDeleteTime) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageChatSetMessageAutoDeleteTime - - return json.Marshal((*stub)(entity)) -} - -func (*MessageChatSetMessageAutoDeleteTime) GetClass() string { - return ClassMessageContent -} - -func (*MessageChatSetMessageAutoDeleteTime) GetType() string { - return TypeMessageChatSetMessageAutoDeleteTime -} - -func (*MessageChatSetMessageAutoDeleteTime) MessageContentType() string { - return TypeMessageChatSetMessageAutoDeleteTime -} - -// A forum topic has been created -type MessageForumTopicCreated struct { - meta - // Name of the topic - Name string `json:"name"` - // Icon of the topic - Icon *ForumTopicIcon `json:"icon"` -} - -func (entity *MessageForumTopicCreated) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageForumTopicCreated - - return json.Marshal((*stub)(entity)) -} - -func (*MessageForumTopicCreated) GetClass() string { - return ClassMessageContent -} - -func (*MessageForumTopicCreated) GetType() string { - return TypeMessageForumTopicCreated -} - -func (*MessageForumTopicCreated) MessageContentType() string { - return TypeMessageForumTopicCreated -} - -// A forum topic has been edited -type MessageForumTopicEdited struct { - meta - // If non-empty, the new name of the topic - Name string `json:"name"` - // True, if icon's custom_emoji_id is changed - EditIconCustomEmojiId bool `json:"edit_icon_custom_emoji_id"` - // New unique identifier of the custom emoji shown on the topic icon; 0 if none. Must be ignored if edit_icon_custom_emoji_id is false - IconCustomEmojiId JsonInt64 `json:"icon_custom_emoji_id"` -} - -func (entity *MessageForumTopicEdited) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageForumTopicEdited - - return json.Marshal((*stub)(entity)) -} - -func (*MessageForumTopicEdited) GetClass() string { - return ClassMessageContent -} - -func (*MessageForumTopicEdited) GetType() string { - return TypeMessageForumTopicEdited -} - -func (*MessageForumTopicEdited) MessageContentType() string { - return TypeMessageForumTopicEdited -} - -// A forum topic has been closed or opened -type MessageForumTopicIsClosedToggled struct { - meta - // True, if the topic was closed; otherwise, the topic was reopened - IsClosed bool `json:"is_closed"` -} - -func (entity *MessageForumTopicIsClosedToggled) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageForumTopicIsClosedToggled - - return json.Marshal((*stub)(entity)) -} - -func (*MessageForumTopicIsClosedToggled) GetClass() string { - return ClassMessageContent -} - -func (*MessageForumTopicIsClosedToggled) GetType() string { - return TypeMessageForumTopicIsClosedToggled -} - -func (*MessageForumTopicIsClosedToggled) MessageContentType() string { - return TypeMessageForumTopicIsClosedToggled -} - -// A General forum topic has been hidden or unhidden -type MessageForumTopicIsHiddenToggled struct { - meta - // True, if the topic was hidden; otherwise, the topic was unhidden - IsHidden bool `json:"is_hidden"` -} - -func (entity *MessageForumTopicIsHiddenToggled) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageForumTopicIsHiddenToggled - - return json.Marshal((*stub)(entity)) -} - -func (*MessageForumTopicIsHiddenToggled) GetClass() string { - return ClassMessageContent -} - -func (*MessageForumTopicIsHiddenToggled) GetType() string { - return TypeMessageForumTopicIsHiddenToggled -} - -func (*MessageForumTopicIsHiddenToggled) MessageContentType() string { - return TypeMessageForumTopicIsHiddenToggled -} - -// A profile photo was suggested to a user in a private chat -type MessageSuggestProfilePhoto struct { - meta - // The suggested chat photo. Use the method setProfilePhoto with inputChatPhotoPrevious to apply the photo - Photo *ChatPhoto `json:"photo"` -} - -func (entity *MessageSuggestProfilePhoto) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageSuggestProfilePhoto - - return json.Marshal((*stub)(entity)) -} - -func (*MessageSuggestProfilePhoto) GetClass() string { - return ClassMessageContent -} - -func (*MessageSuggestProfilePhoto) GetType() string { - return TypeMessageSuggestProfilePhoto -} - -func (*MessageSuggestProfilePhoto) MessageContentType() string { - return TypeMessageSuggestProfilePhoto -} - -// A non-standard action has happened in the chat -type MessageCustomServiceAction struct { - meta - // Message text to be shown in the chat - Text string `json:"text"` -} - -func (entity *MessageCustomServiceAction) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageCustomServiceAction - - return json.Marshal((*stub)(entity)) -} - -func (*MessageCustomServiceAction) GetClass() string { - return ClassMessageContent -} - -func (*MessageCustomServiceAction) GetType() string { - return TypeMessageCustomServiceAction -} - -func (*MessageCustomServiceAction) MessageContentType() string { - return TypeMessageCustomServiceAction -} - -// A new high score was achieved in a game -type MessageGameScore struct { - meta - // Identifier of the message with the game, can be an identifier of a deleted message - GameMessageId int64 `json:"game_message_id"` - // Identifier of the game; may be different from the games presented in the message with the game - GameId JsonInt64 `json:"game_id"` - // New score - Score int32 `json:"score"` -} - -func (entity *MessageGameScore) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageGameScore - - return json.Marshal((*stub)(entity)) -} - -func (*MessageGameScore) GetClass() string { - return ClassMessageContent -} - -func (*MessageGameScore) GetType() string { - return TypeMessageGameScore -} - -func (*MessageGameScore) MessageContentType() string { - return TypeMessageGameScore -} - -// A payment has been completed -type MessagePaymentSuccessful struct { - meta - // Identifier of the chat, containing the corresponding invoice message - InvoiceChatId int64 `json:"invoice_chat_id"` - // Identifier of the message with the corresponding invoice; can be 0 or an identifier of a deleted message - InvoiceMessageId int64 `json:"invoice_message_id"` - // Currency for the price of the product - Currency string `json:"currency"` - // Total price for the product, in the smallest units of the currency - TotalAmount int64 `json:"total_amount"` - // True, if this is a recurring payment - IsRecurring bool `json:"is_recurring"` - // True, if this is the first recurring payment - IsFirstRecurring bool `json:"is_first_recurring"` - // Name of the invoice; may be empty if unknown - InvoiceName string `json:"invoice_name"` -} - -func (entity *MessagePaymentSuccessful) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessagePaymentSuccessful - - return json.Marshal((*stub)(entity)) -} - -func (*MessagePaymentSuccessful) GetClass() string { - return ClassMessageContent -} - -func (*MessagePaymentSuccessful) GetType() string { - return TypeMessagePaymentSuccessful -} - -func (*MessagePaymentSuccessful) MessageContentType() string { - return TypeMessagePaymentSuccessful -} - -// A payment has been completed; for bots only -type MessagePaymentSuccessfulBot struct { - meta - // Currency for price of the product - Currency string `json:"currency"` - // Total price for the product, in the smallest units of the currency - TotalAmount int64 `json:"total_amount"` - // True, if this is a recurring payment - IsRecurring bool `json:"is_recurring"` - // True, if this is the first recurring payment - IsFirstRecurring bool `json:"is_first_recurring"` - // Invoice payload - InvoicePayload []byte `json:"invoice_payload"` - // Identifier of the shipping option chosen by the user; may be empty if not applicable - ShippingOptionId string `json:"shipping_option_id"` - // Information about the order; may be null - OrderInfo *OrderInfo `json:"order_info"` - // Telegram payment identifier - TelegramPaymentChargeId string `json:"telegram_payment_charge_id"` - // Provider payment identifier - ProviderPaymentChargeId string `json:"provider_payment_charge_id"` -} - -func (entity *MessagePaymentSuccessfulBot) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessagePaymentSuccessfulBot - - return json.Marshal((*stub)(entity)) -} - -func (*MessagePaymentSuccessfulBot) GetClass() string { - return ClassMessageContent -} - -func (*MessagePaymentSuccessfulBot) GetType() string { - return TypeMessagePaymentSuccessfulBot -} - -func (*MessagePaymentSuccessfulBot) MessageContentType() string { - return TypeMessagePaymentSuccessfulBot -} - -// Telegram Premium was gifted to the user -type MessageGiftedPremium struct { - meta - // Currency for the paid amount - Currency string `json:"currency"` - // The paid amount, in the smallest units of the currency - Amount int64 `json:"amount"` - // Number of month the Telegram Premium subscription will be active - MonthCount int32 `json:"month_count"` - // A sticker to be shown in the message; may be null if unknown - Sticker *Sticker `json:"sticker"` -} - -func (entity *MessageGiftedPremium) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageGiftedPremium - - return json.Marshal((*stub)(entity)) -} - -func (*MessageGiftedPremium) GetClass() string { - return ClassMessageContent -} - -func (*MessageGiftedPremium) GetType() string { - return TypeMessageGiftedPremium -} - -func (*MessageGiftedPremium) MessageContentType() string { - return TypeMessageGiftedPremium -} - -// A contact has registered with Telegram -type MessageContactRegistered struct { - meta -} - -func (entity *MessageContactRegistered) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageContactRegistered - - return json.Marshal((*stub)(entity)) -} - -func (*MessageContactRegistered) GetClass() string { - return ClassMessageContent -} - -func (*MessageContactRegistered) GetType() string { - return TypeMessageContactRegistered -} - -func (*MessageContactRegistered) MessageContentType() string { - return TypeMessageContactRegistered -} - -// The current user shared a user, which was requested by the bot -type MessageUserShared struct { - meta - // Identifier of the shared user - UserId int64 `json:"user_id"` - // Identifier of the keyboard button with the request - ButtonId int32 `json:"button_id"` -} - -func (entity *MessageUserShared) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageUserShared - - return json.Marshal((*stub)(entity)) -} - -func (*MessageUserShared) GetClass() string { - return ClassMessageContent -} - -func (*MessageUserShared) GetType() string { - return TypeMessageUserShared -} - -func (*MessageUserShared) MessageContentType() string { - return TypeMessageUserShared -} - -// The current user shared a chat, which was requested by the bot -type MessageChatShared struct { - meta - // Identifier of the shared chat - ChatId int64 `json:"chat_id"` - // Identifier of the keyboard button with the request - ButtonId int32 `json:"button_id"` -} - -func (entity *MessageChatShared) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageChatShared - - return json.Marshal((*stub)(entity)) -} - -func (*MessageChatShared) GetClass() string { - return ClassMessageContent -} - -func (*MessageChatShared) GetType() string { - return TypeMessageChatShared -} - -func (*MessageChatShared) MessageContentType() string { - return TypeMessageChatShared -} - -// The current user has connected a website by logging in using Telegram Login Widget on it -type MessageWebsiteConnected struct { - meta - // Domain name of the connected website - DomainName string `json:"domain_name"` -} - -func (entity *MessageWebsiteConnected) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageWebsiteConnected - - return json.Marshal((*stub)(entity)) -} - -func (*MessageWebsiteConnected) GetClass() string { - return ClassMessageContent -} - -func (*MessageWebsiteConnected) GetType() string { - return TypeMessageWebsiteConnected -} - -func (*MessageWebsiteConnected) MessageContentType() string { - return TypeMessageWebsiteConnected -} - -// The user allowed the bot to send messages -type MessageBotWriteAccessAllowed struct { - meta - // Information about the Web App, which requested the access; may be null if none or the Web App was opened from the attachment menu - WebApp *WebApp `json:"web_app"` -} - -func (entity *MessageBotWriteAccessAllowed) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageBotWriteAccessAllowed - - return json.Marshal((*stub)(entity)) -} - -func (*MessageBotWriteAccessAllowed) GetClass() string { - return ClassMessageContent -} - -func (*MessageBotWriteAccessAllowed) GetType() string { - return TypeMessageBotWriteAccessAllowed -} - -func (*MessageBotWriteAccessAllowed) MessageContentType() string { - return TypeMessageBotWriteAccessAllowed -} - -// Data from a Web App has been sent to a bot -type MessageWebAppDataSent struct { - meta - // Text of the keyboardButtonTypeWebApp button, which opened the Web App - ButtonText string `json:"button_text"` -} - -func (entity *MessageWebAppDataSent) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageWebAppDataSent - - return json.Marshal((*stub)(entity)) -} - -func (*MessageWebAppDataSent) GetClass() string { - return ClassMessageContent -} - -func (*MessageWebAppDataSent) GetType() string { - return TypeMessageWebAppDataSent -} - -func (*MessageWebAppDataSent) MessageContentType() string { - return TypeMessageWebAppDataSent -} - -// Data from a Web App has been received; for bots only -type MessageWebAppDataReceived struct { - meta - // Text of the keyboardButtonTypeWebApp button, which opened the Web App - ButtonText string `json:"button_text"` - // Received data - Data string `json:"data"` -} - -func (entity *MessageWebAppDataReceived) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageWebAppDataReceived - - return json.Marshal((*stub)(entity)) -} - -func (*MessageWebAppDataReceived) GetClass() string { - return ClassMessageContent -} - -func (*MessageWebAppDataReceived) GetType() string { - return TypeMessageWebAppDataReceived -} - -func (*MessageWebAppDataReceived) MessageContentType() string { - return TypeMessageWebAppDataReceived -} - -// Telegram Passport data has been sent to a bot -type MessagePassportDataSent struct { - meta - // List of Telegram Passport element types sent - Types []PassportElementType `json:"types"` -} - -func (entity *MessagePassportDataSent) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessagePassportDataSent - - return json.Marshal((*stub)(entity)) -} - -func (*MessagePassportDataSent) GetClass() string { - return ClassMessageContent -} - -func (*MessagePassportDataSent) GetType() string { - return TypeMessagePassportDataSent -} - -func (*MessagePassportDataSent) MessageContentType() string { - return TypeMessagePassportDataSent -} - -func (messagePassportDataSent *MessagePassportDataSent) UnmarshalJSON(data []byte) error { - var tmp struct { - Types []json.RawMessage `json:"types"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - fieldTypes, _ := UnmarshalListOfPassportElementType(tmp.Types) - messagePassportDataSent.Types = fieldTypes - - return nil -} - -// Telegram Passport data has been received; for bots only -type MessagePassportDataReceived struct { - meta - // List of received Telegram Passport elements - Elements []*EncryptedPassportElement `json:"elements"` - // Encrypted data credentials - Credentials *EncryptedCredentials `json:"credentials"` -} - -func (entity *MessagePassportDataReceived) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessagePassportDataReceived - - return json.Marshal((*stub)(entity)) -} - -func (*MessagePassportDataReceived) GetClass() string { - return ClassMessageContent -} - -func (*MessagePassportDataReceived) GetType() string { - return TypeMessagePassportDataReceived -} - -func (*MessagePassportDataReceived) MessageContentType() string { - return TypeMessagePassportDataReceived -} - -// A user in the chat came within proximity alert range -type MessageProximityAlertTriggered struct { - meta - // The identifier of a user or chat that triggered the proximity alert - TravelerId MessageSender `json:"traveler_id"` - // The identifier of a user or chat that subscribed for the proximity alert - WatcherId MessageSender `json:"watcher_id"` - // The distance between the users - Distance int32 `json:"distance"` -} - -func (entity *MessageProximityAlertTriggered) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageProximityAlertTriggered - - return json.Marshal((*stub)(entity)) -} - -func (*MessageProximityAlertTriggered) GetClass() string { - return ClassMessageContent -} - -func (*MessageProximityAlertTriggered) GetType() string { - return TypeMessageProximityAlertTriggered -} - -func (*MessageProximityAlertTriggered) MessageContentType() string { - return TypeMessageProximityAlertTriggered -} - -func (messageProximityAlertTriggered *MessageProximityAlertTriggered) UnmarshalJSON(data []byte) error { - var tmp struct { - TravelerId json.RawMessage `json:"traveler_id"` - WatcherId json.RawMessage `json:"watcher_id"` - Distance int32 `json:"distance"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - messageProximityAlertTriggered.Distance = tmp.Distance - - fieldTravelerId, _ := UnmarshalMessageSender(tmp.TravelerId) - messageProximityAlertTriggered.TravelerId = fieldTravelerId - - fieldWatcherId, _ := UnmarshalMessageSender(tmp.WatcherId) - messageProximityAlertTriggered.WatcherId = fieldWatcherId - - return nil -} - -// Message content that is not supported in the current TDLib version -type MessageUnsupported struct { - meta -} - -func (entity *MessageUnsupported) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageUnsupported - - return json.Marshal((*stub)(entity)) -} - -func (*MessageUnsupported) GetClass() string { - return ClassMessageContent -} - -func (*MessageUnsupported) GetType() string { - return TypeMessageUnsupported -} - -func (*MessageUnsupported) MessageContentType() string { - return TypeMessageUnsupported -} - -// A mention of a user, a supergroup, or a channel by their username -type TextEntityTypeMention struct { - meta -} - -func (entity *TextEntityTypeMention) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub TextEntityTypeMention - - return json.Marshal((*stub)(entity)) -} - -func (*TextEntityTypeMention) GetClass() string { - return ClassTextEntityType -} - -func (*TextEntityTypeMention) GetType() string { - return TypeTextEntityTypeMention -} - -func (*TextEntityTypeMention) TextEntityTypeType() string { - return TypeTextEntityTypeMention -} - -// A hashtag text, beginning with "#" -type TextEntityTypeHashtag struct { - meta -} - -func (entity *TextEntityTypeHashtag) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub TextEntityTypeHashtag - - return json.Marshal((*stub)(entity)) -} - -func (*TextEntityTypeHashtag) GetClass() string { - return ClassTextEntityType -} - -func (*TextEntityTypeHashtag) GetType() string { - return TypeTextEntityTypeHashtag -} - -func (*TextEntityTypeHashtag) TextEntityTypeType() string { - return TypeTextEntityTypeHashtag -} - -// A cashtag text, beginning with "$" and consisting of capital English letters (e.g., "$USD") -type TextEntityTypeCashtag struct { - meta -} - -func (entity *TextEntityTypeCashtag) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub TextEntityTypeCashtag - - return json.Marshal((*stub)(entity)) -} - -func (*TextEntityTypeCashtag) GetClass() string { - return ClassTextEntityType -} - -func (*TextEntityTypeCashtag) GetType() string { - return TypeTextEntityTypeCashtag -} - -func (*TextEntityTypeCashtag) TextEntityTypeType() string { - return TypeTextEntityTypeCashtag -} - -// A bot command, beginning with "/" -type TextEntityTypeBotCommand struct { - meta -} - -func (entity *TextEntityTypeBotCommand) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub TextEntityTypeBotCommand - - return json.Marshal((*stub)(entity)) -} - -func (*TextEntityTypeBotCommand) GetClass() string { - return ClassTextEntityType -} - -func (*TextEntityTypeBotCommand) GetType() string { - return TypeTextEntityTypeBotCommand -} - -func (*TextEntityTypeBotCommand) TextEntityTypeType() string { - return TypeTextEntityTypeBotCommand -} - -// An HTTP URL -type TextEntityTypeUrl struct { - meta -} - -func (entity *TextEntityTypeUrl) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub TextEntityTypeUrl - - return json.Marshal((*stub)(entity)) -} - -func (*TextEntityTypeUrl) GetClass() string { - return ClassTextEntityType -} - -func (*TextEntityTypeUrl) GetType() string { - return TypeTextEntityTypeUrl -} - -func (*TextEntityTypeUrl) TextEntityTypeType() string { - return TypeTextEntityTypeUrl -} - -// An email address -type TextEntityTypeEmailAddress struct { - meta -} - -func (entity *TextEntityTypeEmailAddress) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub TextEntityTypeEmailAddress - - return json.Marshal((*stub)(entity)) -} - -func (*TextEntityTypeEmailAddress) GetClass() string { - return ClassTextEntityType -} - -func (*TextEntityTypeEmailAddress) GetType() string { - return TypeTextEntityTypeEmailAddress -} - -func (*TextEntityTypeEmailAddress) TextEntityTypeType() string { - return TypeTextEntityTypeEmailAddress -} - -// A phone number -type TextEntityTypePhoneNumber struct { - meta -} - -func (entity *TextEntityTypePhoneNumber) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub TextEntityTypePhoneNumber - - return json.Marshal((*stub)(entity)) -} - -func (*TextEntityTypePhoneNumber) GetClass() string { - return ClassTextEntityType -} - -func (*TextEntityTypePhoneNumber) GetType() string { - return TypeTextEntityTypePhoneNumber -} - -func (*TextEntityTypePhoneNumber) TextEntityTypeType() string { - return TypeTextEntityTypePhoneNumber -} - -// A bank card number. The getBankCardInfo method can be used to get information about the bank card -type TextEntityTypeBankCardNumber struct { - meta -} - -func (entity *TextEntityTypeBankCardNumber) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub TextEntityTypeBankCardNumber - - return json.Marshal((*stub)(entity)) -} - -func (*TextEntityTypeBankCardNumber) GetClass() string { - return ClassTextEntityType -} - -func (*TextEntityTypeBankCardNumber) GetType() string { - return TypeTextEntityTypeBankCardNumber -} - -func (*TextEntityTypeBankCardNumber) TextEntityTypeType() string { - return TypeTextEntityTypeBankCardNumber -} - -// A bold text -type TextEntityTypeBold struct { - meta -} - -func (entity *TextEntityTypeBold) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub TextEntityTypeBold - - return json.Marshal((*stub)(entity)) -} - -func (*TextEntityTypeBold) GetClass() string { - return ClassTextEntityType -} - -func (*TextEntityTypeBold) GetType() string { - return TypeTextEntityTypeBold -} - -func (*TextEntityTypeBold) TextEntityTypeType() string { - return TypeTextEntityTypeBold -} - -// An italic text -type TextEntityTypeItalic struct { - meta -} - -func (entity *TextEntityTypeItalic) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub TextEntityTypeItalic - - return json.Marshal((*stub)(entity)) -} - -func (*TextEntityTypeItalic) GetClass() string { - return ClassTextEntityType -} - -func (*TextEntityTypeItalic) GetType() string { - return TypeTextEntityTypeItalic -} - -func (*TextEntityTypeItalic) TextEntityTypeType() string { - return TypeTextEntityTypeItalic -} - -// An underlined text -type TextEntityTypeUnderline struct { - meta -} - -func (entity *TextEntityTypeUnderline) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub TextEntityTypeUnderline - - return json.Marshal((*stub)(entity)) -} - -func (*TextEntityTypeUnderline) GetClass() string { - return ClassTextEntityType -} - -func (*TextEntityTypeUnderline) GetType() string { - return TypeTextEntityTypeUnderline -} - -func (*TextEntityTypeUnderline) TextEntityTypeType() string { - return TypeTextEntityTypeUnderline -} - -// A strikethrough text -type TextEntityTypeStrikethrough struct { - meta -} - -func (entity *TextEntityTypeStrikethrough) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub TextEntityTypeStrikethrough - - return json.Marshal((*stub)(entity)) -} - -func (*TextEntityTypeStrikethrough) GetClass() string { - return ClassTextEntityType -} - -func (*TextEntityTypeStrikethrough) GetType() string { - return TypeTextEntityTypeStrikethrough -} - -func (*TextEntityTypeStrikethrough) TextEntityTypeType() string { - return TypeTextEntityTypeStrikethrough -} - -// A spoiler text -type TextEntityTypeSpoiler struct { - meta -} - -func (entity *TextEntityTypeSpoiler) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub TextEntityTypeSpoiler - - return json.Marshal((*stub)(entity)) -} - -func (*TextEntityTypeSpoiler) GetClass() string { - return ClassTextEntityType -} - -func (*TextEntityTypeSpoiler) GetType() string { - return TypeTextEntityTypeSpoiler -} - -func (*TextEntityTypeSpoiler) TextEntityTypeType() string { - return TypeTextEntityTypeSpoiler -} - -// Text that must be formatted as if inside a code HTML tag -type TextEntityTypeCode struct { - meta -} - -func (entity *TextEntityTypeCode) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub TextEntityTypeCode - - return json.Marshal((*stub)(entity)) -} - -func (*TextEntityTypeCode) GetClass() string { - return ClassTextEntityType -} - -func (*TextEntityTypeCode) GetType() string { - return TypeTextEntityTypeCode -} - -func (*TextEntityTypeCode) TextEntityTypeType() string { - return TypeTextEntityTypeCode -} - -// Text that must be formatted as if inside a pre HTML tag -type TextEntityTypePre struct { - meta -} - -func (entity *TextEntityTypePre) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub TextEntityTypePre - - return json.Marshal((*stub)(entity)) -} - -func (*TextEntityTypePre) GetClass() string { - return ClassTextEntityType -} - -func (*TextEntityTypePre) GetType() string { - return TypeTextEntityTypePre -} - -func (*TextEntityTypePre) TextEntityTypeType() string { - return TypeTextEntityTypePre -} - -// Text that must be formatted as if inside pre, and code HTML tags -type TextEntityTypePreCode struct { - meta - // Programming language of the code; as defined by the sender - Language string `json:"language"` -} - -func (entity *TextEntityTypePreCode) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub TextEntityTypePreCode - - return json.Marshal((*stub)(entity)) -} - -func (*TextEntityTypePreCode) GetClass() string { - return ClassTextEntityType -} - -func (*TextEntityTypePreCode) GetType() string { - return TypeTextEntityTypePreCode -} - -func (*TextEntityTypePreCode) TextEntityTypeType() string { - return TypeTextEntityTypePreCode -} - -// A text description shown instead of a raw URL -type TextEntityTypeTextUrl struct { - meta - // HTTP or tg:// URL to be opened when the link is clicked - Url string `json:"url"` -} - -func (entity *TextEntityTypeTextUrl) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub TextEntityTypeTextUrl - - return json.Marshal((*stub)(entity)) -} - -func (*TextEntityTypeTextUrl) GetClass() string { - return ClassTextEntityType -} - -func (*TextEntityTypeTextUrl) GetType() string { - return TypeTextEntityTypeTextUrl -} - -func (*TextEntityTypeTextUrl) TextEntityTypeType() string { - return TypeTextEntityTypeTextUrl -} - -// A text shows instead of a raw mention of the user (e.g., when the user has no username) -type TextEntityTypeMentionName struct { - meta - // Identifier of the mentioned user - UserId int64 `json:"user_id"` -} - -func (entity *TextEntityTypeMentionName) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub TextEntityTypeMentionName - - return json.Marshal((*stub)(entity)) -} - -func (*TextEntityTypeMentionName) GetClass() string { - return ClassTextEntityType -} - -func (*TextEntityTypeMentionName) GetType() string { - return TypeTextEntityTypeMentionName -} - -func (*TextEntityTypeMentionName) TextEntityTypeType() string { - return TypeTextEntityTypeMentionName -} - -// A custom emoji. The text behind a custom emoji must be an emoji. Only premium users can use premium custom emoji -type TextEntityTypeCustomEmoji struct { - meta - // Unique identifier of the custom emoji - CustomEmojiId JsonInt64 `json:"custom_emoji_id"` -} - -func (entity *TextEntityTypeCustomEmoji) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub TextEntityTypeCustomEmoji - - return json.Marshal((*stub)(entity)) -} - -func (*TextEntityTypeCustomEmoji) GetClass() string { - return ClassTextEntityType -} - -func (*TextEntityTypeCustomEmoji) GetType() string { - return TypeTextEntityTypeCustomEmoji -} - -func (*TextEntityTypeCustomEmoji) TextEntityTypeType() string { - return TypeTextEntityTypeCustomEmoji -} - -// A media timestamp -type TextEntityTypeMediaTimestamp struct { - meta - // Timestamp from which a video/audio/video note/voice note playing must start, in seconds. The media can be in the content or the web page preview of the current message, or in the same places in the replied message - MediaTimestamp int32 `json:"media_timestamp"` -} - -func (entity *TextEntityTypeMediaTimestamp) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub TextEntityTypeMediaTimestamp - - return json.Marshal((*stub)(entity)) -} - -func (*TextEntityTypeMediaTimestamp) GetClass() string { - return ClassTextEntityType -} - -func (*TextEntityTypeMediaTimestamp) GetType() string { - return TypeTextEntityTypeMediaTimestamp -} - -func (*TextEntityTypeMediaTimestamp) TextEntityTypeType() string { - return TypeTextEntityTypeMediaTimestamp -} - -// A thumbnail to be sent along with a file; must be in JPEG or WEBP format for stickers, and less than 200 KB in size -type InputThumbnail struct { - meta - // Thumbnail file to send. Sending thumbnails by file_id is currently not supported - Thumbnail InputFile `json:"thumbnail"` - // Thumbnail width, usually shouldn't exceed 320. Use 0 if unknown - Width int32 `json:"width"` - // Thumbnail height, usually shouldn't exceed 320. Use 0 if unknown - Height int32 `json:"height"` -} - -func (entity *InputThumbnail) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputThumbnail - - return json.Marshal((*stub)(entity)) -} - -func (*InputThumbnail) GetClass() string { - return ClassInputThumbnail -} - -func (*InputThumbnail) GetType() string { - return TypeInputThumbnail -} - -func (inputThumbnail *InputThumbnail) UnmarshalJSON(data []byte) error { - var tmp struct { - Thumbnail json.RawMessage `json:"thumbnail"` - Width int32 `json:"width"` - Height int32 `json:"height"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - inputThumbnail.Width = tmp.Width - inputThumbnail.Height = tmp.Height - - fieldThumbnail, _ := UnmarshalInputFile(tmp.Thumbnail) - inputThumbnail.Thumbnail = fieldThumbnail - - return nil -} - -// The message will be sent at the specified date -type MessageSchedulingStateSendAtDate struct { - meta - // Date the message will be sent. The date must be within 367 days in the future - SendDate int32 `json:"send_date"` -} - -func (entity *MessageSchedulingStateSendAtDate) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageSchedulingStateSendAtDate - - return json.Marshal((*stub)(entity)) -} - -func (*MessageSchedulingStateSendAtDate) GetClass() string { - return ClassMessageSchedulingState -} - -func (*MessageSchedulingStateSendAtDate) GetType() string { - return TypeMessageSchedulingStateSendAtDate -} - -func (*MessageSchedulingStateSendAtDate) MessageSchedulingStateType() string { - return TypeMessageSchedulingStateSendAtDate -} - -// The message will be sent when the peer will be online. Applicable to private chats only and when the exact online status of the peer is known -type MessageSchedulingStateSendWhenOnline struct { - meta -} - -func (entity *MessageSchedulingStateSendWhenOnline) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageSchedulingStateSendWhenOnline - - return json.Marshal((*stub)(entity)) -} - -func (*MessageSchedulingStateSendWhenOnline) GetClass() string { - return ClassMessageSchedulingState -} - -func (*MessageSchedulingStateSendWhenOnline) GetType() string { - return TypeMessageSchedulingStateSendWhenOnline -} - -func (*MessageSchedulingStateSendWhenOnline) MessageSchedulingStateType() string { - return TypeMessageSchedulingStateSendWhenOnline -} - -// Options to be used when a message is sent -type MessageSendOptions struct { - meta - // Pass true to disable notification for the message - DisableNotification bool `json:"disable_notification"` - // Pass true if the message is sent from the background - FromBackground bool `json:"from_background"` - // Pass true if the content of the message must be protected from forwarding and saving; for bots only - ProtectContent bool `json:"protect_content"` - // Pass true if the user explicitly chosen a sticker or a custom emoji from an installed sticker set; applicable only to sendMessage and sendMessageAlbum - UpdateOrderOfInstalledStickerSets bool `json:"update_order_of_installed_sticker_sets"` - // Message scheduling state; pass null to send message immediately. Messages sent to a secret chat, live location messages and self-destructing messages can't be scheduled - SchedulingState MessageSchedulingState `json:"scheduling_state"` - // Non-persistent identifier, which will be returned back in messageSendingStatePending object and can be used to match sent messages and corresponding updateNewMessage updates - SendingId int32 `json:"sending_id"` -} - -func (entity *MessageSendOptions) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageSendOptions - - return json.Marshal((*stub)(entity)) -} - -func (*MessageSendOptions) GetClass() string { - return ClassMessageSendOptions -} - -func (*MessageSendOptions) GetType() string { - return TypeMessageSendOptions -} - -func (messageSendOptions *MessageSendOptions) UnmarshalJSON(data []byte) error { - var tmp struct { - DisableNotification bool `json:"disable_notification"` - FromBackground bool `json:"from_background"` - ProtectContent bool `json:"protect_content"` - UpdateOrderOfInstalledStickerSets bool `json:"update_order_of_installed_sticker_sets"` - SchedulingState json.RawMessage `json:"scheduling_state"` - SendingId int32 `json:"sending_id"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - messageSendOptions.DisableNotification = tmp.DisableNotification - messageSendOptions.FromBackground = tmp.FromBackground - messageSendOptions.ProtectContent = tmp.ProtectContent - messageSendOptions.UpdateOrderOfInstalledStickerSets = tmp.UpdateOrderOfInstalledStickerSets - messageSendOptions.SendingId = tmp.SendingId - - fieldSchedulingState, _ := UnmarshalMessageSchedulingState(tmp.SchedulingState) - messageSendOptions.SchedulingState = fieldSchedulingState - - return nil -} - -// Options to be used when a message content is copied without reference to the original sender. Service messages and messageInvoice can't be copied -type MessageCopyOptions struct { - meta - // True, if content of the message needs to be copied without reference to the original sender. Always true if the message is forwarded to a secret chat or is local - SendCopy bool `json:"send_copy"` - // True, if media caption of the message copy needs to be replaced. Ignored if send_copy is false - ReplaceCaption bool `json:"replace_caption"` - // New message caption; pass null to copy message without caption. Ignored if replace_caption is false - NewCaption *FormattedText `json:"new_caption"` -} - -func (entity *MessageCopyOptions) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub MessageCopyOptions - - return json.Marshal((*stub)(entity)) -} - -func (*MessageCopyOptions) GetClass() string { - return ClassMessageCopyOptions -} - -func (*MessageCopyOptions) GetType() string { - return TypeMessageCopyOptions -} - -// A text message -type InputMessageText struct { - meta - // Formatted text to be sent; 1-getOption("message_text_length_max") characters. Only Bold, Italic, Underline, Strikethrough, Spoiler, CustomEmoji, Code, Pre, PreCode, TextUrl and MentionName entities are allowed to be specified manually - Text *FormattedText `json:"text"` - // True, if rich web page previews for URLs in the message text must be disabled - DisableWebPagePreview bool `json:"disable_web_page_preview"` - // True, if a chat message draft must be deleted - ClearDraft bool `json:"clear_draft"` -} - -func (entity *InputMessageText) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputMessageText - - return json.Marshal((*stub)(entity)) -} - -func (*InputMessageText) GetClass() string { - return ClassInputMessageContent -} - -func (*InputMessageText) GetType() string { - return TypeInputMessageText -} - -func (*InputMessageText) InputMessageContentType() string { - return TypeInputMessageText -} - -// An animation message (GIF-style). -type InputMessageAnimation struct { - meta - // Animation file to be sent - Animation InputFile `json:"animation"` - // Animation thumbnail; pass null to skip thumbnail uploading - Thumbnail *InputThumbnail `json:"thumbnail"` - // File identifiers of the stickers added to the animation, if applicable - AddedStickerFileIds []int32 `json:"added_sticker_file_ids"` - // Duration of the animation, in seconds - Duration int32 `json:"duration"` - // Width of the animation; may be replaced by the server - Width int32 `json:"width"` - // Height of the animation; may be replaced by the server - Height int32 `json:"height"` - // Animation caption; pass null to use an empty caption; 0-getOption("message_caption_length_max") characters - Caption *FormattedText `json:"caption"` - // True, if the animation preview must be covered by a spoiler animation; not supported in secret chats - HasSpoiler bool `json:"has_spoiler"` -} - -func (entity *InputMessageAnimation) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputMessageAnimation - - return json.Marshal((*stub)(entity)) -} - -func (*InputMessageAnimation) GetClass() string { - return ClassInputMessageContent -} - -func (*InputMessageAnimation) GetType() string { - return TypeInputMessageAnimation -} - -func (*InputMessageAnimation) InputMessageContentType() string { - return TypeInputMessageAnimation -} - -func (inputMessageAnimation *InputMessageAnimation) UnmarshalJSON(data []byte) error { - var tmp struct { - Animation json.RawMessage `json:"animation"` - Thumbnail *InputThumbnail `json:"thumbnail"` - AddedStickerFileIds []int32 `json:"added_sticker_file_ids"` - Duration int32 `json:"duration"` - Width int32 `json:"width"` - Height int32 `json:"height"` - Caption *FormattedText `json:"caption"` - HasSpoiler bool `json:"has_spoiler"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - inputMessageAnimation.Thumbnail = tmp.Thumbnail - inputMessageAnimation.AddedStickerFileIds = tmp.AddedStickerFileIds - inputMessageAnimation.Duration = tmp.Duration - inputMessageAnimation.Width = tmp.Width - inputMessageAnimation.Height = tmp.Height - inputMessageAnimation.Caption = tmp.Caption - inputMessageAnimation.HasSpoiler = tmp.HasSpoiler - - fieldAnimation, _ := UnmarshalInputFile(tmp.Animation) - inputMessageAnimation.Animation = fieldAnimation - - return nil -} - -// An audio message -type InputMessageAudio struct { - meta - // Audio file to be sent - Audio InputFile `json:"audio"` - // Thumbnail of the cover for the album; pass null to skip thumbnail uploading - AlbumCoverThumbnail *InputThumbnail `json:"album_cover_thumbnail"` - // Duration of the audio, in seconds; may be replaced by the server - Duration int32 `json:"duration"` - // Title of the audio; 0-64 characters; may be replaced by the server - Title string `json:"title"` - // Performer of the audio; 0-64 characters, may be replaced by the server - Performer string `json:"performer"` - // Audio caption; pass null to use an empty caption; 0-getOption("message_caption_length_max") characters - Caption *FormattedText `json:"caption"` -} - -func (entity *InputMessageAudio) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputMessageAudio - - return json.Marshal((*stub)(entity)) -} - -func (*InputMessageAudio) GetClass() string { - return ClassInputMessageContent -} - -func (*InputMessageAudio) GetType() string { - return TypeInputMessageAudio -} - -func (*InputMessageAudio) InputMessageContentType() string { - return TypeInputMessageAudio -} - -func (inputMessageAudio *InputMessageAudio) UnmarshalJSON(data []byte) error { - var tmp struct { - Audio json.RawMessage `json:"audio"` - AlbumCoverThumbnail *InputThumbnail `json:"album_cover_thumbnail"` - Duration int32 `json:"duration"` - Title string `json:"title"` - Performer string `json:"performer"` - Caption *FormattedText `json:"caption"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - inputMessageAudio.AlbumCoverThumbnail = tmp.AlbumCoverThumbnail - inputMessageAudio.Duration = tmp.Duration - inputMessageAudio.Title = tmp.Title - inputMessageAudio.Performer = tmp.Performer - inputMessageAudio.Caption = tmp.Caption - - fieldAudio, _ := UnmarshalInputFile(tmp.Audio) - inputMessageAudio.Audio = fieldAudio - - return nil -} - -// A document message (general file) -type InputMessageDocument struct { - meta - // Document to be sent - Document InputFile `json:"document"` - // Document thumbnail; pass null to skip thumbnail uploading - Thumbnail *InputThumbnail `json:"thumbnail"` - // If true, automatic file type detection will be disabled and the document will always be sent as file. Always true for files sent to secret chats - DisableContentTypeDetection bool `json:"disable_content_type_detection"` - // Document caption; pass null to use an empty caption; 0-getOption("message_caption_length_max") characters - Caption *FormattedText `json:"caption"` -} - -func (entity *InputMessageDocument) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputMessageDocument - - return json.Marshal((*stub)(entity)) -} - -func (*InputMessageDocument) GetClass() string { - return ClassInputMessageContent -} - -func (*InputMessageDocument) GetType() string { - return TypeInputMessageDocument -} - -func (*InputMessageDocument) InputMessageContentType() string { - return TypeInputMessageDocument -} - -func (inputMessageDocument *InputMessageDocument) UnmarshalJSON(data []byte) error { - var tmp struct { - Document json.RawMessage `json:"document"` - Thumbnail *InputThumbnail `json:"thumbnail"` - DisableContentTypeDetection bool `json:"disable_content_type_detection"` - Caption *FormattedText `json:"caption"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - inputMessageDocument.Thumbnail = tmp.Thumbnail - inputMessageDocument.DisableContentTypeDetection = tmp.DisableContentTypeDetection - inputMessageDocument.Caption = tmp.Caption - - fieldDocument, _ := UnmarshalInputFile(tmp.Document) - inputMessageDocument.Document = fieldDocument - - return nil -} - -// A photo message -type InputMessagePhoto struct { - meta - // Photo to send. The photo must be at most 10 MB in size. The photo's width and height must not exceed 10000 in total. Width and height ratio must be at most 20 - Photo InputFile `json:"photo"` - // Photo thumbnail to be sent; pass null to skip thumbnail uploading. The thumbnail is sent to the other party only in secret chats - Thumbnail *InputThumbnail `json:"thumbnail"` - // File identifiers of the stickers added to the photo, if applicable - AddedStickerFileIds []int32 `json:"added_sticker_file_ids"` - // Photo width - Width int32 `json:"width"` - // Photo height - Height int32 `json:"height"` - // Photo caption; pass null to use an empty caption; 0-getOption("message_caption_length_max") characters - Caption *FormattedText `json:"caption"` - // Photo self-destruct time, in seconds (0-60). A non-zero self-destruct time can be specified only in private chats - SelfDestructTime int32 `json:"self_destruct_time"` - // True, if the photo preview must be covered by a spoiler animation; not supported in secret chats - HasSpoiler bool `json:"has_spoiler"` -} - -func (entity *InputMessagePhoto) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputMessagePhoto - - return json.Marshal((*stub)(entity)) -} - -func (*InputMessagePhoto) GetClass() string { - return ClassInputMessageContent -} - -func (*InputMessagePhoto) GetType() string { - return TypeInputMessagePhoto -} - -func (*InputMessagePhoto) InputMessageContentType() string { - return TypeInputMessagePhoto -} - -func (inputMessagePhoto *InputMessagePhoto) UnmarshalJSON(data []byte) error { - var tmp struct { - Photo json.RawMessage `json:"photo"` - Thumbnail *InputThumbnail `json:"thumbnail"` - AddedStickerFileIds []int32 `json:"added_sticker_file_ids"` - Width int32 `json:"width"` - Height int32 `json:"height"` - Caption *FormattedText `json:"caption"` - SelfDestructTime int32 `json:"self_destruct_time"` - HasSpoiler bool `json:"has_spoiler"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - inputMessagePhoto.Thumbnail = tmp.Thumbnail - inputMessagePhoto.AddedStickerFileIds = tmp.AddedStickerFileIds - inputMessagePhoto.Width = tmp.Width - inputMessagePhoto.Height = tmp.Height - inputMessagePhoto.Caption = tmp.Caption - inputMessagePhoto.SelfDestructTime = tmp.SelfDestructTime - inputMessagePhoto.HasSpoiler = tmp.HasSpoiler - - fieldPhoto, _ := UnmarshalInputFile(tmp.Photo) - inputMessagePhoto.Photo = fieldPhoto - - return nil -} - -// A sticker message -type InputMessageSticker struct { - meta - // Sticker to be sent - Sticker InputFile `json:"sticker"` - // Sticker thumbnail; pass null to skip thumbnail uploading - Thumbnail *InputThumbnail `json:"thumbnail"` - // Sticker width - Width int32 `json:"width"` - // Sticker height - Height int32 `json:"height"` - // Emoji used to choose the sticker - Emoji string `json:"emoji"` -} - -func (entity *InputMessageSticker) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputMessageSticker - - return json.Marshal((*stub)(entity)) -} - -func (*InputMessageSticker) GetClass() string { - return ClassInputMessageContent -} - -func (*InputMessageSticker) GetType() string { - return TypeInputMessageSticker -} - -func (*InputMessageSticker) InputMessageContentType() string { - return TypeInputMessageSticker -} - -func (inputMessageSticker *InputMessageSticker) UnmarshalJSON(data []byte) error { - var tmp struct { - Sticker json.RawMessage `json:"sticker"` - Thumbnail *InputThumbnail `json:"thumbnail"` - Width int32 `json:"width"` - Height int32 `json:"height"` - Emoji string `json:"emoji"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - inputMessageSticker.Thumbnail = tmp.Thumbnail - inputMessageSticker.Width = tmp.Width - inputMessageSticker.Height = tmp.Height - inputMessageSticker.Emoji = tmp.Emoji - - fieldSticker, _ := UnmarshalInputFile(tmp.Sticker) - inputMessageSticker.Sticker = fieldSticker - - return nil -} - -// A video message -type InputMessageVideo struct { - meta - // Video to be sent - Video InputFile `json:"video"` - // Video thumbnail; pass null to skip thumbnail uploading - Thumbnail *InputThumbnail `json:"thumbnail"` - // File identifiers of the stickers added to the video, if applicable - AddedStickerFileIds []int32 `json:"added_sticker_file_ids"` - // Duration of the video, in seconds - Duration int32 `json:"duration"` - // Video width - Width int32 `json:"width"` - // Video height - Height int32 `json:"height"` - // True, if the video is supposed to be streamed - SupportsStreaming bool `json:"supports_streaming"` - // Video caption; pass null to use an empty caption; 0-getOption("message_caption_length_max") characters - Caption *FormattedText `json:"caption"` - // Video self-destruct time, in seconds (0-60). A non-zero self-destruct time can be specified only in private chats - SelfDestructTime int32 `json:"self_destruct_time"` - // True, if the video preview must be covered by a spoiler animation; not supported in secret chats - HasSpoiler bool `json:"has_spoiler"` -} - -func (entity *InputMessageVideo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputMessageVideo - - return json.Marshal((*stub)(entity)) -} - -func (*InputMessageVideo) GetClass() string { - return ClassInputMessageContent -} - -func (*InputMessageVideo) GetType() string { - return TypeInputMessageVideo -} - -func (*InputMessageVideo) InputMessageContentType() string { - return TypeInputMessageVideo -} - -func (inputMessageVideo *InputMessageVideo) UnmarshalJSON(data []byte) error { - var tmp struct { - Video json.RawMessage `json:"video"` - Thumbnail *InputThumbnail `json:"thumbnail"` - AddedStickerFileIds []int32 `json:"added_sticker_file_ids"` - Duration int32 `json:"duration"` - Width int32 `json:"width"` - Height int32 `json:"height"` - SupportsStreaming bool `json:"supports_streaming"` - Caption *FormattedText `json:"caption"` - SelfDestructTime int32 `json:"self_destruct_time"` - HasSpoiler bool `json:"has_spoiler"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - inputMessageVideo.Thumbnail = tmp.Thumbnail - inputMessageVideo.AddedStickerFileIds = tmp.AddedStickerFileIds - inputMessageVideo.Duration = tmp.Duration - inputMessageVideo.Width = tmp.Width - inputMessageVideo.Height = tmp.Height - inputMessageVideo.SupportsStreaming = tmp.SupportsStreaming - inputMessageVideo.Caption = tmp.Caption - inputMessageVideo.SelfDestructTime = tmp.SelfDestructTime - inputMessageVideo.HasSpoiler = tmp.HasSpoiler - - fieldVideo, _ := UnmarshalInputFile(tmp.Video) - inputMessageVideo.Video = fieldVideo - - return nil -} - -// A video note message -type InputMessageVideoNote struct { - meta - // Video note to be sent - VideoNote InputFile `json:"video_note"` - // Video thumbnail; pass null to skip thumbnail uploading - Thumbnail *InputThumbnail `json:"thumbnail"` - // Duration of the video, in seconds - Duration int32 `json:"duration"` - // Video width and height; must be positive and not greater than 640 - Length int32 `json:"length"` -} - -func (entity *InputMessageVideoNote) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputMessageVideoNote - - return json.Marshal((*stub)(entity)) -} - -func (*InputMessageVideoNote) GetClass() string { - return ClassInputMessageContent -} - -func (*InputMessageVideoNote) GetType() string { - return TypeInputMessageVideoNote -} - -func (*InputMessageVideoNote) InputMessageContentType() string { - return TypeInputMessageVideoNote -} - -func (inputMessageVideoNote *InputMessageVideoNote) UnmarshalJSON(data []byte) error { - var tmp struct { - VideoNote json.RawMessage `json:"video_note"` - Thumbnail *InputThumbnail `json:"thumbnail"` - Duration int32 `json:"duration"` - Length int32 `json:"length"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - inputMessageVideoNote.Thumbnail = tmp.Thumbnail - inputMessageVideoNote.Duration = tmp.Duration - inputMessageVideoNote.Length = tmp.Length - - fieldVideoNote, _ := UnmarshalInputFile(tmp.VideoNote) - inputMessageVideoNote.VideoNote = fieldVideoNote - - return nil -} - -// A voice note message -type InputMessageVoiceNote struct { - meta - // Voice note to be sent - VoiceNote InputFile `json:"voice_note"` - // Duration of the voice note, in seconds - Duration int32 `json:"duration"` - // Waveform representation of the voice note in 5-bit format - Waveform []byte `json:"waveform"` - // Voice note caption; pass null to use an empty caption; 0-getOption("message_caption_length_max") characters - Caption *FormattedText `json:"caption"` -} - -func (entity *InputMessageVoiceNote) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputMessageVoiceNote - - return json.Marshal((*stub)(entity)) -} - -func (*InputMessageVoiceNote) GetClass() string { - return ClassInputMessageContent -} - -func (*InputMessageVoiceNote) GetType() string { - return TypeInputMessageVoiceNote -} - -func (*InputMessageVoiceNote) InputMessageContentType() string { - return TypeInputMessageVoiceNote -} - -func (inputMessageVoiceNote *InputMessageVoiceNote) UnmarshalJSON(data []byte) error { - var tmp struct { - VoiceNote json.RawMessage `json:"voice_note"` - Duration int32 `json:"duration"` - Waveform []byte `json:"waveform"` - Caption *FormattedText `json:"caption"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - inputMessageVoiceNote.Duration = tmp.Duration - inputMessageVoiceNote.Waveform = tmp.Waveform - inputMessageVoiceNote.Caption = tmp.Caption - - fieldVoiceNote, _ := UnmarshalInputFile(tmp.VoiceNote) - inputMessageVoiceNote.VoiceNote = fieldVoiceNote - - return nil -} - -// A message with a location -type InputMessageLocation struct { - meta - // Location to be sent - Location *Location `json:"location"` - // Period for which the location can be updated, in seconds; must be between 60 and 86400 for a live location and 0 otherwise - LivePeriod int32 `json:"live_period"` - // For live locations, a direction in which the location moves, in degrees; 1-360. Pass 0 if unknown - Heading int32 `json:"heading"` - // For live locations, a maximum distance to another chat member for proximity alerts, in meters (0-100000). Pass 0 if the notification is disabled. Can't be enabled in channels and Saved Messages - ProximityAlertRadius int32 `json:"proximity_alert_radius"` -} - -func (entity *InputMessageLocation) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputMessageLocation - - return json.Marshal((*stub)(entity)) -} - -func (*InputMessageLocation) GetClass() string { - return ClassInputMessageContent -} - -func (*InputMessageLocation) GetType() string { - return TypeInputMessageLocation -} - -func (*InputMessageLocation) InputMessageContentType() string { - return TypeInputMessageLocation -} - -// A message with information about a venue -type InputMessageVenue struct { - meta - // Venue to send - Venue *Venue `json:"venue"` -} - -func (entity *InputMessageVenue) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputMessageVenue - - return json.Marshal((*stub)(entity)) -} - -func (*InputMessageVenue) GetClass() string { - return ClassInputMessageContent -} - -func (*InputMessageVenue) GetType() string { - return TypeInputMessageVenue -} - -func (*InputMessageVenue) InputMessageContentType() string { - return TypeInputMessageVenue -} - -// A message containing a user contact -type InputMessageContact struct { - meta - // Contact to send - Contact *Contact `json:"contact"` -} - -func (entity *InputMessageContact) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputMessageContact - - return json.Marshal((*stub)(entity)) -} - -func (*InputMessageContact) GetClass() string { - return ClassInputMessageContent -} - -func (*InputMessageContact) GetType() string { - return TypeInputMessageContact -} - -func (*InputMessageContact) InputMessageContentType() string { - return TypeInputMessageContact -} - -// A dice message -type InputMessageDice struct { - meta - // Emoji on which the dice throw animation is based - Emoji string `json:"emoji"` - // True, if the chat message draft must be deleted - ClearDraft bool `json:"clear_draft"` -} - -func (entity *InputMessageDice) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputMessageDice - - return json.Marshal((*stub)(entity)) -} - -func (*InputMessageDice) GetClass() string { - return ClassInputMessageContent -} - -func (*InputMessageDice) GetType() string { - return TypeInputMessageDice -} - -func (*InputMessageDice) InputMessageContentType() string { - return TypeInputMessageDice -} - -// A message with a game; not supported for channels or secret chats -type InputMessageGame struct { - meta - // User identifier of the bot that owns the game - BotUserId int64 `json:"bot_user_id"` - // Short name of the game - GameShortName string `json:"game_short_name"` -} - -func (entity *InputMessageGame) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputMessageGame - - return json.Marshal((*stub)(entity)) -} - -func (*InputMessageGame) GetClass() string { - return ClassInputMessageContent -} - -func (*InputMessageGame) GetType() string { - return TypeInputMessageGame -} - -func (*InputMessageGame) InputMessageContentType() string { - return TypeInputMessageGame -} - -// A message with an invoice; can be used only by bots -type InputMessageInvoice struct { - meta - // Invoice - Invoice *Invoice `json:"invoice"` - // Product title; 1-32 characters - Title string `json:"title"` - // Product description; 0-255 characters - Description string `json:"description"` - // Product photo URL; optional - PhotoUrl string `json:"photo_url"` - // Product photo size - PhotoSize int32 `json:"photo_size"` - // Product photo width - PhotoWidth int32 `json:"photo_width"` - // Product photo height - PhotoHeight int32 `json:"photo_height"` - // The invoice payload - Payload []byte `json:"payload"` - // Payment provider token - ProviderToken string `json:"provider_token"` - // JSON-encoded data about the invoice, which will be shared with the payment provider - ProviderData string `json:"provider_data"` - // Unique invoice bot deep link parameter for the generation of this invoice. If empty, it would be possible to pay directly from forwards of the invoice message - StartParameter string `json:"start_parameter"` - // The content of extended media attached to the invoice. The content of the message to be sent. Must be one of the following types: inputMessagePhoto, inputMessageVideo - ExtendedMediaContent InputMessageContent `json:"extended_media_content"` -} - -func (entity *InputMessageInvoice) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputMessageInvoice - - return json.Marshal((*stub)(entity)) -} - -func (*InputMessageInvoice) GetClass() string { - return ClassInputMessageContent -} - -func (*InputMessageInvoice) GetType() string { - return TypeInputMessageInvoice -} - -func (*InputMessageInvoice) InputMessageContentType() string { - return TypeInputMessageInvoice -} - -func (inputMessageInvoice *InputMessageInvoice) UnmarshalJSON(data []byte) error { - var tmp struct { - Invoice *Invoice `json:"invoice"` - Title string `json:"title"` - Description string `json:"description"` - PhotoUrl string `json:"photo_url"` - PhotoSize int32 `json:"photo_size"` - PhotoWidth int32 `json:"photo_width"` - PhotoHeight int32 `json:"photo_height"` - Payload []byte `json:"payload"` - ProviderToken string `json:"provider_token"` - ProviderData string `json:"provider_data"` - StartParameter string `json:"start_parameter"` - ExtendedMediaContent json.RawMessage `json:"extended_media_content"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - inputMessageInvoice.Invoice = tmp.Invoice - inputMessageInvoice.Title = tmp.Title - inputMessageInvoice.Description = tmp.Description - inputMessageInvoice.PhotoUrl = tmp.PhotoUrl - inputMessageInvoice.PhotoSize = tmp.PhotoSize - inputMessageInvoice.PhotoWidth = tmp.PhotoWidth - inputMessageInvoice.PhotoHeight = tmp.PhotoHeight - inputMessageInvoice.Payload = tmp.Payload - inputMessageInvoice.ProviderToken = tmp.ProviderToken - inputMessageInvoice.ProviderData = tmp.ProviderData - inputMessageInvoice.StartParameter = tmp.StartParameter - - fieldExtendedMediaContent, _ := UnmarshalInputMessageContent(tmp.ExtendedMediaContent) - inputMessageInvoice.ExtendedMediaContent = fieldExtendedMediaContent - - return nil -} - -// A message with a poll. Polls can't be sent to secret chats. Polls can be sent only to a private chat with a bot -type InputMessagePoll struct { - meta - // Poll question; 1-255 characters (up to 300 characters for bots) - Question string `json:"question"` - // List of poll answer options, 2-10 strings 1-100 characters each - Options []string `json:"options"` - // True, if the poll voters are anonymous. Non-anonymous polls can't be sent or forwarded to channels - IsAnonymous bool `json:"is_anonymous"` - // Type of the poll - Type PollType `json:"type"` - // Amount of time the poll will be active after creation, in seconds; for bots only - OpenPeriod int32 `json:"open_period"` - // Point in time (Unix timestamp) when the poll will automatically be closed; for bots only - CloseDate int32 `json:"close_date"` - // True, if the poll needs to be sent already closed; for bots only - IsClosed bool `json:"is_closed"` -} - -func (entity *InputMessagePoll) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputMessagePoll - - return json.Marshal((*stub)(entity)) -} - -func (*InputMessagePoll) GetClass() string { - return ClassInputMessageContent -} - -func (*InputMessagePoll) GetType() string { - return TypeInputMessagePoll -} - -func (*InputMessagePoll) InputMessageContentType() string { - return TypeInputMessagePoll -} - -func (inputMessagePoll *InputMessagePoll) UnmarshalJSON(data []byte) error { - var tmp struct { - Question string `json:"question"` - Options []string `json:"options"` - IsAnonymous bool `json:"is_anonymous"` - Type json.RawMessage `json:"type"` - OpenPeriod int32 `json:"open_period"` - CloseDate int32 `json:"close_date"` - IsClosed bool `json:"is_closed"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - inputMessagePoll.Question = tmp.Question - inputMessagePoll.Options = tmp.Options - inputMessagePoll.IsAnonymous = tmp.IsAnonymous - inputMessagePoll.OpenPeriod = tmp.OpenPeriod - inputMessagePoll.CloseDate = tmp.CloseDate - inputMessagePoll.IsClosed = tmp.IsClosed - - fieldType, _ := UnmarshalPollType(tmp.Type) - inputMessagePoll.Type = fieldType - - return nil -} - -// A forwarded message -type InputMessageForwarded struct { - meta - // Identifier for the chat this forwarded message came from - FromChatId int64 `json:"from_chat_id"` - // Identifier of the message to forward - MessageId int64 `json:"message_id"` - // True, if a game message is being shared from a launched game; applies only to game messages - InGameShare bool `json:"in_game_share"` - // Options to be used to copy content of the message without reference to the original sender; pass null to forward the message as usual - CopyOptions *MessageCopyOptions `json:"copy_options"` -} - -func (entity *InputMessageForwarded) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputMessageForwarded - - return json.Marshal((*stub)(entity)) -} - -func (*InputMessageForwarded) GetClass() string { - return ClassInputMessageContent -} - -func (*InputMessageForwarded) GetType() string { - return TypeInputMessageForwarded -} - -func (*InputMessageForwarded) InputMessageContentType() string { - return TypeInputMessageForwarded -} - -// Returns all found messages, no filter is applied -type SearchMessagesFilterEmpty struct { - meta -} - -func (entity *SearchMessagesFilterEmpty) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub SearchMessagesFilterEmpty - - return json.Marshal((*stub)(entity)) -} - -func (*SearchMessagesFilterEmpty) GetClass() string { - return ClassSearchMessagesFilter -} - -func (*SearchMessagesFilterEmpty) GetType() string { - return TypeSearchMessagesFilterEmpty -} - -func (*SearchMessagesFilterEmpty) SearchMessagesFilterType() string { - return TypeSearchMessagesFilterEmpty -} - -// Returns only animation messages -type SearchMessagesFilterAnimation struct { - meta -} - -func (entity *SearchMessagesFilterAnimation) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub SearchMessagesFilterAnimation - - return json.Marshal((*stub)(entity)) -} - -func (*SearchMessagesFilterAnimation) GetClass() string { - return ClassSearchMessagesFilter -} - -func (*SearchMessagesFilterAnimation) GetType() string { - return TypeSearchMessagesFilterAnimation -} - -func (*SearchMessagesFilterAnimation) SearchMessagesFilterType() string { - return TypeSearchMessagesFilterAnimation -} - -// Returns only audio messages -type SearchMessagesFilterAudio struct { - meta -} - -func (entity *SearchMessagesFilterAudio) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub SearchMessagesFilterAudio - - return json.Marshal((*stub)(entity)) -} - -func (*SearchMessagesFilterAudio) GetClass() string { - return ClassSearchMessagesFilter -} - -func (*SearchMessagesFilterAudio) GetType() string { - return TypeSearchMessagesFilterAudio -} - -func (*SearchMessagesFilterAudio) SearchMessagesFilterType() string { - return TypeSearchMessagesFilterAudio -} - -// Returns only document messages -type SearchMessagesFilterDocument struct { - meta -} - -func (entity *SearchMessagesFilterDocument) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub SearchMessagesFilterDocument - - return json.Marshal((*stub)(entity)) -} - -func (*SearchMessagesFilterDocument) GetClass() string { - return ClassSearchMessagesFilter -} - -func (*SearchMessagesFilterDocument) GetType() string { - return TypeSearchMessagesFilterDocument -} - -func (*SearchMessagesFilterDocument) SearchMessagesFilterType() string { - return TypeSearchMessagesFilterDocument -} - -// Returns only photo messages -type SearchMessagesFilterPhoto struct { - meta -} - -func (entity *SearchMessagesFilterPhoto) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub SearchMessagesFilterPhoto - - return json.Marshal((*stub)(entity)) -} - -func (*SearchMessagesFilterPhoto) GetClass() string { - return ClassSearchMessagesFilter -} - -func (*SearchMessagesFilterPhoto) GetType() string { - return TypeSearchMessagesFilterPhoto -} - -func (*SearchMessagesFilterPhoto) SearchMessagesFilterType() string { - return TypeSearchMessagesFilterPhoto -} - -// Returns only video messages -type SearchMessagesFilterVideo struct { - meta -} - -func (entity *SearchMessagesFilterVideo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub SearchMessagesFilterVideo - - return json.Marshal((*stub)(entity)) -} - -func (*SearchMessagesFilterVideo) GetClass() string { - return ClassSearchMessagesFilter -} - -func (*SearchMessagesFilterVideo) GetType() string { - return TypeSearchMessagesFilterVideo -} - -func (*SearchMessagesFilterVideo) SearchMessagesFilterType() string { - return TypeSearchMessagesFilterVideo -} - -// Returns only voice note messages -type SearchMessagesFilterVoiceNote struct { - meta -} - -func (entity *SearchMessagesFilterVoiceNote) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub SearchMessagesFilterVoiceNote - - return json.Marshal((*stub)(entity)) -} - -func (*SearchMessagesFilterVoiceNote) GetClass() string { - return ClassSearchMessagesFilter -} - -func (*SearchMessagesFilterVoiceNote) GetType() string { - return TypeSearchMessagesFilterVoiceNote -} - -func (*SearchMessagesFilterVoiceNote) SearchMessagesFilterType() string { - return TypeSearchMessagesFilterVoiceNote -} - -// Returns only photo and video messages -type SearchMessagesFilterPhotoAndVideo struct { - meta -} - -func (entity *SearchMessagesFilterPhotoAndVideo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub SearchMessagesFilterPhotoAndVideo - - return json.Marshal((*stub)(entity)) -} - -func (*SearchMessagesFilterPhotoAndVideo) GetClass() string { - return ClassSearchMessagesFilter -} - -func (*SearchMessagesFilterPhotoAndVideo) GetType() string { - return TypeSearchMessagesFilterPhotoAndVideo -} - -func (*SearchMessagesFilterPhotoAndVideo) SearchMessagesFilterType() string { - return TypeSearchMessagesFilterPhotoAndVideo -} - -// Returns only messages containing URLs -type SearchMessagesFilterUrl struct { - meta -} - -func (entity *SearchMessagesFilterUrl) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub SearchMessagesFilterUrl - - return json.Marshal((*stub)(entity)) -} - -func (*SearchMessagesFilterUrl) GetClass() string { - return ClassSearchMessagesFilter -} - -func (*SearchMessagesFilterUrl) GetType() string { - return TypeSearchMessagesFilterUrl -} - -func (*SearchMessagesFilterUrl) SearchMessagesFilterType() string { - return TypeSearchMessagesFilterUrl -} - -// Returns only messages containing chat photos -type SearchMessagesFilterChatPhoto struct { - meta -} - -func (entity *SearchMessagesFilterChatPhoto) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub SearchMessagesFilterChatPhoto - - return json.Marshal((*stub)(entity)) -} - -func (*SearchMessagesFilterChatPhoto) GetClass() string { - return ClassSearchMessagesFilter -} - -func (*SearchMessagesFilterChatPhoto) GetType() string { - return TypeSearchMessagesFilterChatPhoto -} - -func (*SearchMessagesFilterChatPhoto) SearchMessagesFilterType() string { - return TypeSearchMessagesFilterChatPhoto -} - -// Returns only video note messages -type SearchMessagesFilterVideoNote struct { - meta -} - -func (entity *SearchMessagesFilterVideoNote) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub SearchMessagesFilterVideoNote - - return json.Marshal((*stub)(entity)) -} - -func (*SearchMessagesFilterVideoNote) GetClass() string { - return ClassSearchMessagesFilter -} - -func (*SearchMessagesFilterVideoNote) GetType() string { - return TypeSearchMessagesFilterVideoNote -} - -func (*SearchMessagesFilterVideoNote) SearchMessagesFilterType() string { - return TypeSearchMessagesFilterVideoNote -} - -// Returns only voice and video note messages -type SearchMessagesFilterVoiceAndVideoNote struct { - meta -} - -func (entity *SearchMessagesFilterVoiceAndVideoNote) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub SearchMessagesFilterVoiceAndVideoNote - - return json.Marshal((*stub)(entity)) -} - -func (*SearchMessagesFilterVoiceAndVideoNote) GetClass() string { - return ClassSearchMessagesFilter -} - -func (*SearchMessagesFilterVoiceAndVideoNote) GetType() string { - return TypeSearchMessagesFilterVoiceAndVideoNote -} - -func (*SearchMessagesFilterVoiceAndVideoNote) SearchMessagesFilterType() string { - return TypeSearchMessagesFilterVoiceAndVideoNote -} - -// Returns only messages with mentions of the current user, or messages that are replies to their messages -type SearchMessagesFilterMention struct { - meta -} - -func (entity *SearchMessagesFilterMention) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub SearchMessagesFilterMention - - return json.Marshal((*stub)(entity)) -} - -func (*SearchMessagesFilterMention) GetClass() string { - return ClassSearchMessagesFilter -} - -func (*SearchMessagesFilterMention) GetType() string { - return TypeSearchMessagesFilterMention -} - -func (*SearchMessagesFilterMention) SearchMessagesFilterType() string { - return TypeSearchMessagesFilterMention -} - -// Returns only messages with unread mentions of the current user, or messages that are replies to their messages. When using this filter the results can't be additionally filtered by a query, a message thread or by the sending user -type SearchMessagesFilterUnreadMention struct { - meta -} - -func (entity *SearchMessagesFilterUnreadMention) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub SearchMessagesFilterUnreadMention - - return json.Marshal((*stub)(entity)) -} - -func (*SearchMessagesFilterUnreadMention) GetClass() string { - return ClassSearchMessagesFilter -} - -func (*SearchMessagesFilterUnreadMention) GetType() string { - return TypeSearchMessagesFilterUnreadMention -} - -func (*SearchMessagesFilterUnreadMention) SearchMessagesFilterType() string { - return TypeSearchMessagesFilterUnreadMention -} - -// Returns only messages with unread reactions for the current user. When using this filter the results can't be additionally filtered by a query, a message thread or by the sending user -type SearchMessagesFilterUnreadReaction struct { - meta -} - -func (entity *SearchMessagesFilterUnreadReaction) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub SearchMessagesFilterUnreadReaction - - return json.Marshal((*stub)(entity)) -} - -func (*SearchMessagesFilterUnreadReaction) GetClass() string { - return ClassSearchMessagesFilter -} - -func (*SearchMessagesFilterUnreadReaction) GetType() string { - return TypeSearchMessagesFilterUnreadReaction -} - -func (*SearchMessagesFilterUnreadReaction) SearchMessagesFilterType() string { - return TypeSearchMessagesFilterUnreadReaction -} - -// Returns only failed to send messages. This filter can be used only if the message database is used -type SearchMessagesFilterFailedToSend struct { - meta -} - -func (entity *SearchMessagesFilterFailedToSend) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub SearchMessagesFilterFailedToSend - - return json.Marshal((*stub)(entity)) -} - -func (*SearchMessagesFilterFailedToSend) GetClass() string { - return ClassSearchMessagesFilter -} - -func (*SearchMessagesFilterFailedToSend) GetType() string { - return TypeSearchMessagesFilterFailedToSend -} - -func (*SearchMessagesFilterFailedToSend) SearchMessagesFilterType() string { - return TypeSearchMessagesFilterFailedToSend -} - -// Returns only pinned messages -type SearchMessagesFilterPinned struct { - meta -} - -func (entity *SearchMessagesFilterPinned) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub SearchMessagesFilterPinned - - return json.Marshal((*stub)(entity)) -} - -func (*SearchMessagesFilterPinned) GetClass() string { - return ClassSearchMessagesFilter -} - -func (*SearchMessagesFilterPinned) GetType() string { - return TypeSearchMessagesFilterPinned -} - -func (*SearchMessagesFilterPinned) SearchMessagesFilterType() string { - return TypeSearchMessagesFilterPinned -} - -// The user is typing a message -type ChatActionTyping struct { - meta -} - -func (entity *ChatActionTyping) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatActionTyping - - return json.Marshal((*stub)(entity)) -} - -func (*ChatActionTyping) GetClass() string { - return ClassChatAction -} - -func (*ChatActionTyping) GetType() string { - return TypeChatActionTyping -} - -func (*ChatActionTyping) ChatActionType() string { - return TypeChatActionTyping -} - -// The user is recording a video -type ChatActionRecordingVideo struct { - meta -} - -func (entity *ChatActionRecordingVideo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatActionRecordingVideo - - return json.Marshal((*stub)(entity)) -} - -func (*ChatActionRecordingVideo) GetClass() string { - return ClassChatAction -} - -func (*ChatActionRecordingVideo) GetType() string { - return TypeChatActionRecordingVideo -} - -func (*ChatActionRecordingVideo) ChatActionType() string { - return TypeChatActionRecordingVideo -} - -// The user is uploading a video -type ChatActionUploadingVideo struct { - meta - // Upload progress, as a percentage - Progress int32 `json:"progress"` -} - -func (entity *ChatActionUploadingVideo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatActionUploadingVideo - - return json.Marshal((*stub)(entity)) -} - -func (*ChatActionUploadingVideo) GetClass() string { - return ClassChatAction -} - -func (*ChatActionUploadingVideo) GetType() string { - return TypeChatActionUploadingVideo -} - -func (*ChatActionUploadingVideo) ChatActionType() string { - return TypeChatActionUploadingVideo -} - -// The user is recording a voice note -type ChatActionRecordingVoiceNote struct { - meta -} - -func (entity *ChatActionRecordingVoiceNote) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatActionRecordingVoiceNote - - return json.Marshal((*stub)(entity)) -} - -func (*ChatActionRecordingVoiceNote) GetClass() string { - return ClassChatAction -} - -func (*ChatActionRecordingVoiceNote) GetType() string { - return TypeChatActionRecordingVoiceNote -} - -func (*ChatActionRecordingVoiceNote) ChatActionType() string { - return TypeChatActionRecordingVoiceNote -} - -// The user is uploading a voice note -type ChatActionUploadingVoiceNote struct { - meta - // Upload progress, as a percentage - Progress int32 `json:"progress"` -} - -func (entity *ChatActionUploadingVoiceNote) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatActionUploadingVoiceNote - - return json.Marshal((*stub)(entity)) -} - -func (*ChatActionUploadingVoiceNote) GetClass() string { - return ClassChatAction -} - -func (*ChatActionUploadingVoiceNote) GetType() string { - return TypeChatActionUploadingVoiceNote -} - -func (*ChatActionUploadingVoiceNote) ChatActionType() string { - return TypeChatActionUploadingVoiceNote -} - -// The user is uploading a photo -type ChatActionUploadingPhoto struct { - meta - // Upload progress, as a percentage - Progress int32 `json:"progress"` -} - -func (entity *ChatActionUploadingPhoto) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatActionUploadingPhoto - - return json.Marshal((*stub)(entity)) -} - -func (*ChatActionUploadingPhoto) GetClass() string { - return ClassChatAction -} - -func (*ChatActionUploadingPhoto) GetType() string { - return TypeChatActionUploadingPhoto -} - -func (*ChatActionUploadingPhoto) ChatActionType() string { - return TypeChatActionUploadingPhoto -} - -// The user is uploading a document -type ChatActionUploadingDocument struct { - meta - // Upload progress, as a percentage - Progress int32 `json:"progress"` -} - -func (entity *ChatActionUploadingDocument) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatActionUploadingDocument - - return json.Marshal((*stub)(entity)) -} - -func (*ChatActionUploadingDocument) GetClass() string { - return ClassChatAction -} - -func (*ChatActionUploadingDocument) GetType() string { - return TypeChatActionUploadingDocument -} - -func (*ChatActionUploadingDocument) ChatActionType() string { - return TypeChatActionUploadingDocument -} - -// The user is picking a sticker to send -type ChatActionChoosingSticker struct { - meta -} - -func (entity *ChatActionChoosingSticker) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatActionChoosingSticker - - return json.Marshal((*stub)(entity)) -} - -func (*ChatActionChoosingSticker) GetClass() string { - return ClassChatAction -} - -func (*ChatActionChoosingSticker) GetType() string { - return TypeChatActionChoosingSticker -} - -func (*ChatActionChoosingSticker) ChatActionType() string { - return TypeChatActionChoosingSticker -} - -// The user is picking a location or venue to send -type ChatActionChoosingLocation struct { - meta -} - -func (entity *ChatActionChoosingLocation) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatActionChoosingLocation - - return json.Marshal((*stub)(entity)) -} - -func (*ChatActionChoosingLocation) GetClass() string { - return ClassChatAction -} - -func (*ChatActionChoosingLocation) GetType() string { - return TypeChatActionChoosingLocation -} - -func (*ChatActionChoosingLocation) ChatActionType() string { - return TypeChatActionChoosingLocation -} - -// The user is picking a contact to send -type ChatActionChoosingContact struct { - meta -} - -func (entity *ChatActionChoosingContact) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatActionChoosingContact - - return json.Marshal((*stub)(entity)) -} - -func (*ChatActionChoosingContact) GetClass() string { - return ClassChatAction -} - -func (*ChatActionChoosingContact) GetType() string { - return TypeChatActionChoosingContact -} - -func (*ChatActionChoosingContact) ChatActionType() string { - return TypeChatActionChoosingContact -} - -// The user has started to play a game -type ChatActionStartPlayingGame struct { - meta -} - -func (entity *ChatActionStartPlayingGame) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatActionStartPlayingGame - - return json.Marshal((*stub)(entity)) -} - -func (*ChatActionStartPlayingGame) GetClass() string { - return ClassChatAction -} - -func (*ChatActionStartPlayingGame) GetType() string { - return TypeChatActionStartPlayingGame -} - -func (*ChatActionStartPlayingGame) ChatActionType() string { - return TypeChatActionStartPlayingGame -} - -// The user is recording a video note -type ChatActionRecordingVideoNote struct { - meta -} - -func (entity *ChatActionRecordingVideoNote) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatActionRecordingVideoNote - - return json.Marshal((*stub)(entity)) -} - -func (*ChatActionRecordingVideoNote) GetClass() string { - return ClassChatAction -} - -func (*ChatActionRecordingVideoNote) GetType() string { - return TypeChatActionRecordingVideoNote -} - -func (*ChatActionRecordingVideoNote) ChatActionType() string { - return TypeChatActionRecordingVideoNote -} - -// The user is uploading a video note -type ChatActionUploadingVideoNote struct { - meta - // Upload progress, as a percentage - Progress int32 `json:"progress"` -} - -func (entity *ChatActionUploadingVideoNote) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatActionUploadingVideoNote - - return json.Marshal((*stub)(entity)) -} - -func (*ChatActionUploadingVideoNote) GetClass() string { - return ClassChatAction -} - -func (*ChatActionUploadingVideoNote) GetType() string { - return TypeChatActionUploadingVideoNote -} - -func (*ChatActionUploadingVideoNote) ChatActionType() string { - return TypeChatActionUploadingVideoNote -} - -// The user is watching animations sent by the other party by clicking on an animated emoji -type ChatActionWatchingAnimations struct { - meta - // The animated emoji - Emoji string `json:"emoji"` -} - -func (entity *ChatActionWatchingAnimations) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatActionWatchingAnimations - - return json.Marshal((*stub)(entity)) -} - -func (*ChatActionWatchingAnimations) GetClass() string { - return ClassChatAction -} - -func (*ChatActionWatchingAnimations) GetType() string { - return TypeChatActionWatchingAnimations -} - -func (*ChatActionWatchingAnimations) ChatActionType() string { - return TypeChatActionWatchingAnimations -} - -// The user has canceled the previous action -type ChatActionCancel struct { - meta -} - -func (entity *ChatActionCancel) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatActionCancel - - return json.Marshal((*stub)(entity)) -} - -func (*ChatActionCancel) GetClass() string { - return ClassChatAction -} - -func (*ChatActionCancel) GetType() string { - return TypeChatActionCancel -} - -func (*ChatActionCancel) ChatActionType() string { - return TypeChatActionCancel -} - -// The user status was never changed -type UserStatusEmpty struct { - meta -} - -func (entity *UserStatusEmpty) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub UserStatusEmpty - - return json.Marshal((*stub)(entity)) -} - -func (*UserStatusEmpty) GetClass() string { - return ClassUserStatus -} - -func (*UserStatusEmpty) GetType() string { - return TypeUserStatusEmpty -} - -func (*UserStatusEmpty) UserStatusType() string { - return TypeUserStatusEmpty -} - -// The user is online -type UserStatusOnline struct { - meta - // Point in time (Unix timestamp) when the user's online status will expire - Expires int32 `json:"expires"` -} - -func (entity *UserStatusOnline) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub UserStatusOnline - - return json.Marshal((*stub)(entity)) -} - -func (*UserStatusOnline) GetClass() string { - return ClassUserStatus -} - -func (*UserStatusOnline) GetType() string { - return TypeUserStatusOnline -} - -func (*UserStatusOnline) UserStatusType() string { - return TypeUserStatusOnline -} - -// The user is offline -type UserStatusOffline struct { - meta - // Point in time (Unix timestamp) when the user was last online - WasOnline int32 `json:"was_online"` -} - -func (entity *UserStatusOffline) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub UserStatusOffline - - return json.Marshal((*stub)(entity)) -} - -func (*UserStatusOffline) GetClass() string { - return ClassUserStatus -} - -func (*UserStatusOffline) GetType() string { - return TypeUserStatusOffline -} - -func (*UserStatusOffline) UserStatusType() string { - return TypeUserStatusOffline -} - -// The user was online recently -type UserStatusRecently struct { - meta -} - -func (entity *UserStatusRecently) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub UserStatusRecently - - return json.Marshal((*stub)(entity)) -} - -func (*UserStatusRecently) GetClass() string { - return ClassUserStatus -} - -func (*UserStatusRecently) GetType() string { - return TypeUserStatusRecently -} - -func (*UserStatusRecently) UserStatusType() string { - return TypeUserStatusRecently -} - -// The user is offline, but was online last week -type UserStatusLastWeek struct { - meta -} - -func (entity *UserStatusLastWeek) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub UserStatusLastWeek - - return json.Marshal((*stub)(entity)) -} - -func (*UserStatusLastWeek) GetClass() string { - return ClassUserStatus -} - -func (*UserStatusLastWeek) GetType() string { - return TypeUserStatusLastWeek -} - -func (*UserStatusLastWeek) UserStatusType() string { - return TypeUserStatusLastWeek -} - -// The user is offline, but was online last month -type UserStatusLastMonth struct { - meta -} - -func (entity *UserStatusLastMonth) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub UserStatusLastMonth - - return json.Marshal((*stub)(entity)) -} - -func (*UserStatusLastMonth) GetClass() string { - return ClassUserStatus -} - -func (*UserStatusLastMonth) GetType() string { - return TypeUserStatusLastMonth -} - -func (*UserStatusLastMonth) UserStatusType() string { - return TypeUserStatusLastMonth -} - -// Represents a list of stickers -type Stickers struct { - meta - // List of stickers - Stickers []*Sticker `json:"stickers"` -} - -func (entity *Stickers) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub Stickers - - return json.Marshal((*stub)(entity)) -} - -func (*Stickers) GetClass() string { - return ClassStickers -} - -func (*Stickers) GetType() string { - return TypeStickers -} - -// Represents a list of emoji -type Emojis struct { - meta - // List of emojis - Emojis []string `json:"emojis"` -} - -func (entity *Emojis) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub Emojis - - return json.Marshal((*stub)(entity)) -} - -func (*Emojis) GetClass() string { - return ClassEmojis -} - -func (*Emojis) GetType() string { - return TypeEmojis -} - -// Represents a sticker set -type StickerSet struct { - meta - // Identifier of the sticker set - Id JsonInt64 `json:"id"` - // Title of the sticker set - Title string `json:"title"` - // Name of the sticker set - Name string `json:"name"` - // Sticker set thumbnail in WEBP, TGS, or WEBM format with width and height 100; may be null. The file can be downloaded only before the thumbnail is changed - Thumbnail *Thumbnail `json:"thumbnail"` - // Sticker set thumbnail's outline represented as a list of closed vector paths; may be empty. The coordinate system origin is in the upper-left corner - ThumbnailOutline []*ClosedVectorPath `json:"thumbnail_outline"` - // True, if the sticker set has been installed by the current user - IsInstalled bool `json:"is_installed"` - // True, if the sticker set has been archived. A sticker set can't be installed and archived simultaneously - IsArchived bool `json:"is_archived"` - // True, if the sticker set is official - IsOfficial bool `json:"is_official"` - // Format of the stickers in the set - StickerFormat StickerFormat `json:"sticker_format"` - // Type of the stickers in the set - StickerType StickerType `json:"sticker_type"` - // True for already viewed trending sticker sets - IsViewed bool `json:"is_viewed"` - // List of stickers in this set - Stickers []*Sticker `json:"stickers"` - // A list of emoji corresponding to the stickers in the same order. The list is only for informational purposes, because a sticker is always sent with a fixed emoji from the corresponding Sticker object - Emojis []*Emojis `json:"emojis"` -} - -func (entity *StickerSet) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub StickerSet - - return json.Marshal((*stub)(entity)) -} - -func (*StickerSet) GetClass() string { - return ClassStickerSet -} - -func (*StickerSet) GetType() string { - return TypeStickerSet -} - -func (stickerSet *StickerSet) UnmarshalJSON(data []byte) error { - var tmp struct { - Id JsonInt64 `json:"id"` - Title string `json:"title"` - Name string `json:"name"` - Thumbnail *Thumbnail `json:"thumbnail"` - ThumbnailOutline []*ClosedVectorPath `json:"thumbnail_outline"` - IsInstalled bool `json:"is_installed"` - IsArchived bool `json:"is_archived"` - IsOfficial bool `json:"is_official"` - StickerFormat json.RawMessage `json:"sticker_format"` - StickerType json.RawMessage `json:"sticker_type"` - IsViewed bool `json:"is_viewed"` - Stickers []*Sticker `json:"stickers"` - Emojis []*Emojis `json:"emojis"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - stickerSet.Id = tmp.Id - stickerSet.Title = tmp.Title - stickerSet.Name = tmp.Name - stickerSet.Thumbnail = tmp.Thumbnail - stickerSet.ThumbnailOutline = tmp.ThumbnailOutline - stickerSet.IsInstalled = tmp.IsInstalled - stickerSet.IsArchived = tmp.IsArchived - stickerSet.IsOfficial = tmp.IsOfficial - stickerSet.IsViewed = tmp.IsViewed - stickerSet.Stickers = tmp.Stickers - stickerSet.Emojis = tmp.Emojis - - fieldStickerFormat, _ := UnmarshalStickerFormat(tmp.StickerFormat) - stickerSet.StickerFormat = fieldStickerFormat - - fieldStickerType, _ := UnmarshalStickerType(tmp.StickerType) - stickerSet.StickerType = fieldStickerType - - return nil -} - -// Represents short information about a sticker set -type StickerSetInfo struct { - meta - // Identifier of the sticker set - Id JsonInt64 `json:"id"` - // Title of the sticker set - Title string `json:"title"` - // Name of the sticker set - Name string `json:"name"` - // Sticker set thumbnail in WEBP, TGS, or WEBM format with width and height 100; may be null - Thumbnail *Thumbnail `json:"thumbnail"` - // Sticker set thumbnail's outline represented as a list of closed vector paths; may be empty. The coordinate system origin is in the upper-left corner - ThumbnailOutline []*ClosedVectorPath `json:"thumbnail_outline"` - // True, if the sticker set has been installed by the current user - IsInstalled bool `json:"is_installed"` - // True, if the sticker set has been archived. A sticker set can't be installed and archived simultaneously - IsArchived bool `json:"is_archived"` - // True, if the sticker set is official - IsOfficial bool `json:"is_official"` - // Format of the stickers in the set - StickerFormat StickerFormat `json:"sticker_format"` - // Type of the stickers in the set - StickerType StickerType `json:"sticker_type"` - // True for already viewed trending sticker sets - IsViewed bool `json:"is_viewed"` - // Total number of stickers in the set - Size int32 `json:"size"` - // Up to the first 5 stickers from the set, depending on the context. If the application needs more stickers the full sticker set needs to be requested - Covers []*Sticker `json:"covers"` -} - -func (entity *StickerSetInfo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub StickerSetInfo - - return json.Marshal((*stub)(entity)) -} - -func (*StickerSetInfo) GetClass() string { - return ClassStickerSetInfo -} - -func (*StickerSetInfo) GetType() string { - return TypeStickerSetInfo -} - -func (stickerSetInfo *StickerSetInfo) UnmarshalJSON(data []byte) error { - var tmp struct { - Id JsonInt64 `json:"id"` - Title string `json:"title"` - Name string `json:"name"` - Thumbnail *Thumbnail `json:"thumbnail"` - ThumbnailOutline []*ClosedVectorPath `json:"thumbnail_outline"` - IsInstalled bool `json:"is_installed"` - IsArchived bool `json:"is_archived"` - IsOfficial bool `json:"is_official"` - StickerFormat json.RawMessage `json:"sticker_format"` - StickerType json.RawMessage `json:"sticker_type"` - IsViewed bool `json:"is_viewed"` - Size int32 `json:"size"` - Covers []*Sticker `json:"covers"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - stickerSetInfo.Id = tmp.Id - stickerSetInfo.Title = tmp.Title - stickerSetInfo.Name = tmp.Name - stickerSetInfo.Thumbnail = tmp.Thumbnail - stickerSetInfo.ThumbnailOutline = tmp.ThumbnailOutline - stickerSetInfo.IsInstalled = tmp.IsInstalled - stickerSetInfo.IsArchived = tmp.IsArchived - stickerSetInfo.IsOfficial = tmp.IsOfficial - stickerSetInfo.IsViewed = tmp.IsViewed - stickerSetInfo.Size = tmp.Size - stickerSetInfo.Covers = tmp.Covers - - fieldStickerFormat, _ := UnmarshalStickerFormat(tmp.StickerFormat) - stickerSetInfo.StickerFormat = fieldStickerFormat - - fieldStickerType, _ := UnmarshalStickerType(tmp.StickerType) - stickerSetInfo.StickerType = fieldStickerType - - return nil -} - -// Represents a list of sticker sets -type StickerSets struct { - meta - // Approximate total number of sticker sets found - TotalCount int32 `json:"total_count"` - // List of sticker sets - Sets []*StickerSetInfo `json:"sets"` -} - -func (entity *StickerSets) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub StickerSets - - return json.Marshal((*stub)(entity)) -} - -func (*StickerSets) GetClass() string { - return ClassStickerSets -} - -func (*StickerSets) GetType() string { - return TypeStickerSets -} - -// Represents a list of trending sticker sets -type TrendingStickerSets struct { - meta - // Approximate total number of trending sticker sets - TotalCount int32 `json:"total_count"` - // List of trending sticker sets - Sets []*StickerSetInfo `json:"sets"` - // True, if the list contains sticker sets with premium stickers - IsPremium bool `json:"is_premium"` -} - -func (entity *TrendingStickerSets) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub TrendingStickerSets - - return json.Marshal((*stub)(entity)) -} - -func (*TrendingStickerSets) GetClass() string { - return ClassTrendingStickerSets -} - -func (*TrendingStickerSets) GetType() string { - return TypeTrendingStickerSets -} - -// Contains a list of similar emoji to search for in getStickers and searchStickers -type EmojiCategory struct { - meta - // Name of the category - Name string `json:"name"` - // Custom emoji sticker, which represents icon of the category - Icon *Sticker `json:"icon"` - // List of emojis in the category - Emojis []string `json:"emojis"` -} - -func (entity *EmojiCategory) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub EmojiCategory - - return json.Marshal((*stub)(entity)) -} - -func (*EmojiCategory) GetClass() string { - return ClassEmojiCategory -} - -func (*EmojiCategory) GetType() string { - return TypeEmojiCategory -} - -// Represents a list of emoji categories -type EmojiCategories struct { - meta - // List of categories - Categories []*EmojiCategory `json:"categories"` -} - -func (entity *EmojiCategories) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub EmojiCategories - - return json.Marshal((*stub)(entity)) -} - -func (*EmojiCategories) GetClass() string { - return ClassEmojiCategories -} - -func (*EmojiCategories) GetType() string { - return TypeEmojiCategories -} - -// The category must be used by default -type EmojiCategoryTypeDefault struct { - meta -} - -func (entity *EmojiCategoryTypeDefault) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub EmojiCategoryTypeDefault - - return json.Marshal((*stub)(entity)) -} - -func (*EmojiCategoryTypeDefault) GetClass() string { - return ClassEmojiCategoryType -} - -func (*EmojiCategoryTypeDefault) GetType() string { - return TypeEmojiCategoryTypeDefault -} - -func (*EmojiCategoryTypeDefault) EmojiCategoryTypeType() string { - return TypeEmojiCategoryTypeDefault -} - -// The category must be used for emoji status selection -type EmojiCategoryTypeEmojiStatus struct { - meta -} - -func (entity *EmojiCategoryTypeEmojiStatus) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub EmojiCategoryTypeEmojiStatus - - return json.Marshal((*stub)(entity)) -} - -func (*EmojiCategoryTypeEmojiStatus) GetClass() string { - return ClassEmojiCategoryType -} - -func (*EmojiCategoryTypeEmojiStatus) GetType() string { - return TypeEmojiCategoryTypeEmojiStatus -} - -func (*EmojiCategoryTypeEmojiStatus) EmojiCategoryTypeType() string { - return TypeEmojiCategoryTypeEmojiStatus -} - -// The category must be used for chat photo emoji selection -type EmojiCategoryTypeChatPhoto struct { - meta -} - -func (entity *EmojiCategoryTypeChatPhoto) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub EmojiCategoryTypeChatPhoto - - return json.Marshal((*stub)(entity)) -} - -func (*EmojiCategoryTypeChatPhoto) GetClass() string { - return ClassEmojiCategoryType -} - -func (*EmojiCategoryTypeChatPhoto) GetType() string { - return TypeEmojiCategoryTypeChatPhoto -} - -func (*EmojiCategoryTypeChatPhoto) EmojiCategoryTypeType() string { - return TypeEmojiCategoryTypeChatPhoto -} - -// The call wasn't discarded, or the reason is unknown -type CallDiscardReasonEmpty struct { - meta -} - -func (entity *CallDiscardReasonEmpty) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub CallDiscardReasonEmpty - - return json.Marshal((*stub)(entity)) -} - -func (*CallDiscardReasonEmpty) GetClass() string { - return ClassCallDiscardReason -} - -func (*CallDiscardReasonEmpty) GetType() string { - return TypeCallDiscardReasonEmpty -} - -func (*CallDiscardReasonEmpty) CallDiscardReasonType() string { - return TypeCallDiscardReasonEmpty -} - -// The call was ended before the conversation started. It was canceled by the caller or missed by the other party -type CallDiscardReasonMissed struct { - meta -} - -func (entity *CallDiscardReasonMissed) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub CallDiscardReasonMissed - - return json.Marshal((*stub)(entity)) -} - -func (*CallDiscardReasonMissed) GetClass() string { - return ClassCallDiscardReason -} - -func (*CallDiscardReasonMissed) GetType() string { - return TypeCallDiscardReasonMissed -} - -func (*CallDiscardReasonMissed) CallDiscardReasonType() string { - return TypeCallDiscardReasonMissed -} - -// The call was ended before the conversation started. It was declined by the other party -type CallDiscardReasonDeclined struct { - meta -} - -func (entity *CallDiscardReasonDeclined) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub CallDiscardReasonDeclined - - return json.Marshal((*stub)(entity)) -} - -func (*CallDiscardReasonDeclined) GetClass() string { - return ClassCallDiscardReason -} - -func (*CallDiscardReasonDeclined) GetType() string { - return TypeCallDiscardReasonDeclined -} - -func (*CallDiscardReasonDeclined) CallDiscardReasonType() string { - return TypeCallDiscardReasonDeclined -} - -// The call was ended during the conversation because the users were disconnected -type CallDiscardReasonDisconnected struct { - meta -} - -func (entity *CallDiscardReasonDisconnected) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub CallDiscardReasonDisconnected - - return json.Marshal((*stub)(entity)) -} - -func (*CallDiscardReasonDisconnected) GetClass() string { - return ClassCallDiscardReason -} - -func (*CallDiscardReasonDisconnected) GetType() string { - return TypeCallDiscardReasonDisconnected -} - -func (*CallDiscardReasonDisconnected) CallDiscardReasonType() string { - return TypeCallDiscardReasonDisconnected -} - -// The call was ended because one of the parties hung up -type CallDiscardReasonHungUp struct { - meta -} - -func (entity *CallDiscardReasonHungUp) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub CallDiscardReasonHungUp - - return json.Marshal((*stub)(entity)) -} - -func (*CallDiscardReasonHungUp) GetClass() string { - return ClassCallDiscardReason -} - -func (*CallDiscardReasonHungUp) GetType() string { - return TypeCallDiscardReasonHungUp -} - -func (*CallDiscardReasonHungUp) CallDiscardReasonType() string { - return TypeCallDiscardReasonHungUp -} - -// Specifies the supported call protocols -type CallProtocol struct { - meta - // True, if UDP peer-to-peer connections are supported - UdpP2p bool `json:"udp_p2p"` - // True, if connection through UDP reflectors is supported - UdpReflector bool `json:"udp_reflector"` - // The minimum supported API layer; use 65 - MinLayer int32 `json:"min_layer"` - // The maximum supported API layer; use 65 - MaxLayer int32 `json:"max_layer"` - // List of supported tgcalls versions - LibraryVersions []string `json:"library_versions"` -} - -func (entity *CallProtocol) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub CallProtocol - - return json.Marshal((*stub)(entity)) -} - -func (*CallProtocol) GetClass() string { - return ClassCallProtocol -} - -func (*CallProtocol) GetType() string { - return TypeCallProtocol -} - -// A Telegram call reflector -type CallServerTypeTelegramReflector struct { - meta - // A peer tag to be used with the reflector - PeerTag []byte `json:"peer_tag"` - // True, if the server uses TCP instead of UDP - IsTcp bool `json:"is_tcp"` -} - -func (entity *CallServerTypeTelegramReflector) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub CallServerTypeTelegramReflector - - return json.Marshal((*stub)(entity)) -} - -func (*CallServerTypeTelegramReflector) GetClass() string { - return ClassCallServerType -} - -func (*CallServerTypeTelegramReflector) GetType() string { - return TypeCallServerTypeTelegramReflector -} - -func (*CallServerTypeTelegramReflector) CallServerTypeType() string { - return TypeCallServerTypeTelegramReflector -} - -// A WebRTC server -type CallServerTypeWebrtc struct { - meta - // Username to be used for authentication - Username string `json:"username"` - // Authentication password - Password string `json:"password"` - // True, if the server supports TURN - SupportsTurn bool `json:"supports_turn"` - // True, if the server supports STUN - SupportsStun bool `json:"supports_stun"` -} - -func (entity *CallServerTypeWebrtc) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub CallServerTypeWebrtc - - return json.Marshal((*stub)(entity)) -} - -func (*CallServerTypeWebrtc) GetClass() string { - return ClassCallServerType -} - -func (*CallServerTypeWebrtc) GetType() string { - return TypeCallServerTypeWebrtc -} - -func (*CallServerTypeWebrtc) CallServerTypeType() string { - return TypeCallServerTypeWebrtc -} - -// Describes a server for relaying call data -type CallServer struct { - meta - // Server identifier - Id JsonInt64 `json:"id"` - // Server IPv4 address - IpAddress string `json:"ip_address"` - // Server IPv6 address - Ipv6Address string `json:"ipv6_address"` - // Server port number - Port int32 `json:"port"` - // Server type - Type CallServerType `json:"type"` -} - -func (entity *CallServer) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub CallServer - - return json.Marshal((*stub)(entity)) -} - -func (*CallServer) GetClass() string { - return ClassCallServer -} - -func (*CallServer) GetType() string { - return TypeCallServer -} - -func (callServer *CallServer) UnmarshalJSON(data []byte) error { - var tmp struct { - Id JsonInt64 `json:"id"` - IpAddress string `json:"ip_address"` - Ipv6Address string `json:"ipv6_address"` - Port int32 `json:"port"` - Type json.RawMessage `json:"type"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - callServer.Id = tmp.Id - callServer.IpAddress = tmp.IpAddress - callServer.Ipv6Address = tmp.Ipv6Address - callServer.Port = tmp.Port - - fieldType, _ := UnmarshalCallServerType(tmp.Type) - callServer.Type = fieldType - - return nil -} - -// Contains the call identifier -type CallId struct { - meta - // Call identifier - Id int32 `json:"id"` -} - -func (entity *CallId) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub CallId - - return json.Marshal((*stub)(entity)) -} - -func (*CallId) GetClass() string { - return ClassCallId -} - -func (*CallId) GetType() string { - return TypeCallId -} - -// Contains the group call identifier -type GroupCallId struct { - meta - // Group call identifier - Id int32 `json:"id"` -} - -func (entity *GroupCallId) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub GroupCallId - - return json.Marshal((*stub)(entity)) -} - -func (*GroupCallId) GetClass() string { - return ClassGroupCallId -} - -func (*GroupCallId) GetType() string { - return TypeGroupCallId -} - -// The call is pending, waiting to be accepted by a user -type CallStatePending struct { - meta - // True, if the call has already been created by the server - IsCreated bool `json:"is_created"` - // True, if the call has already been received by the other party - IsReceived bool `json:"is_received"` -} - -func (entity *CallStatePending) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub CallStatePending - - return json.Marshal((*stub)(entity)) -} - -func (*CallStatePending) GetClass() string { - return ClassCallState -} - -func (*CallStatePending) GetType() string { - return TypeCallStatePending -} - -func (*CallStatePending) CallStateType() string { - return TypeCallStatePending -} - -// The call has been answered and encryption keys are being exchanged -type CallStateExchangingKeys struct { - meta -} - -func (entity *CallStateExchangingKeys) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub CallStateExchangingKeys - - return json.Marshal((*stub)(entity)) -} - -func (*CallStateExchangingKeys) GetClass() string { - return ClassCallState -} - -func (*CallStateExchangingKeys) GetType() string { - return TypeCallStateExchangingKeys -} - -func (*CallStateExchangingKeys) CallStateType() string { - return TypeCallStateExchangingKeys -} - -// The call is ready to use -type CallStateReady struct { - meta - // Call protocols supported by the peer - Protocol *CallProtocol `json:"protocol"` - // List of available call servers - Servers []*CallServer `json:"servers"` - // A JSON-encoded call config - Config string `json:"config"` - // Call encryption key - EncryptionKey []byte `json:"encryption_key"` - // Encryption key emojis fingerprint - Emojis []string `json:"emojis"` - // True, if peer-to-peer connection is allowed by users privacy settings - AllowP2p bool `json:"allow_p2p"` -} - -func (entity *CallStateReady) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub CallStateReady - - return json.Marshal((*stub)(entity)) -} - -func (*CallStateReady) GetClass() string { - return ClassCallState -} - -func (*CallStateReady) GetType() string { - return TypeCallStateReady -} - -func (*CallStateReady) CallStateType() string { - return TypeCallStateReady -} - -// The call is hanging up after discardCall has been called -type CallStateHangingUp struct { - meta -} - -func (entity *CallStateHangingUp) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub CallStateHangingUp - - return json.Marshal((*stub)(entity)) -} - -func (*CallStateHangingUp) GetClass() string { - return ClassCallState -} - -func (*CallStateHangingUp) GetType() string { - return TypeCallStateHangingUp -} - -func (*CallStateHangingUp) CallStateType() string { - return TypeCallStateHangingUp -} - -// The call has ended successfully -type CallStateDiscarded struct { - meta - // The reason, why the call has ended - Reason CallDiscardReason `json:"reason"` - // True, if the call rating must be sent to the server - NeedRating bool `json:"need_rating"` - // True, if the call debug information must be sent to the server - NeedDebugInformation bool `json:"need_debug_information"` - // True, if the call log must be sent to the server - NeedLog bool `json:"need_log"` -} - -func (entity *CallStateDiscarded) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub CallStateDiscarded - - return json.Marshal((*stub)(entity)) -} - -func (*CallStateDiscarded) GetClass() string { - return ClassCallState -} - -func (*CallStateDiscarded) GetType() string { - return TypeCallStateDiscarded -} - -func (*CallStateDiscarded) CallStateType() string { - return TypeCallStateDiscarded -} - -func (callStateDiscarded *CallStateDiscarded) UnmarshalJSON(data []byte) error { - var tmp struct { - Reason json.RawMessage `json:"reason"` - NeedRating bool `json:"need_rating"` - NeedDebugInformation bool `json:"need_debug_information"` - NeedLog bool `json:"need_log"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - callStateDiscarded.NeedRating = tmp.NeedRating - callStateDiscarded.NeedDebugInformation = tmp.NeedDebugInformation - callStateDiscarded.NeedLog = tmp.NeedLog - - fieldReason, _ := UnmarshalCallDiscardReason(tmp.Reason) - callStateDiscarded.Reason = fieldReason - - return nil -} - -// The call has ended with an error -type CallStateError struct { - meta - // Error. An error with the code 4005000 will be returned if an outgoing call is missed because of an expired timeout - Error *Error `json:"error"` -} - -func (entity *CallStateError) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub CallStateError - - return json.Marshal((*stub)(entity)) -} - -func (*CallStateError) GetClass() string { - return ClassCallState -} - -func (*CallStateError) GetType() string { - return TypeCallStateError -} - -func (*CallStateError) CallStateType() string { - return TypeCallStateError -} - -// The worst available video quality -type GroupCallVideoQualityThumbnail struct { - meta -} - -func (entity *GroupCallVideoQualityThumbnail) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub GroupCallVideoQualityThumbnail - - return json.Marshal((*stub)(entity)) -} - -func (*GroupCallVideoQualityThumbnail) GetClass() string { - return ClassGroupCallVideoQuality -} - -func (*GroupCallVideoQualityThumbnail) GetType() string { - return TypeGroupCallVideoQualityThumbnail -} - -func (*GroupCallVideoQualityThumbnail) GroupCallVideoQualityType() string { - return TypeGroupCallVideoQualityThumbnail -} - -// The medium video quality -type GroupCallVideoQualityMedium struct { - meta -} - -func (entity *GroupCallVideoQualityMedium) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub GroupCallVideoQualityMedium - - return json.Marshal((*stub)(entity)) -} - -func (*GroupCallVideoQualityMedium) GetClass() string { - return ClassGroupCallVideoQuality -} - -func (*GroupCallVideoQualityMedium) GetType() string { - return TypeGroupCallVideoQualityMedium -} - -func (*GroupCallVideoQualityMedium) GroupCallVideoQualityType() string { - return TypeGroupCallVideoQualityMedium -} - -// The best available video quality -type GroupCallVideoQualityFull struct { - meta -} - -func (entity *GroupCallVideoQualityFull) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub GroupCallVideoQualityFull - - return json.Marshal((*stub)(entity)) -} - -func (*GroupCallVideoQualityFull) GetClass() string { - return ClassGroupCallVideoQuality -} - -func (*GroupCallVideoQualityFull) GetType() string { - return TypeGroupCallVideoQualityFull -} - -func (*GroupCallVideoQualityFull) GroupCallVideoQualityType() string { - return TypeGroupCallVideoQualityFull -} - -// Describes an available stream in a group call -type GroupCallStream struct { - meta - // Identifier of an audio/video channel - ChannelId int32 `json:"channel_id"` - // Scale of segment durations in the stream. The duration is 1000/(2**scale) milliseconds - Scale int32 `json:"scale"` - // Point in time when the stream currently ends; Unix timestamp in milliseconds - TimeOffset int64 `json:"time_offset"` -} - -func (entity *GroupCallStream) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub GroupCallStream - - return json.Marshal((*stub)(entity)) -} - -func (*GroupCallStream) GetClass() string { - return ClassGroupCallStream -} - -func (*GroupCallStream) GetType() string { - return TypeGroupCallStream -} - -// Represents a list of group call streams -type GroupCallStreams struct { - meta - // A list of group call streams - Streams []*GroupCallStream `json:"streams"` -} - -func (entity *GroupCallStreams) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub GroupCallStreams - - return json.Marshal((*stub)(entity)) -} - -func (*GroupCallStreams) GetClass() string { - return ClassGroupCallStreams -} - -func (*GroupCallStreams) GetType() string { - return TypeGroupCallStreams -} - -// Represents an RTMP URL -type RtmpUrl struct { - meta - // The URL - Url string `json:"url"` - // Stream key - StreamKey string `json:"stream_key"` -} - -func (entity *RtmpUrl) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub RtmpUrl - - return json.Marshal((*stub)(entity)) -} - -func (*RtmpUrl) GetClass() string { - return ClassRtmpUrl -} - -func (*RtmpUrl) GetType() string { - return TypeRtmpUrl -} - -// Describes a recently speaking participant in a group call -type GroupCallRecentSpeaker struct { - meta - // Group call participant identifier - ParticipantId MessageSender `json:"participant_id"` - // True, is the user has spoken recently - IsSpeaking bool `json:"is_speaking"` -} - -func (entity *GroupCallRecentSpeaker) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub GroupCallRecentSpeaker - - return json.Marshal((*stub)(entity)) -} - -func (*GroupCallRecentSpeaker) GetClass() string { - return ClassGroupCallRecentSpeaker -} - -func (*GroupCallRecentSpeaker) GetType() string { - return TypeGroupCallRecentSpeaker -} - -func (groupCallRecentSpeaker *GroupCallRecentSpeaker) UnmarshalJSON(data []byte) error { - var tmp struct { - ParticipantId json.RawMessage `json:"participant_id"` - IsSpeaking bool `json:"is_speaking"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - groupCallRecentSpeaker.IsSpeaking = tmp.IsSpeaking - - fieldParticipantId, _ := UnmarshalMessageSender(tmp.ParticipantId) - groupCallRecentSpeaker.ParticipantId = fieldParticipantId - - return nil -} - -// Describes a group call -type GroupCall struct { - meta - // Group call identifier - Id int32 `json:"id"` - // Group call title - Title string `json:"title"` - // Point in time (Unix timestamp) when the group call is supposed to be started by an administrator; 0 if it is already active or was ended - ScheduledStartDate int32 `json:"scheduled_start_date"` - // True, if the group call is scheduled and the current user will receive a notification when the group call will start - EnabledStartNotification bool `json:"enabled_start_notification"` - // True, if the call is active - IsActive bool `json:"is_active"` - // True, if the chat is an RTMP stream instead of an ordinary video chat - IsRtmpStream bool `json:"is_rtmp_stream"` - // True, if the call is joined - IsJoined bool `json:"is_joined"` - // True, if user was kicked from the call because of network loss and the call needs to be rejoined - NeedRejoin bool `json:"need_rejoin"` - // True, if the current user can manage the group call - CanBeManaged bool `json:"can_be_managed"` - // Number of participants in the group call - ParticipantCount int32 `json:"participant_count"` - // True, if group call participants, which are muted, aren't returned in participant list - HasHiddenListeners bool `json:"has_hidden_listeners"` - // True, if all group call participants are loaded - LoadedAllParticipants bool `json:"loaded_all_participants"` - // At most 3 recently speaking users in the group call - RecentSpeakers []*GroupCallRecentSpeaker `json:"recent_speakers"` - // True, if the current user's video is enabled - IsMyVideoEnabled bool `json:"is_my_video_enabled"` - // True, if the current user's video is paused - IsMyVideoPaused bool `json:"is_my_video_paused"` - // True, if the current user can broadcast video or share screen - CanEnableVideo bool `json:"can_enable_video"` - // True, if only group call administrators can unmute new participants - MuteNewParticipants bool `json:"mute_new_participants"` - // True, if the current user can enable or disable mute_new_participants setting - CanToggleMuteNewParticipants bool `json:"can_toggle_mute_new_participants"` - // Duration of the ongoing group call recording, in seconds; 0 if none. An updateGroupCall update is not triggered when value of this field changes, but the same recording goes on - RecordDuration int32 `json:"record_duration"` - // True, if a video file is being recorded for the call - IsVideoRecorded bool `json:"is_video_recorded"` - // Call duration, in seconds; for ended calls only - Duration int32 `json:"duration"` -} - -func (entity *GroupCall) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub GroupCall - - return json.Marshal((*stub)(entity)) -} - -func (*GroupCall) GetClass() string { - return ClassGroupCall -} - -func (*GroupCall) GetType() string { - return TypeGroupCall -} - -// Describes a group of video synchronization source identifiers -type GroupCallVideoSourceGroup struct { - meta - // The semantics of sources, one of "SIM" or "FID" - Semantics string `json:"semantics"` - // The list of synchronization source identifiers - SourceIds []int32 `json:"source_ids"` -} - -func (entity *GroupCallVideoSourceGroup) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub GroupCallVideoSourceGroup - - return json.Marshal((*stub)(entity)) -} - -func (*GroupCallVideoSourceGroup) GetClass() string { - return ClassGroupCallVideoSourceGroup -} - -func (*GroupCallVideoSourceGroup) GetType() string { - return TypeGroupCallVideoSourceGroup -} - -// Contains information about a group call participant's video channel -type GroupCallParticipantVideoInfo struct { - meta - // List of synchronization source groups of the video - SourceGroups []*GroupCallVideoSourceGroup `json:"source_groups"` - // Video channel endpoint identifier - EndpointId string `json:"endpoint_id"` - // True, if the video is paused. This flag needs to be ignored, if new video frames are received - IsPaused bool `json:"is_paused"` -} - -func (entity *GroupCallParticipantVideoInfo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub GroupCallParticipantVideoInfo - - return json.Marshal((*stub)(entity)) -} - -func (*GroupCallParticipantVideoInfo) GetClass() string { - return ClassGroupCallParticipantVideoInfo -} - -func (*GroupCallParticipantVideoInfo) GetType() string { - return TypeGroupCallParticipantVideoInfo -} - -// Represents a group call participant -type GroupCallParticipant struct { - meta - // Identifier of the group call participant - ParticipantId MessageSender `json:"participant_id"` - // User's audio channel synchronization source identifier - AudioSourceId int32 `json:"audio_source_id"` - // User's screen sharing audio channel synchronization source identifier - ScreenSharingAudioSourceId int32 `json:"screen_sharing_audio_source_id"` - // Information about user's video channel; may be null if there is no active video - VideoInfo *GroupCallParticipantVideoInfo `json:"video_info"` - // Information about user's screen sharing video channel; may be null if there is no active screen sharing video - ScreenSharingVideoInfo *GroupCallParticipantVideoInfo `json:"screen_sharing_video_info"` - // The participant user's bio or the participant chat's description - Bio string `json:"bio"` - // True, if the participant is the current user - IsCurrentUser bool `json:"is_current_user"` - // True, if the participant is speaking as set by setGroupCallParticipantIsSpeaking - IsSpeaking bool `json:"is_speaking"` - // True, if the participant hand is raised - IsHandRaised bool `json:"is_hand_raised"` - // True, if the current user can mute the participant for all other group call participants - CanBeMutedForAllUsers bool `json:"can_be_muted_for_all_users"` - // True, if the current user can allow the participant to unmute themselves or unmute the participant (if the participant is the current user) - CanBeUnmutedForAllUsers bool `json:"can_be_unmuted_for_all_users"` - // True, if the current user can mute the participant only for self - CanBeMutedForCurrentUser bool `json:"can_be_muted_for_current_user"` - // True, if the current user can unmute the participant for self - CanBeUnmutedForCurrentUser bool `json:"can_be_unmuted_for_current_user"` - // True, if the participant is muted for all users - IsMutedForAllUsers bool `json:"is_muted_for_all_users"` - // True, if the participant is muted for the current user - IsMutedForCurrentUser bool `json:"is_muted_for_current_user"` - // True, if the participant is muted for all users, but can unmute themselves - CanUnmuteSelf bool `json:"can_unmute_self"` - // Participant's volume level; 1-20000 in hundreds of percents - VolumeLevel int32 `json:"volume_level"` - // User's order in the group call participant list. Orders must be compared lexicographically. The bigger is order, the higher is user in the list. If order is empty, the user must be removed from the participant list - Order string `json:"order"` -} - -func (entity *GroupCallParticipant) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub GroupCallParticipant - - return json.Marshal((*stub)(entity)) -} - -func (*GroupCallParticipant) GetClass() string { - return ClassGroupCallParticipant -} - -func (*GroupCallParticipant) GetType() string { - return TypeGroupCallParticipant -} - -func (groupCallParticipant *GroupCallParticipant) UnmarshalJSON(data []byte) error { - var tmp struct { - ParticipantId json.RawMessage `json:"participant_id"` - AudioSourceId int32 `json:"audio_source_id"` - ScreenSharingAudioSourceId int32 `json:"screen_sharing_audio_source_id"` - VideoInfo *GroupCallParticipantVideoInfo `json:"video_info"` - ScreenSharingVideoInfo *GroupCallParticipantVideoInfo `json:"screen_sharing_video_info"` - Bio string `json:"bio"` - IsCurrentUser bool `json:"is_current_user"` - IsSpeaking bool `json:"is_speaking"` - IsHandRaised bool `json:"is_hand_raised"` - CanBeMutedForAllUsers bool `json:"can_be_muted_for_all_users"` - CanBeUnmutedForAllUsers bool `json:"can_be_unmuted_for_all_users"` - CanBeMutedForCurrentUser bool `json:"can_be_muted_for_current_user"` - CanBeUnmutedForCurrentUser bool `json:"can_be_unmuted_for_current_user"` - IsMutedForAllUsers bool `json:"is_muted_for_all_users"` - IsMutedForCurrentUser bool `json:"is_muted_for_current_user"` - CanUnmuteSelf bool `json:"can_unmute_self"` - VolumeLevel int32 `json:"volume_level"` - Order string `json:"order"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - groupCallParticipant.AudioSourceId = tmp.AudioSourceId - groupCallParticipant.ScreenSharingAudioSourceId = tmp.ScreenSharingAudioSourceId - groupCallParticipant.VideoInfo = tmp.VideoInfo - groupCallParticipant.ScreenSharingVideoInfo = tmp.ScreenSharingVideoInfo - groupCallParticipant.Bio = tmp.Bio - groupCallParticipant.IsCurrentUser = tmp.IsCurrentUser - groupCallParticipant.IsSpeaking = tmp.IsSpeaking - groupCallParticipant.IsHandRaised = tmp.IsHandRaised - groupCallParticipant.CanBeMutedForAllUsers = tmp.CanBeMutedForAllUsers - groupCallParticipant.CanBeUnmutedForAllUsers = tmp.CanBeUnmutedForAllUsers - groupCallParticipant.CanBeMutedForCurrentUser = tmp.CanBeMutedForCurrentUser - groupCallParticipant.CanBeUnmutedForCurrentUser = tmp.CanBeUnmutedForCurrentUser - groupCallParticipant.IsMutedForAllUsers = tmp.IsMutedForAllUsers - groupCallParticipant.IsMutedForCurrentUser = tmp.IsMutedForCurrentUser - groupCallParticipant.CanUnmuteSelf = tmp.CanUnmuteSelf - groupCallParticipant.VolumeLevel = tmp.VolumeLevel - groupCallParticipant.Order = tmp.Order - - fieldParticipantId, _ := UnmarshalMessageSender(tmp.ParticipantId) - groupCallParticipant.ParticipantId = fieldParticipantId - - return nil -} - -// The user heard their own voice -type CallProblemEcho struct { - meta -} - -func (entity *CallProblemEcho) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub CallProblemEcho - - return json.Marshal((*stub)(entity)) -} - -func (*CallProblemEcho) GetClass() string { - return ClassCallProblem -} - -func (*CallProblemEcho) GetType() string { - return TypeCallProblemEcho -} - -func (*CallProblemEcho) CallProblemType() string { - return TypeCallProblemEcho -} - -// The user heard background noise -type CallProblemNoise struct { - meta -} - -func (entity *CallProblemNoise) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub CallProblemNoise - - return json.Marshal((*stub)(entity)) -} - -func (*CallProblemNoise) GetClass() string { - return ClassCallProblem -} - -func (*CallProblemNoise) GetType() string { - return TypeCallProblemNoise -} - -func (*CallProblemNoise) CallProblemType() string { - return TypeCallProblemNoise -} - -// The other side kept disappearing -type CallProblemInterruptions struct { - meta -} - -func (entity *CallProblemInterruptions) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub CallProblemInterruptions - - return json.Marshal((*stub)(entity)) -} - -func (*CallProblemInterruptions) GetClass() string { - return ClassCallProblem -} - -func (*CallProblemInterruptions) GetType() string { - return TypeCallProblemInterruptions -} - -func (*CallProblemInterruptions) CallProblemType() string { - return TypeCallProblemInterruptions -} - -// The speech was distorted -type CallProblemDistortedSpeech struct { - meta -} - -func (entity *CallProblemDistortedSpeech) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub CallProblemDistortedSpeech - - return json.Marshal((*stub)(entity)) -} - -func (*CallProblemDistortedSpeech) GetClass() string { - return ClassCallProblem -} - -func (*CallProblemDistortedSpeech) GetType() string { - return TypeCallProblemDistortedSpeech -} - -func (*CallProblemDistortedSpeech) CallProblemType() string { - return TypeCallProblemDistortedSpeech -} - -// The user couldn't hear the other side -type CallProblemSilentLocal struct { - meta -} - -func (entity *CallProblemSilentLocal) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub CallProblemSilentLocal - - return json.Marshal((*stub)(entity)) -} - -func (*CallProblemSilentLocal) GetClass() string { - return ClassCallProblem -} - -func (*CallProblemSilentLocal) GetType() string { - return TypeCallProblemSilentLocal -} - -func (*CallProblemSilentLocal) CallProblemType() string { - return TypeCallProblemSilentLocal -} - -// The other side couldn't hear the user -type CallProblemSilentRemote struct { - meta -} - -func (entity *CallProblemSilentRemote) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub CallProblemSilentRemote - - return json.Marshal((*stub)(entity)) -} - -func (*CallProblemSilentRemote) GetClass() string { - return ClassCallProblem -} - -func (*CallProblemSilentRemote) GetType() string { - return TypeCallProblemSilentRemote -} - -func (*CallProblemSilentRemote) CallProblemType() string { - return TypeCallProblemSilentRemote -} - -// The call ended unexpectedly -type CallProblemDropped struct { - meta -} - -func (entity *CallProblemDropped) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub CallProblemDropped - - return json.Marshal((*stub)(entity)) -} - -func (*CallProblemDropped) GetClass() string { - return ClassCallProblem -} - -func (*CallProblemDropped) GetType() string { - return TypeCallProblemDropped -} - -func (*CallProblemDropped) CallProblemType() string { - return TypeCallProblemDropped -} - -// The video was distorted -type CallProblemDistortedVideo struct { - meta -} - -func (entity *CallProblemDistortedVideo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub CallProblemDistortedVideo - - return json.Marshal((*stub)(entity)) -} - -func (*CallProblemDistortedVideo) GetClass() string { - return ClassCallProblem -} - -func (*CallProblemDistortedVideo) GetType() string { - return TypeCallProblemDistortedVideo -} - -func (*CallProblemDistortedVideo) CallProblemType() string { - return TypeCallProblemDistortedVideo -} - -// The video was pixelated -type CallProblemPixelatedVideo struct { - meta -} - -func (entity *CallProblemPixelatedVideo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub CallProblemPixelatedVideo - - return json.Marshal((*stub)(entity)) -} - -func (*CallProblemPixelatedVideo) GetClass() string { - return ClassCallProblem -} - -func (*CallProblemPixelatedVideo) GetType() string { - return TypeCallProblemPixelatedVideo -} - -func (*CallProblemPixelatedVideo) CallProblemType() string { - return TypeCallProblemPixelatedVideo -} - -// Describes a call -type Call struct { - meta - // Call identifier, not persistent - Id int32 `json:"id"` - // Peer user identifier - UserId int64 `json:"user_id"` - // True, if the call is outgoing - IsOutgoing bool `json:"is_outgoing"` - // True, if the call is a video call - IsVideo bool `json:"is_video"` - // Call state - State CallState `json:"state"` -} - -func (entity *Call) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub Call - - return json.Marshal((*stub)(entity)) -} - -func (*Call) GetClass() string { - return ClassCall -} - -func (*Call) GetType() string { - return TypeCall -} - -func (call *Call) UnmarshalJSON(data []byte) error { - var tmp struct { - Id int32 `json:"id"` - UserId int64 `json:"user_id"` - IsOutgoing bool `json:"is_outgoing"` - IsVideo bool `json:"is_video"` - State json.RawMessage `json:"state"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - call.Id = tmp.Id - call.UserId = tmp.UserId - call.IsOutgoing = tmp.IsOutgoing - call.IsVideo = tmp.IsVideo - - fieldState, _ := UnmarshalCallState(tmp.State) - call.State = fieldState - - return nil -} - -// Settings for Firebase Authentication in the official Android application -type FirebaseAuthenticationSettingsAndroid struct { - meta -} - -func (entity *FirebaseAuthenticationSettingsAndroid) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub FirebaseAuthenticationSettingsAndroid - - return json.Marshal((*stub)(entity)) -} - -func (*FirebaseAuthenticationSettingsAndroid) GetClass() string { - return ClassFirebaseAuthenticationSettings -} - -func (*FirebaseAuthenticationSettingsAndroid) GetType() string { - return TypeFirebaseAuthenticationSettingsAndroid -} - -func (*FirebaseAuthenticationSettingsAndroid) FirebaseAuthenticationSettingsType() string { - return TypeFirebaseAuthenticationSettingsAndroid -} - -// Settings for Firebase Authentication in the official iOS application -type FirebaseAuthenticationSettingsIos struct { - meta - // Device token from Apple Push Notification service - DeviceToken string `json:"device_token"` - // True, if App Sandbox is enabled - IsAppSandbox bool `json:"is_app_sandbox"` -} - -func (entity *FirebaseAuthenticationSettingsIos) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub FirebaseAuthenticationSettingsIos - - return json.Marshal((*stub)(entity)) -} - -func (*FirebaseAuthenticationSettingsIos) GetClass() string { - return ClassFirebaseAuthenticationSettings -} - -func (*FirebaseAuthenticationSettingsIos) GetType() string { - return TypeFirebaseAuthenticationSettingsIos -} - -func (*FirebaseAuthenticationSettingsIos) FirebaseAuthenticationSettingsType() string { - return TypeFirebaseAuthenticationSettingsIos -} - -// Contains settings for the authentication of the user's phone number -type PhoneNumberAuthenticationSettings struct { - meta - // Pass true if the authentication code may be sent via a flash call to the specified phone number - AllowFlashCall bool `json:"allow_flash_call"` - // Pass true if the authentication code may be sent via a missed call to the specified phone number - AllowMissedCall bool `json:"allow_missed_call"` - // Pass true if the authenticated phone number is used on the current device - IsCurrentPhoneNumber bool `json:"is_current_phone_number"` - // For official applications only. True, if the application can use Android SMS Retriever API (requires Google Play Services >= 10.2) to automatically receive the authentication code from the SMS. See https://developers.google.com/identity/sms-retriever/ for more details - AllowSmsRetrieverApi bool `json:"allow_sms_retriever_api"` - // For official Android and iOS applications only; pass null otherwise. Settings for Firebase Authentication - FirebaseAuthenticationSettings FirebaseAuthenticationSettings `json:"firebase_authentication_settings"` - // List of up to 20 authentication tokens, recently received in updateOption("authentication_token") in previously logged out sessions - AuthenticationTokens []string `json:"authentication_tokens"` -} - -func (entity *PhoneNumberAuthenticationSettings) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PhoneNumberAuthenticationSettings - - return json.Marshal((*stub)(entity)) -} - -func (*PhoneNumberAuthenticationSettings) GetClass() string { - return ClassPhoneNumberAuthenticationSettings -} - -func (*PhoneNumberAuthenticationSettings) GetType() string { - return TypePhoneNumberAuthenticationSettings -} - -func (phoneNumberAuthenticationSettings *PhoneNumberAuthenticationSettings) UnmarshalJSON(data []byte) error { - var tmp struct { - AllowFlashCall bool `json:"allow_flash_call"` - AllowMissedCall bool `json:"allow_missed_call"` - IsCurrentPhoneNumber bool `json:"is_current_phone_number"` - AllowSmsRetrieverApi bool `json:"allow_sms_retriever_api"` - FirebaseAuthenticationSettings json.RawMessage `json:"firebase_authentication_settings"` - AuthenticationTokens []string `json:"authentication_tokens"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - phoneNumberAuthenticationSettings.AllowFlashCall = tmp.AllowFlashCall - phoneNumberAuthenticationSettings.AllowMissedCall = tmp.AllowMissedCall - phoneNumberAuthenticationSettings.IsCurrentPhoneNumber = tmp.IsCurrentPhoneNumber - phoneNumberAuthenticationSettings.AllowSmsRetrieverApi = tmp.AllowSmsRetrieverApi - phoneNumberAuthenticationSettings.AuthenticationTokens = tmp.AuthenticationTokens - - fieldFirebaseAuthenticationSettings, _ := UnmarshalFirebaseAuthenticationSettings(tmp.FirebaseAuthenticationSettings) - phoneNumberAuthenticationSettings.FirebaseAuthenticationSettings = fieldFirebaseAuthenticationSettings - - return nil -} - -// Represents a reaction applied to a message -type AddedReaction struct { - meta - // Type of the reaction - Type ReactionType `json:"type"` - // Identifier of the chat member, applied the reaction - SenderId MessageSender `json:"sender_id"` - // Point in time (Unix timestamp) when the reaction was added - Date int32 `json:"date"` -} - -func (entity *AddedReaction) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub AddedReaction - - return json.Marshal((*stub)(entity)) -} - -func (*AddedReaction) GetClass() string { - return ClassAddedReaction -} - -func (*AddedReaction) GetType() string { - return TypeAddedReaction -} - -func (addedReaction *AddedReaction) UnmarshalJSON(data []byte) error { - var tmp struct { - Type json.RawMessage `json:"type"` - SenderId json.RawMessage `json:"sender_id"` - Date int32 `json:"date"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - addedReaction.Date = tmp.Date - - fieldType, _ := UnmarshalReactionType(tmp.Type) - addedReaction.Type = fieldType - - fieldSenderId, _ := UnmarshalMessageSender(tmp.SenderId) - addedReaction.SenderId = fieldSenderId - - return nil -} - -// Represents a list of reactions added to a message -type AddedReactions struct { - meta - // The total number of found reactions - TotalCount int32 `json:"total_count"` - // The list of added reactions - Reactions []*AddedReaction `json:"reactions"` - // The offset for the next request. If empty, there are no more results - NextOffset string `json:"next_offset"` -} - -func (entity *AddedReactions) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub AddedReactions - - return json.Marshal((*stub)(entity)) -} - -func (*AddedReactions) GetClass() string { - return ClassAddedReactions -} - -func (*AddedReactions) GetType() string { - return TypeAddedReactions -} - -// Represents an available reaction -type AvailableReaction struct { - meta - // Type of the reaction - Type ReactionType `json:"type"` - // True, if Telegram Premium is needed to send the reaction - NeedsPremium bool `json:"needs_premium"` -} - -func (entity *AvailableReaction) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub AvailableReaction - - return json.Marshal((*stub)(entity)) -} - -func (*AvailableReaction) GetClass() string { - return ClassAvailableReaction -} - -func (*AvailableReaction) GetType() string { - return TypeAvailableReaction -} - -func (availableReaction *AvailableReaction) UnmarshalJSON(data []byte) error { - var tmp struct { - Type json.RawMessage `json:"type"` - NeedsPremium bool `json:"needs_premium"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - availableReaction.NeedsPremium = tmp.NeedsPremium - - fieldType, _ := UnmarshalReactionType(tmp.Type) - availableReaction.Type = fieldType - - return nil -} - -// Represents a list of reactions that can be added to a message -type AvailableReactions struct { - meta - // List of reactions to be shown at the top - TopReactions []*AvailableReaction `json:"top_reactions"` - // List of recently used reactions - RecentReactions []*AvailableReaction `json:"recent_reactions"` - // List of popular reactions - PopularReactions []*AvailableReaction `json:"popular_reactions"` - // True, if custom emoji reactions could be added by Telegram Premium subscribers - AllowCustomEmoji bool `json:"allow_custom_emoji"` -} - -func (entity *AvailableReactions) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub AvailableReactions - - return json.Marshal((*stub)(entity)) -} - -func (*AvailableReactions) GetClass() string { - return ClassAvailableReactions -} - -func (*AvailableReactions) GetType() string { - return TypeAvailableReactions -} - -// Contains information about a emoji reaction -type EmojiReaction struct { - meta - // Text representation of the reaction - Emoji string `json:"emoji"` - // Reaction title - Title string `json:"title"` - // True, if the reaction can be added to new messages and enabled in chats - IsActive bool `json:"is_active"` - // Static icon for the reaction - StaticIcon *Sticker `json:"static_icon"` - // Appear animation for the reaction - AppearAnimation *Sticker `json:"appear_animation"` - // Select animation for the reaction - SelectAnimation *Sticker `json:"select_animation"` - // Activate animation for the reaction - ActivateAnimation *Sticker `json:"activate_animation"` - // Effect animation for the reaction - EffectAnimation *Sticker `json:"effect_animation"` - // Around animation for the reaction; may be null - AroundAnimation *Sticker `json:"around_animation"` - // Center animation for the reaction; may be null - CenterAnimation *Sticker `json:"center_animation"` -} - -func (entity *EmojiReaction) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub EmojiReaction - - return json.Marshal((*stub)(entity)) -} - -func (*EmojiReaction) GetClass() string { - return ClassEmojiReaction -} - -func (*EmojiReaction) GetType() string { - return TypeEmojiReaction -} - -// Represents a list of animations -type Animations struct { - meta - // List of animations - Animations []*Animation `json:"animations"` -} - -func (entity *Animations) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub Animations - - return json.Marshal((*stub)(entity)) -} - -func (*Animations) GetClass() string { - return ClassAnimations -} - -func (*Animations) GetType() string { - return TypeAnimations -} - -// A regular animated sticker -type DiceStickersRegular struct { - meta - // The animated sticker with the dice animation - Sticker *Sticker `json:"sticker"` -} - -func (entity *DiceStickersRegular) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub DiceStickersRegular - - return json.Marshal((*stub)(entity)) -} - -func (*DiceStickersRegular) GetClass() string { - return ClassDiceStickers -} - -func (*DiceStickersRegular) GetType() string { - return TypeDiceStickersRegular -} - -func (*DiceStickersRegular) DiceStickersType() string { - return TypeDiceStickersRegular -} - -// Animated stickers to be combined into a slot machine -type DiceStickersSlotMachine struct { - meta - // The animated sticker with the slot machine background. The background animation must start playing after all reel animations finish - Background *Sticker `json:"background"` - // The animated sticker with the lever animation. The lever animation must play once in the initial dice state - Lever *Sticker `json:"lever"` - // The animated sticker with the left reel - LeftReel *Sticker `json:"left_reel"` - // The animated sticker with the center reel - CenterReel *Sticker `json:"center_reel"` - // The animated sticker with the right reel - RightReel *Sticker `json:"right_reel"` -} - -func (entity *DiceStickersSlotMachine) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub DiceStickersSlotMachine - - return json.Marshal((*stub)(entity)) -} - -func (*DiceStickersSlotMachine) GetClass() string { - return ClassDiceStickers -} - -func (*DiceStickersSlotMachine) GetType() string { - return TypeDiceStickersSlotMachine -} - -func (*DiceStickersSlotMachine) DiceStickersType() string { - return TypeDiceStickersSlotMachine -} - -// Represents the result of an importContacts request -type ImportedContacts struct { - meta - // User identifiers of the imported contacts in the same order as they were specified in the request; 0 if the contact is not yet a registered user - UserIds []int64 `json:"user_ids"` - // The number of users that imported the corresponding contact; 0 for already registered users or if unavailable - ImporterCount []int32 `json:"importer_count"` -} - -func (entity *ImportedContacts) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ImportedContacts - - return json.Marshal((*stub)(entity)) -} - -func (*ImportedContacts) GetClass() string { - return ClassImportedContacts -} - -func (*ImportedContacts) GetType() string { - return TypeImportedContacts -} - -// The speech recognition is ongoing -type SpeechRecognitionResultPending struct { - meta - // Partially recognized text - PartialText string `json:"partial_text"` -} - -func (entity *SpeechRecognitionResultPending) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub SpeechRecognitionResultPending - - return json.Marshal((*stub)(entity)) -} - -func (*SpeechRecognitionResultPending) GetClass() string { - return ClassSpeechRecognitionResult -} - -func (*SpeechRecognitionResultPending) GetType() string { - return TypeSpeechRecognitionResultPending -} - -func (*SpeechRecognitionResultPending) SpeechRecognitionResultType() string { - return TypeSpeechRecognitionResultPending -} - -// The speech recognition successfully finished -type SpeechRecognitionResultText struct { - meta - // Recognized text - Text string `json:"text"` -} - -func (entity *SpeechRecognitionResultText) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub SpeechRecognitionResultText - - return json.Marshal((*stub)(entity)) -} - -func (*SpeechRecognitionResultText) GetClass() string { - return ClassSpeechRecognitionResult -} - -func (*SpeechRecognitionResultText) GetType() string { - return TypeSpeechRecognitionResultText -} - -func (*SpeechRecognitionResultText) SpeechRecognitionResultType() string { - return TypeSpeechRecognitionResultText -} - -// The speech recognition failed -type SpeechRecognitionResultError struct { - meta - // Received error - Error *Error `json:"error"` -} - -func (entity *SpeechRecognitionResultError) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub SpeechRecognitionResultError - - return json.Marshal((*stub)(entity)) -} - -func (*SpeechRecognitionResultError) GetClass() string { - return ClassSpeechRecognitionResult -} - -func (*SpeechRecognitionResultError) GetType() string { - return TypeSpeechRecognitionResultError -} - -func (*SpeechRecognitionResultError) SpeechRecognitionResultType() string { - return TypeSpeechRecognitionResultError -} - -// Describes a color to highlight a bot added to attachment menu -type AttachmentMenuBotColor struct { - meta - // Color in the RGB24 format for light themes - LightColor int32 `json:"light_color"` - // Color in the RGB24 format for dark themes - DarkColor int32 `json:"dark_color"` -} - -func (entity *AttachmentMenuBotColor) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub AttachmentMenuBotColor - - return json.Marshal((*stub)(entity)) -} - -func (*AttachmentMenuBotColor) GetClass() string { - return ClassAttachmentMenuBotColor -} - -func (*AttachmentMenuBotColor) GetType() string { - return TypeAttachmentMenuBotColor -} - -// Represents a bot, which can be added to attachment menu -type AttachmentMenuBot struct { - meta - // User identifier of the bot added to attachment menu - BotUserId int64 `json:"bot_user_id"` - // True, if the bot supports opening from attachment menu in the chat with the bot - SupportsSelfChat bool `json:"supports_self_chat"` - // True, if the bot supports opening from attachment menu in private chats with ordinary users - SupportsUserChats bool `json:"supports_user_chats"` - // True, if the bot supports opening from attachment menu in private chats with other bots - SupportsBotChats bool `json:"supports_bot_chats"` - // True, if the bot supports opening from attachment menu in basic group and supergroup chats - SupportsGroupChats bool `json:"supports_group_chats"` - // True, if the bot supports opening from attachment menu in channel chats - SupportsChannelChats bool `json:"supports_channel_chats"` - // True, if the bot supports "settings_button_pressed" event - SupportsSettings bool `json:"supports_settings"` - // True, if the user must be asked for the permission to the bot to send them messages - RequestWriteAccess bool `json:"request_write_access"` - // Name for the bot in attachment menu - Name string `json:"name"` - // Color to highlight selected name of the bot if appropriate; may be null - NameColor *AttachmentMenuBotColor `json:"name_color"` - // Default attachment menu icon for the bot in SVG format; may be null - DefaultIcon *File `json:"default_icon"` - // Attachment menu icon for the bot in SVG format for the official iOS app; may be null - IosStaticIcon *File `json:"ios_static_icon"` - // Attachment menu icon for the bot in TGS format for the official iOS app; may be null - IosAnimatedIcon *File `json:"ios_animated_icon"` - // Attachment menu icon for the bot in TGS format for the official Android app; may be null - AndroidIcon *File `json:"android_icon"` - // Attachment menu icon for the bot in TGS format for the official native macOS app; may be null - MacosIcon *File `json:"macos_icon"` - // Color to highlight selected icon of the bot if appropriate; may be null - IconColor *AttachmentMenuBotColor `json:"icon_color"` - // Default placeholder for opened Web Apps in SVG format; may be null - WebAppPlaceholder *File `json:"web_app_placeholder"` -} - -func (entity *AttachmentMenuBot) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub AttachmentMenuBot - - return json.Marshal((*stub)(entity)) -} - -func (*AttachmentMenuBot) GetClass() string { - return ClassAttachmentMenuBot -} - -func (*AttachmentMenuBot) GetType() string { - return TypeAttachmentMenuBot -} - -// Information about the message sent by answerWebAppQuery -type SentWebAppMessage struct { - meta - // Identifier of the sent inline message, if known - InlineMessageId string `json:"inline_message_id"` -} - -func (entity *SentWebAppMessage) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub SentWebAppMessage - - return json.Marshal((*stub)(entity)) -} - -func (*SentWebAppMessage) GetClass() string { - return ClassSentWebAppMessage -} - -func (*SentWebAppMessage) GetType() string { - return TypeSentWebAppMessage -} - -// Contains an HTTP URL -type HttpUrl struct { - meta - // The URL - Url string `json:"url"` -} - -func (entity *HttpUrl) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub HttpUrl - - return json.Marshal((*stub)(entity)) -} - -func (*HttpUrl) GetClass() string { - return ClassHttpUrl -} - -func (*HttpUrl) GetType() string { - return TypeHttpUrl -} - -// Contains an HTTPS URL, which can be used to get information about a user -type UserLink struct { - meta - // The URL - Url string `json:"url"` - // Left time for which the link is valid, in seconds; 0 if the link is a public username link - ExpiresIn int32 `json:"expires_in"` -} - -func (entity *UserLink) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub UserLink - - return json.Marshal((*stub)(entity)) -} - -func (*UserLink) GetClass() string { - return ClassUserLink -} - -func (*UserLink) GetType() string { - return TypeUserLink -} - -// Represents a link to an animated GIF or an animated (i.e., without sound) H.264/MPEG-4 AVC video -type InputInlineQueryResultAnimation struct { - meta - // Unique identifier of the query result - Id string `json:"id"` - // Title of the query result - Title string `json:"title"` - // URL of the result thumbnail (JPEG, GIF, or MPEG4), if it exists - ThumbnailUrl string `json:"thumbnail_url"` - // MIME type of the video thumbnail. If non-empty, must be one of "image/jpeg", "image/gif" and "video/mp4" - ThumbnailMimeType string `json:"thumbnail_mime_type"` - // The URL of the video file (file size must not exceed 1MB) - VideoUrl string `json:"video_url"` - // MIME type of the video file. Must be one of "image/gif" and "video/mp4" - VideoMimeType string `json:"video_mime_type"` - // Duration of the video, in seconds - VideoDuration int32 `json:"video_duration"` - // Width of the video - VideoWidth int32 `json:"video_width"` - // Height of the video - VideoHeight int32 `json:"video_height"` - // The message reply markup; pass null if none. Must be of type replyMarkupInlineKeyboard or null - ReplyMarkup ReplyMarkup `json:"reply_markup"` - // The content of the message to be sent. Must be one of the following types: inputMessageText, inputMessageAnimation, inputMessageInvoice, inputMessageLocation, inputMessageVenue or inputMessageContact - InputMessageContent InputMessageContent `json:"input_message_content"` -} - -func (entity *InputInlineQueryResultAnimation) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputInlineQueryResultAnimation - - return json.Marshal((*stub)(entity)) -} - -func (*InputInlineQueryResultAnimation) GetClass() string { - return ClassInputInlineQueryResult -} - -func (*InputInlineQueryResultAnimation) GetType() string { - return TypeInputInlineQueryResultAnimation -} - -func (*InputInlineQueryResultAnimation) InputInlineQueryResultType() string { - return TypeInputInlineQueryResultAnimation -} - -func (inputInlineQueryResultAnimation *InputInlineQueryResultAnimation) UnmarshalJSON(data []byte) error { - var tmp struct { - Id string `json:"id"` - Title string `json:"title"` - ThumbnailUrl string `json:"thumbnail_url"` - ThumbnailMimeType string `json:"thumbnail_mime_type"` - VideoUrl string `json:"video_url"` - VideoMimeType string `json:"video_mime_type"` - VideoDuration int32 `json:"video_duration"` - VideoWidth int32 `json:"video_width"` - VideoHeight int32 `json:"video_height"` - ReplyMarkup json.RawMessage `json:"reply_markup"` - InputMessageContent json.RawMessage `json:"input_message_content"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - inputInlineQueryResultAnimation.Id = tmp.Id - inputInlineQueryResultAnimation.Title = tmp.Title - inputInlineQueryResultAnimation.ThumbnailUrl = tmp.ThumbnailUrl - inputInlineQueryResultAnimation.ThumbnailMimeType = tmp.ThumbnailMimeType - inputInlineQueryResultAnimation.VideoUrl = tmp.VideoUrl - inputInlineQueryResultAnimation.VideoMimeType = tmp.VideoMimeType - inputInlineQueryResultAnimation.VideoDuration = tmp.VideoDuration - inputInlineQueryResultAnimation.VideoWidth = tmp.VideoWidth - inputInlineQueryResultAnimation.VideoHeight = tmp.VideoHeight - - fieldReplyMarkup, _ := UnmarshalReplyMarkup(tmp.ReplyMarkup) - inputInlineQueryResultAnimation.ReplyMarkup = fieldReplyMarkup - - fieldInputMessageContent, _ := UnmarshalInputMessageContent(tmp.InputMessageContent) - inputInlineQueryResultAnimation.InputMessageContent = fieldInputMessageContent - - return nil -} - -// Represents a link to an article or web page -type InputInlineQueryResultArticle struct { - meta - // Unique identifier of the query result - Id string `json:"id"` - // URL of the result, if it exists - Url string `json:"url"` - // True, if the URL must be not shown - HideUrl bool `json:"hide_url"` - // Title of the result - Title string `json:"title"` - // A short description of the result - Description string `json:"description"` - // URL of the result thumbnail, if it exists - ThumbnailUrl string `json:"thumbnail_url"` - // Thumbnail width, if known - ThumbnailWidth int32 `json:"thumbnail_width"` - // Thumbnail height, if known - ThumbnailHeight int32 `json:"thumbnail_height"` - // The message reply markup; pass null if none. Must be of type replyMarkupInlineKeyboard or null - ReplyMarkup ReplyMarkup `json:"reply_markup"` - // The content of the message to be sent. Must be one of the following types: inputMessageText, inputMessageInvoice, inputMessageLocation, inputMessageVenue or inputMessageContact - InputMessageContent InputMessageContent `json:"input_message_content"` -} - -func (entity *InputInlineQueryResultArticle) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputInlineQueryResultArticle - - return json.Marshal((*stub)(entity)) -} - -func (*InputInlineQueryResultArticle) GetClass() string { - return ClassInputInlineQueryResult -} - -func (*InputInlineQueryResultArticle) GetType() string { - return TypeInputInlineQueryResultArticle -} - -func (*InputInlineQueryResultArticle) InputInlineQueryResultType() string { - return TypeInputInlineQueryResultArticle -} - -func (inputInlineQueryResultArticle *InputInlineQueryResultArticle) UnmarshalJSON(data []byte) error { - var tmp struct { - Id string `json:"id"` - Url string `json:"url"` - HideUrl bool `json:"hide_url"` - Title string `json:"title"` - Description string `json:"description"` - ThumbnailUrl string `json:"thumbnail_url"` - ThumbnailWidth int32 `json:"thumbnail_width"` - ThumbnailHeight int32 `json:"thumbnail_height"` - ReplyMarkup json.RawMessage `json:"reply_markup"` - InputMessageContent json.RawMessage `json:"input_message_content"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - inputInlineQueryResultArticle.Id = tmp.Id - inputInlineQueryResultArticle.Url = tmp.Url - inputInlineQueryResultArticle.HideUrl = tmp.HideUrl - inputInlineQueryResultArticle.Title = tmp.Title - inputInlineQueryResultArticle.Description = tmp.Description - inputInlineQueryResultArticle.ThumbnailUrl = tmp.ThumbnailUrl - inputInlineQueryResultArticle.ThumbnailWidth = tmp.ThumbnailWidth - inputInlineQueryResultArticle.ThumbnailHeight = tmp.ThumbnailHeight - - fieldReplyMarkup, _ := UnmarshalReplyMarkup(tmp.ReplyMarkup) - inputInlineQueryResultArticle.ReplyMarkup = fieldReplyMarkup - - fieldInputMessageContent, _ := UnmarshalInputMessageContent(tmp.InputMessageContent) - inputInlineQueryResultArticle.InputMessageContent = fieldInputMessageContent - - return nil -} - -// Represents a link to an MP3 audio file -type InputInlineQueryResultAudio struct { - meta - // Unique identifier of the query result - Id string `json:"id"` - // Title of the audio file - Title string `json:"title"` - // Performer of the audio file - Performer string `json:"performer"` - // The URL of the audio file - AudioUrl string `json:"audio_url"` - // Audio file duration, in seconds - AudioDuration int32 `json:"audio_duration"` - // The message reply markup; pass null if none. Must be of type replyMarkupInlineKeyboard or null - ReplyMarkup ReplyMarkup `json:"reply_markup"` - // The content of the message to be sent. Must be one of the following types: inputMessageText, inputMessageAudio, inputMessageInvoice, inputMessageLocation, inputMessageVenue or inputMessageContact - InputMessageContent InputMessageContent `json:"input_message_content"` -} - -func (entity *InputInlineQueryResultAudio) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputInlineQueryResultAudio - - return json.Marshal((*stub)(entity)) -} - -func (*InputInlineQueryResultAudio) GetClass() string { - return ClassInputInlineQueryResult -} - -func (*InputInlineQueryResultAudio) GetType() string { - return TypeInputInlineQueryResultAudio -} - -func (*InputInlineQueryResultAudio) InputInlineQueryResultType() string { - return TypeInputInlineQueryResultAudio -} - -func (inputInlineQueryResultAudio *InputInlineQueryResultAudio) UnmarshalJSON(data []byte) error { - var tmp struct { - Id string `json:"id"` - Title string `json:"title"` - Performer string `json:"performer"` - AudioUrl string `json:"audio_url"` - AudioDuration int32 `json:"audio_duration"` - ReplyMarkup json.RawMessage `json:"reply_markup"` - InputMessageContent json.RawMessage `json:"input_message_content"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - inputInlineQueryResultAudio.Id = tmp.Id - inputInlineQueryResultAudio.Title = tmp.Title - inputInlineQueryResultAudio.Performer = tmp.Performer - inputInlineQueryResultAudio.AudioUrl = tmp.AudioUrl - inputInlineQueryResultAudio.AudioDuration = tmp.AudioDuration - - fieldReplyMarkup, _ := UnmarshalReplyMarkup(tmp.ReplyMarkup) - inputInlineQueryResultAudio.ReplyMarkup = fieldReplyMarkup - - fieldInputMessageContent, _ := UnmarshalInputMessageContent(tmp.InputMessageContent) - inputInlineQueryResultAudio.InputMessageContent = fieldInputMessageContent - - return nil -} - -// Represents a user contact -type InputInlineQueryResultContact struct { - meta - // Unique identifier of the query result - Id string `json:"id"` - // User contact - Contact *Contact `json:"contact"` - // URL of the result thumbnail, if it exists - ThumbnailUrl string `json:"thumbnail_url"` - // Thumbnail width, if known - ThumbnailWidth int32 `json:"thumbnail_width"` - // Thumbnail height, if known - ThumbnailHeight int32 `json:"thumbnail_height"` - // The message reply markup; pass null if none. Must be of type replyMarkupInlineKeyboard or null - ReplyMarkup ReplyMarkup `json:"reply_markup"` - // The content of the message to be sent. Must be one of the following types: inputMessageText, inputMessageInvoice, inputMessageLocation, inputMessageVenue or inputMessageContact - InputMessageContent InputMessageContent `json:"input_message_content"` -} - -func (entity *InputInlineQueryResultContact) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputInlineQueryResultContact - - return json.Marshal((*stub)(entity)) -} - -func (*InputInlineQueryResultContact) GetClass() string { - return ClassInputInlineQueryResult -} - -func (*InputInlineQueryResultContact) GetType() string { - return TypeInputInlineQueryResultContact -} - -func (*InputInlineQueryResultContact) InputInlineQueryResultType() string { - return TypeInputInlineQueryResultContact -} - -func (inputInlineQueryResultContact *InputInlineQueryResultContact) UnmarshalJSON(data []byte) error { - var tmp struct { - Id string `json:"id"` - Contact *Contact `json:"contact"` - ThumbnailUrl string `json:"thumbnail_url"` - ThumbnailWidth int32 `json:"thumbnail_width"` - ThumbnailHeight int32 `json:"thumbnail_height"` - ReplyMarkup json.RawMessage `json:"reply_markup"` - InputMessageContent json.RawMessage `json:"input_message_content"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - inputInlineQueryResultContact.Id = tmp.Id - inputInlineQueryResultContact.Contact = tmp.Contact - inputInlineQueryResultContact.ThumbnailUrl = tmp.ThumbnailUrl - inputInlineQueryResultContact.ThumbnailWidth = tmp.ThumbnailWidth - inputInlineQueryResultContact.ThumbnailHeight = tmp.ThumbnailHeight - - fieldReplyMarkup, _ := UnmarshalReplyMarkup(tmp.ReplyMarkup) - inputInlineQueryResultContact.ReplyMarkup = fieldReplyMarkup - - fieldInputMessageContent, _ := UnmarshalInputMessageContent(tmp.InputMessageContent) - inputInlineQueryResultContact.InputMessageContent = fieldInputMessageContent - - return nil -} - -// Represents a link to a file -type InputInlineQueryResultDocument struct { - meta - // Unique identifier of the query result - Id string `json:"id"` - // Title of the resulting file - Title string `json:"title"` - // Short description of the result, if known - Description string `json:"description"` - // URL of the file - DocumentUrl string `json:"document_url"` - // MIME type of the file content; only "application/pdf" and "application/zip" are currently allowed - MimeType string `json:"mime_type"` - // The URL of the file thumbnail, if it exists - ThumbnailUrl string `json:"thumbnail_url"` - // Width of the thumbnail - ThumbnailWidth int32 `json:"thumbnail_width"` - // Height of the thumbnail - ThumbnailHeight int32 `json:"thumbnail_height"` - // The message reply markup; pass null if none. Must be of type replyMarkupInlineKeyboard or null - ReplyMarkup ReplyMarkup `json:"reply_markup"` - // The content of the message to be sent. Must be one of the following types: inputMessageText, inputMessageDocument, inputMessageInvoice, inputMessageLocation, inputMessageVenue or inputMessageContact - InputMessageContent InputMessageContent `json:"input_message_content"` -} - -func (entity *InputInlineQueryResultDocument) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputInlineQueryResultDocument - - return json.Marshal((*stub)(entity)) -} - -func (*InputInlineQueryResultDocument) GetClass() string { - return ClassInputInlineQueryResult -} - -func (*InputInlineQueryResultDocument) GetType() string { - return TypeInputInlineQueryResultDocument -} - -func (*InputInlineQueryResultDocument) InputInlineQueryResultType() string { - return TypeInputInlineQueryResultDocument -} - -func (inputInlineQueryResultDocument *InputInlineQueryResultDocument) UnmarshalJSON(data []byte) error { - var tmp struct { - Id string `json:"id"` - Title string `json:"title"` - Description string `json:"description"` - DocumentUrl string `json:"document_url"` - MimeType string `json:"mime_type"` - ThumbnailUrl string `json:"thumbnail_url"` - ThumbnailWidth int32 `json:"thumbnail_width"` - ThumbnailHeight int32 `json:"thumbnail_height"` - ReplyMarkup json.RawMessage `json:"reply_markup"` - InputMessageContent json.RawMessage `json:"input_message_content"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - inputInlineQueryResultDocument.Id = tmp.Id - inputInlineQueryResultDocument.Title = tmp.Title - inputInlineQueryResultDocument.Description = tmp.Description - inputInlineQueryResultDocument.DocumentUrl = tmp.DocumentUrl - inputInlineQueryResultDocument.MimeType = tmp.MimeType - inputInlineQueryResultDocument.ThumbnailUrl = tmp.ThumbnailUrl - inputInlineQueryResultDocument.ThumbnailWidth = tmp.ThumbnailWidth - inputInlineQueryResultDocument.ThumbnailHeight = tmp.ThumbnailHeight - - fieldReplyMarkup, _ := UnmarshalReplyMarkup(tmp.ReplyMarkup) - inputInlineQueryResultDocument.ReplyMarkup = fieldReplyMarkup - - fieldInputMessageContent, _ := UnmarshalInputMessageContent(tmp.InputMessageContent) - inputInlineQueryResultDocument.InputMessageContent = fieldInputMessageContent - - return nil -} - -// Represents a game -type InputInlineQueryResultGame struct { - meta - // Unique identifier of the query result - Id string `json:"id"` - // Short name of the game - GameShortName string `json:"game_short_name"` - // The message reply markup; pass null if none. Must be of type replyMarkupInlineKeyboard or null - ReplyMarkup ReplyMarkup `json:"reply_markup"` -} - -func (entity *InputInlineQueryResultGame) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputInlineQueryResultGame - - return json.Marshal((*stub)(entity)) -} - -func (*InputInlineQueryResultGame) GetClass() string { - return ClassInputInlineQueryResult -} - -func (*InputInlineQueryResultGame) GetType() string { - return TypeInputInlineQueryResultGame -} - -func (*InputInlineQueryResultGame) InputInlineQueryResultType() string { - return TypeInputInlineQueryResultGame -} - -func (inputInlineQueryResultGame *InputInlineQueryResultGame) UnmarshalJSON(data []byte) error { - var tmp struct { - Id string `json:"id"` - GameShortName string `json:"game_short_name"` - ReplyMarkup json.RawMessage `json:"reply_markup"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - inputInlineQueryResultGame.Id = tmp.Id - inputInlineQueryResultGame.GameShortName = tmp.GameShortName - - fieldReplyMarkup, _ := UnmarshalReplyMarkup(tmp.ReplyMarkup) - inputInlineQueryResultGame.ReplyMarkup = fieldReplyMarkup - - return nil -} - -// Represents a point on the map -type InputInlineQueryResultLocation struct { - meta - // Unique identifier of the query result - Id string `json:"id"` - // Location result - Location *Location `json:"location"` - // Amount of time relative to the message sent time until the location can be updated, in seconds - LivePeriod int32 `json:"live_period"` - // Title of the result - Title string `json:"title"` - // URL of the result thumbnail, if it exists - ThumbnailUrl string `json:"thumbnail_url"` - // Thumbnail width, if known - ThumbnailWidth int32 `json:"thumbnail_width"` - // Thumbnail height, if known - ThumbnailHeight int32 `json:"thumbnail_height"` - // The message reply markup; pass null if none. Must be of type replyMarkupInlineKeyboard or null - ReplyMarkup ReplyMarkup `json:"reply_markup"` - // The content of the message to be sent. Must be one of the following types: inputMessageText, inputMessageInvoice, inputMessageLocation, inputMessageVenue or inputMessageContact - InputMessageContent InputMessageContent `json:"input_message_content"` -} - -func (entity *InputInlineQueryResultLocation) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputInlineQueryResultLocation - - return json.Marshal((*stub)(entity)) -} - -func (*InputInlineQueryResultLocation) GetClass() string { - return ClassInputInlineQueryResult -} - -func (*InputInlineQueryResultLocation) GetType() string { - return TypeInputInlineQueryResultLocation -} - -func (*InputInlineQueryResultLocation) InputInlineQueryResultType() string { - return TypeInputInlineQueryResultLocation -} - -func (inputInlineQueryResultLocation *InputInlineQueryResultLocation) UnmarshalJSON(data []byte) error { - var tmp struct { - Id string `json:"id"` - Location *Location `json:"location"` - LivePeriod int32 `json:"live_period"` - Title string `json:"title"` - ThumbnailUrl string `json:"thumbnail_url"` - ThumbnailWidth int32 `json:"thumbnail_width"` - ThumbnailHeight int32 `json:"thumbnail_height"` - ReplyMarkup json.RawMessage `json:"reply_markup"` - InputMessageContent json.RawMessage `json:"input_message_content"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - inputInlineQueryResultLocation.Id = tmp.Id - inputInlineQueryResultLocation.Location = tmp.Location - inputInlineQueryResultLocation.LivePeriod = tmp.LivePeriod - inputInlineQueryResultLocation.Title = tmp.Title - inputInlineQueryResultLocation.ThumbnailUrl = tmp.ThumbnailUrl - inputInlineQueryResultLocation.ThumbnailWidth = tmp.ThumbnailWidth - inputInlineQueryResultLocation.ThumbnailHeight = tmp.ThumbnailHeight - - fieldReplyMarkup, _ := UnmarshalReplyMarkup(tmp.ReplyMarkup) - inputInlineQueryResultLocation.ReplyMarkup = fieldReplyMarkup - - fieldInputMessageContent, _ := UnmarshalInputMessageContent(tmp.InputMessageContent) - inputInlineQueryResultLocation.InputMessageContent = fieldInputMessageContent - - return nil -} - -// Represents link to a JPEG image -type InputInlineQueryResultPhoto struct { - meta - // Unique identifier of the query result - Id string `json:"id"` - // Title of the result, if known - Title string `json:"title"` - // A short description of the result, if known - Description string `json:"description"` - // URL of the photo thumbnail, if it exists - ThumbnailUrl string `json:"thumbnail_url"` - // The URL of the JPEG photo (photo size must not exceed 5MB) - PhotoUrl string `json:"photo_url"` - // Width of the photo - PhotoWidth int32 `json:"photo_width"` - // Height of the photo - PhotoHeight int32 `json:"photo_height"` - // The message reply markup; pass null if none. Must be of type replyMarkupInlineKeyboard or null - ReplyMarkup ReplyMarkup `json:"reply_markup"` - // The content of the message to be sent. Must be one of the following types: inputMessageText, inputMessagePhoto, inputMessageInvoice, inputMessageLocation, inputMessageVenue or inputMessageContact - InputMessageContent InputMessageContent `json:"input_message_content"` -} - -func (entity *InputInlineQueryResultPhoto) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputInlineQueryResultPhoto - - return json.Marshal((*stub)(entity)) -} - -func (*InputInlineQueryResultPhoto) GetClass() string { - return ClassInputInlineQueryResult -} - -func (*InputInlineQueryResultPhoto) GetType() string { - return TypeInputInlineQueryResultPhoto -} - -func (*InputInlineQueryResultPhoto) InputInlineQueryResultType() string { - return TypeInputInlineQueryResultPhoto -} - -func (inputInlineQueryResultPhoto *InputInlineQueryResultPhoto) UnmarshalJSON(data []byte) error { - var tmp struct { - Id string `json:"id"` - Title string `json:"title"` - Description string `json:"description"` - ThumbnailUrl string `json:"thumbnail_url"` - PhotoUrl string `json:"photo_url"` - PhotoWidth int32 `json:"photo_width"` - PhotoHeight int32 `json:"photo_height"` - ReplyMarkup json.RawMessage `json:"reply_markup"` - InputMessageContent json.RawMessage `json:"input_message_content"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - inputInlineQueryResultPhoto.Id = tmp.Id - inputInlineQueryResultPhoto.Title = tmp.Title - inputInlineQueryResultPhoto.Description = tmp.Description - inputInlineQueryResultPhoto.ThumbnailUrl = tmp.ThumbnailUrl - inputInlineQueryResultPhoto.PhotoUrl = tmp.PhotoUrl - inputInlineQueryResultPhoto.PhotoWidth = tmp.PhotoWidth - inputInlineQueryResultPhoto.PhotoHeight = tmp.PhotoHeight - - fieldReplyMarkup, _ := UnmarshalReplyMarkup(tmp.ReplyMarkup) - inputInlineQueryResultPhoto.ReplyMarkup = fieldReplyMarkup - - fieldInputMessageContent, _ := UnmarshalInputMessageContent(tmp.InputMessageContent) - inputInlineQueryResultPhoto.InputMessageContent = fieldInputMessageContent - - return nil -} - -// Represents a link to a WEBP, TGS, or WEBM sticker -type InputInlineQueryResultSticker struct { - meta - // Unique identifier of the query result - Id string `json:"id"` - // URL of the sticker thumbnail, if it exists - ThumbnailUrl string `json:"thumbnail_url"` - // The URL of the WEBP, TGS, or WEBM sticker (sticker file size must not exceed 5MB) - StickerUrl string `json:"sticker_url"` - // Width of the sticker - StickerWidth int32 `json:"sticker_width"` - // Height of the sticker - StickerHeight int32 `json:"sticker_height"` - // The message reply markup; pass null if none. Must be of type replyMarkupInlineKeyboard or null - ReplyMarkup ReplyMarkup `json:"reply_markup"` - // The content of the message to be sent. Must be one of the following types: inputMessageText, inputMessageSticker, inputMessageInvoice, inputMessageLocation, inputMessageVenue or inputMessageContact - InputMessageContent InputMessageContent `json:"input_message_content"` -} - -func (entity *InputInlineQueryResultSticker) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputInlineQueryResultSticker - - return json.Marshal((*stub)(entity)) -} - -func (*InputInlineQueryResultSticker) GetClass() string { - return ClassInputInlineQueryResult -} - -func (*InputInlineQueryResultSticker) GetType() string { - return TypeInputInlineQueryResultSticker -} - -func (*InputInlineQueryResultSticker) InputInlineQueryResultType() string { - return TypeInputInlineQueryResultSticker -} - -func (inputInlineQueryResultSticker *InputInlineQueryResultSticker) UnmarshalJSON(data []byte) error { - var tmp struct { - Id string `json:"id"` - ThumbnailUrl string `json:"thumbnail_url"` - StickerUrl string `json:"sticker_url"` - StickerWidth int32 `json:"sticker_width"` - StickerHeight int32 `json:"sticker_height"` - ReplyMarkup json.RawMessage `json:"reply_markup"` - InputMessageContent json.RawMessage `json:"input_message_content"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - inputInlineQueryResultSticker.Id = tmp.Id - inputInlineQueryResultSticker.ThumbnailUrl = tmp.ThumbnailUrl - inputInlineQueryResultSticker.StickerUrl = tmp.StickerUrl - inputInlineQueryResultSticker.StickerWidth = tmp.StickerWidth - inputInlineQueryResultSticker.StickerHeight = tmp.StickerHeight - - fieldReplyMarkup, _ := UnmarshalReplyMarkup(tmp.ReplyMarkup) - inputInlineQueryResultSticker.ReplyMarkup = fieldReplyMarkup - - fieldInputMessageContent, _ := UnmarshalInputMessageContent(tmp.InputMessageContent) - inputInlineQueryResultSticker.InputMessageContent = fieldInputMessageContent - - return nil -} - -// Represents information about a venue -type InputInlineQueryResultVenue struct { - meta - // Unique identifier of the query result - Id string `json:"id"` - // Venue result - Venue *Venue `json:"venue"` - // URL of the result thumbnail, if it exists - ThumbnailUrl string `json:"thumbnail_url"` - // Thumbnail width, if known - ThumbnailWidth int32 `json:"thumbnail_width"` - // Thumbnail height, if known - ThumbnailHeight int32 `json:"thumbnail_height"` - // The message reply markup; pass null if none. Must be of type replyMarkupInlineKeyboard or null - ReplyMarkup ReplyMarkup `json:"reply_markup"` - // The content of the message to be sent. Must be one of the following types: inputMessageText, inputMessageInvoice, inputMessageLocation, inputMessageVenue or inputMessageContact - InputMessageContent InputMessageContent `json:"input_message_content"` -} - -func (entity *InputInlineQueryResultVenue) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputInlineQueryResultVenue - - return json.Marshal((*stub)(entity)) -} - -func (*InputInlineQueryResultVenue) GetClass() string { - return ClassInputInlineQueryResult -} - -func (*InputInlineQueryResultVenue) GetType() string { - return TypeInputInlineQueryResultVenue -} - -func (*InputInlineQueryResultVenue) InputInlineQueryResultType() string { - return TypeInputInlineQueryResultVenue -} - -func (inputInlineQueryResultVenue *InputInlineQueryResultVenue) UnmarshalJSON(data []byte) error { - var tmp struct { - Id string `json:"id"` - Venue *Venue `json:"venue"` - ThumbnailUrl string `json:"thumbnail_url"` - ThumbnailWidth int32 `json:"thumbnail_width"` - ThumbnailHeight int32 `json:"thumbnail_height"` - ReplyMarkup json.RawMessage `json:"reply_markup"` - InputMessageContent json.RawMessage `json:"input_message_content"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - inputInlineQueryResultVenue.Id = tmp.Id - inputInlineQueryResultVenue.Venue = tmp.Venue - inputInlineQueryResultVenue.ThumbnailUrl = tmp.ThumbnailUrl - inputInlineQueryResultVenue.ThumbnailWidth = tmp.ThumbnailWidth - inputInlineQueryResultVenue.ThumbnailHeight = tmp.ThumbnailHeight - - fieldReplyMarkup, _ := UnmarshalReplyMarkup(tmp.ReplyMarkup) - inputInlineQueryResultVenue.ReplyMarkup = fieldReplyMarkup - - fieldInputMessageContent, _ := UnmarshalInputMessageContent(tmp.InputMessageContent) - inputInlineQueryResultVenue.InputMessageContent = fieldInputMessageContent - - return nil -} - -// Represents a link to a page containing an embedded video player or a video file -type InputInlineQueryResultVideo struct { - meta - // Unique identifier of the query result - Id string `json:"id"` - // Title of the result - Title string `json:"title"` - // A short description of the result, if known - Description string `json:"description"` - // The URL of the video thumbnail (JPEG), if it exists - ThumbnailUrl string `json:"thumbnail_url"` - // URL of the embedded video player or video file - VideoUrl string `json:"video_url"` - // MIME type of the content of the video URL, only "text/html" or "video/mp4" are currently supported - MimeType string `json:"mime_type"` - // Width of the video - VideoWidth int32 `json:"video_width"` - // Height of the video - VideoHeight int32 `json:"video_height"` - // Video duration, in seconds - VideoDuration int32 `json:"video_duration"` - // The message reply markup; pass null if none. Must be of type replyMarkupInlineKeyboard or null - ReplyMarkup ReplyMarkup `json:"reply_markup"` - // The content of the message to be sent. Must be one of the following types: inputMessageText, inputMessageVideo, inputMessageInvoice, inputMessageLocation, inputMessageVenue or inputMessageContact - InputMessageContent InputMessageContent `json:"input_message_content"` -} - -func (entity *InputInlineQueryResultVideo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputInlineQueryResultVideo - - return json.Marshal((*stub)(entity)) -} - -func (*InputInlineQueryResultVideo) GetClass() string { - return ClassInputInlineQueryResult -} - -func (*InputInlineQueryResultVideo) GetType() string { - return TypeInputInlineQueryResultVideo -} - -func (*InputInlineQueryResultVideo) InputInlineQueryResultType() string { - return TypeInputInlineQueryResultVideo -} - -func (inputInlineQueryResultVideo *InputInlineQueryResultVideo) UnmarshalJSON(data []byte) error { - var tmp struct { - Id string `json:"id"` - Title string `json:"title"` - Description string `json:"description"` - ThumbnailUrl string `json:"thumbnail_url"` - VideoUrl string `json:"video_url"` - MimeType string `json:"mime_type"` - VideoWidth int32 `json:"video_width"` - VideoHeight int32 `json:"video_height"` - VideoDuration int32 `json:"video_duration"` - ReplyMarkup json.RawMessage `json:"reply_markup"` - InputMessageContent json.RawMessage `json:"input_message_content"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - inputInlineQueryResultVideo.Id = tmp.Id - inputInlineQueryResultVideo.Title = tmp.Title - inputInlineQueryResultVideo.Description = tmp.Description - inputInlineQueryResultVideo.ThumbnailUrl = tmp.ThumbnailUrl - inputInlineQueryResultVideo.VideoUrl = tmp.VideoUrl - inputInlineQueryResultVideo.MimeType = tmp.MimeType - inputInlineQueryResultVideo.VideoWidth = tmp.VideoWidth - inputInlineQueryResultVideo.VideoHeight = tmp.VideoHeight - inputInlineQueryResultVideo.VideoDuration = tmp.VideoDuration - - fieldReplyMarkup, _ := UnmarshalReplyMarkup(tmp.ReplyMarkup) - inputInlineQueryResultVideo.ReplyMarkup = fieldReplyMarkup - - fieldInputMessageContent, _ := UnmarshalInputMessageContent(tmp.InputMessageContent) - inputInlineQueryResultVideo.InputMessageContent = fieldInputMessageContent - - return nil -} - -// Represents a link to an opus-encoded audio file within an OGG container, single channel audio -type InputInlineQueryResultVoiceNote struct { - meta - // Unique identifier of the query result - Id string `json:"id"` - // Title of the voice note - Title string `json:"title"` - // The URL of the voice note file - VoiceNoteUrl string `json:"voice_note_url"` - // Duration of the voice note, in seconds - VoiceNoteDuration int32 `json:"voice_note_duration"` - // The message reply markup; pass null if none. Must be of type replyMarkupInlineKeyboard or null - ReplyMarkup ReplyMarkup `json:"reply_markup"` - // The content of the message to be sent. Must be one of the following types: inputMessageText, inputMessageVoiceNote, inputMessageInvoice, inputMessageLocation, inputMessageVenue or inputMessageContact - InputMessageContent InputMessageContent `json:"input_message_content"` -} - -func (entity *InputInlineQueryResultVoiceNote) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputInlineQueryResultVoiceNote - - return json.Marshal((*stub)(entity)) -} - -func (*InputInlineQueryResultVoiceNote) GetClass() string { - return ClassInputInlineQueryResult -} - -func (*InputInlineQueryResultVoiceNote) GetType() string { - return TypeInputInlineQueryResultVoiceNote -} - -func (*InputInlineQueryResultVoiceNote) InputInlineQueryResultType() string { - return TypeInputInlineQueryResultVoiceNote -} - -func (inputInlineQueryResultVoiceNote *InputInlineQueryResultVoiceNote) UnmarshalJSON(data []byte) error { - var tmp struct { - Id string `json:"id"` - Title string `json:"title"` - VoiceNoteUrl string `json:"voice_note_url"` - VoiceNoteDuration int32 `json:"voice_note_duration"` - ReplyMarkup json.RawMessage `json:"reply_markup"` - InputMessageContent json.RawMessage `json:"input_message_content"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - inputInlineQueryResultVoiceNote.Id = tmp.Id - inputInlineQueryResultVoiceNote.Title = tmp.Title - inputInlineQueryResultVoiceNote.VoiceNoteUrl = tmp.VoiceNoteUrl - inputInlineQueryResultVoiceNote.VoiceNoteDuration = tmp.VoiceNoteDuration - - fieldReplyMarkup, _ := UnmarshalReplyMarkup(tmp.ReplyMarkup) - inputInlineQueryResultVoiceNote.ReplyMarkup = fieldReplyMarkup - - fieldInputMessageContent, _ := UnmarshalInputMessageContent(tmp.InputMessageContent) - inputInlineQueryResultVoiceNote.InputMessageContent = fieldInputMessageContent - - return nil -} - -// Represents a link to an article or web page -type InlineQueryResultArticle struct { - meta - // Unique identifier of the query result - Id string `json:"id"` - // URL of the result, if it exists - Url string `json:"url"` - // True, if the URL must be not shown - HideUrl bool `json:"hide_url"` - // Title of the result - Title string `json:"title"` - // A short description of the result - Description string `json:"description"` - // Result thumbnail in JPEG format; may be null - Thumbnail *Thumbnail `json:"thumbnail"` -} - -func (entity *InlineQueryResultArticle) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InlineQueryResultArticle - - return json.Marshal((*stub)(entity)) -} - -func (*InlineQueryResultArticle) GetClass() string { - return ClassInlineQueryResult -} - -func (*InlineQueryResultArticle) GetType() string { - return TypeInlineQueryResultArticle -} - -func (*InlineQueryResultArticle) InlineQueryResultType() string { - return TypeInlineQueryResultArticle -} - -// Represents a user contact -type InlineQueryResultContact struct { - meta - // Unique identifier of the query result - Id string `json:"id"` - // A user contact - Contact *Contact `json:"contact"` - // Result thumbnail in JPEG format; may be null - Thumbnail *Thumbnail `json:"thumbnail"` -} - -func (entity *InlineQueryResultContact) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InlineQueryResultContact - - return json.Marshal((*stub)(entity)) -} - -func (*InlineQueryResultContact) GetClass() string { - return ClassInlineQueryResult -} - -func (*InlineQueryResultContact) GetType() string { - return TypeInlineQueryResultContact -} - -func (*InlineQueryResultContact) InlineQueryResultType() string { - return TypeInlineQueryResultContact -} - -// Represents a point on the map -type InlineQueryResultLocation struct { - meta - // Unique identifier of the query result - Id string `json:"id"` - // Location result - Location *Location `json:"location"` - // Title of the result - Title string `json:"title"` - // Result thumbnail in JPEG format; may be null - Thumbnail *Thumbnail `json:"thumbnail"` -} - -func (entity *InlineQueryResultLocation) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InlineQueryResultLocation - - return json.Marshal((*stub)(entity)) -} - -func (*InlineQueryResultLocation) GetClass() string { - return ClassInlineQueryResult -} - -func (*InlineQueryResultLocation) GetType() string { - return TypeInlineQueryResultLocation -} - -func (*InlineQueryResultLocation) InlineQueryResultType() string { - return TypeInlineQueryResultLocation -} - -// Represents information about a venue -type InlineQueryResultVenue struct { - meta - // Unique identifier of the query result - Id string `json:"id"` - // Venue result - Venue *Venue `json:"venue"` - // Result thumbnail in JPEG format; may be null - Thumbnail *Thumbnail `json:"thumbnail"` -} - -func (entity *InlineQueryResultVenue) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InlineQueryResultVenue - - return json.Marshal((*stub)(entity)) -} - -func (*InlineQueryResultVenue) GetClass() string { - return ClassInlineQueryResult -} - -func (*InlineQueryResultVenue) GetType() string { - return TypeInlineQueryResultVenue -} - -func (*InlineQueryResultVenue) InlineQueryResultType() string { - return TypeInlineQueryResultVenue -} - -// Represents information about a game -type InlineQueryResultGame struct { - meta - // Unique identifier of the query result - Id string `json:"id"` - // Game result - Game *Game `json:"game"` -} - -func (entity *InlineQueryResultGame) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InlineQueryResultGame - - return json.Marshal((*stub)(entity)) -} - -func (*InlineQueryResultGame) GetClass() string { - return ClassInlineQueryResult -} - -func (*InlineQueryResultGame) GetType() string { - return TypeInlineQueryResultGame -} - -func (*InlineQueryResultGame) InlineQueryResultType() string { - return TypeInlineQueryResultGame -} - -// Represents an animation file -type InlineQueryResultAnimation struct { - meta - // Unique identifier of the query result - Id string `json:"id"` - // Animation file - Animation *Animation `json:"animation"` - // Animation title - Title string `json:"title"` -} - -func (entity *InlineQueryResultAnimation) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InlineQueryResultAnimation - - return json.Marshal((*stub)(entity)) -} - -func (*InlineQueryResultAnimation) GetClass() string { - return ClassInlineQueryResult -} - -func (*InlineQueryResultAnimation) GetType() string { - return TypeInlineQueryResultAnimation -} - -func (*InlineQueryResultAnimation) InlineQueryResultType() string { - return TypeInlineQueryResultAnimation -} - -// Represents an audio file -type InlineQueryResultAudio struct { - meta - // Unique identifier of the query result - Id string `json:"id"` - // Audio file - Audio *Audio `json:"audio"` -} - -func (entity *InlineQueryResultAudio) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InlineQueryResultAudio - - return json.Marshal((*stub)(entity)) -} - -func (*InlineQueryResultAudio) GetClass() string { - return ClassInlineQueryResult -} - -func (*InlineQueryResultAudio) GetType() string { - return TypeInlineQueryResultAudio -} - -func (*InlineQueryResultAudio) InlineQueryResultType() string { - return TypeInlineQueryResultAudio -} - -// Represents a document -type InlineQueryResultDocument struct { - meta - // Unique identifier of the query result - Id string `json:"id"` - // Document - Document *Document `json:"document"` - // Document title - Title string `json:"title"` - // Document description - Description string `json:"description"` -} - -func (entity *InlineQueryResultDocument) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InlineQueryResultDocument - - return json.Marshal((*stub)(entity)) -} - -func (*InlineQueryResultDocument) GetClass() string { - return ClassInlineQueryResult -} - -func (*InlineQueryResultDocument) GetType() string { - return TypeInlineQueryResultDocument -} - -func (*InlineQueryResultDocument) InlineQueryResultType() string { - return TypeInlineQueryResultDocument -} - -// Represents a photo -type InlineQueryResultPhoto struct { - meta - // Unique identifier of the query result - Id string `json:"id"` - // Photo - Photo *Photo `json:"photo"` - // Title of the result, if known - Title string `json:"title"` - // A short description of the result, if known - Description string `json:"description"` -} - -func (entity *InlineQueryResultPhoto) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InlineQueryResultPhoto - - return json.Marshal((*stub)(entity)) -} - -func (*InlineQueryResultPhoto) GetClass() string { - return ClassInlineQueryResult -} - -func (*InlineQueryResultPhoto) GetType() string { - return TypeInlineQueryResultPhoto -} - -func (*InlineQueryResultPhoto) InlineQueryResultType() string { - return TypeInlineQueryResultPhoto -} - -// Represents a sticker -type InlineQueryResultSticker struct { - meta - // Unique identifier of the query result - Id string `json:"id"` - // Sticker - Sticker *Sticker `json:"sticker"` -} - -func (entity *InlineQueryResultSticker) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InlineQueryResultSticker - - return json.Marshal((*stub)(entity)) -} - -func (*InlineQueryResultSticker) GetClass() string { - return ClassInlineQueryResult -} - -func (*InlineQueryResultSticker) GetType() string { - return TypeInlineQueryResultSticker -} - -func (*InlineQueryResultSticker) InlineQueryResultType() string { - return TypeInlineQueryResultSticker -} - -// Represents a video -type InlineQueryResultVideo struct { - meta - // Unique identifier of the query result - Id string `json:"id"` - // Video - Video *Video `json:"video"` - // Title of the video - Title string `json:"title"` - // Description of the video - Description string `json:"description"` -} - -func (entity *InlineQueryResultVideo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InlineQueryResultVideo - - return json.Marshal((*stub)(entity)) -} - -func (*InlineQueryResultVideo) GetClass() string { - return ClassInlineQueryResult -} - -func (*InlineQueryResultVideo) GetType() string { - return TypeInlineQueryResultVideo -} - -func (*InlineQueryResultVideo) InlineQueryResultType() string { - return TypeInlineQueryResultVideo -} - -// Represents a voice note -type InlineQueryResultVoiceNote struct { - meta - // Unique identifier of the query result - Id string `json:"id"` - // Voice note - VoiceNote *VoiceNote `json:"voice_note"` - // Title of the voice note - Title string `json:"title"` -} - -func (entity *InlineQueryResultVoiceNote) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InlineQueryResultVoiceNote - - return json.Marshal((*stub)(entity)) -} - -func (*InlineQueryResultVoiceNote) GetClass() string { - return ClassInlineQueryResult -} - -func (*InlineQueryResultVoiceNote) GetType() string { - return TypeInlineQueryResultVoiceNote -} - -func (*InlineQueryResultVoiceNote) InlineQueryResultType() string { - return TypeInlineQueryResultVoiceNote -} - -// Describes the button that opens a private chat with the bot and sends a start message to the bot with the given parameter -type InlineQueryResultsButtonTypeStartBot struct { - meta - // The parameter for the bot start message - Parameter string `json:"parameter"` -} - -func (entity *InlineQueryResultsButtonTypeStartBot) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InlineQueryResultsButtonTypeStartBot - - return json.Marshal((*stub)(entity)) -} - -func (*InlineQueryResultsButtonTypeStartBot) GetClass() string { - return ClassInlineQueryResultsButtonType -} - -func (*InlineQueryResultsButtonTypeStartBot) GetType() string { - return TypeInlineQueryResultsButtonTypeStartBot -} - -func (*InlineQueryResultsButtonTypeStartBot) InlineQueryResultsButtonTypeType() string { - return TypeInlineQueryResultsButtonTypeStartBot -} - -// Describes the button that opens a Web App by calling getWebAppUrl -type InlineQueryResultsButtonTypeWebApp struct { - meta - // An HTTP URL to pass to getWebAppUrl - Url string `json:"url"` -} - -func (entity *InlineQueryResultsButtonTypeWebApp) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InlineQueryResultsButtonTypeWebApp - - return json.Marshal((*stub)(entity)) -} - -func (*InlineQueryResultsButtonTypeWebApp) GetClass() string { - return ClassInlineQueryResultsButtonType -} - -func (*InlineQueryResultsButtonTypeWebApp) GetType() string { - return TypeInlineQueryResultsButtonTypeWebApp -} - -func (*InlineQueryResultsButtonTypeWebApp) InlineQueryResultsButtonTypeType() string { - return TypeInlineQueryResultsButtonTypeWebApp -} - -// Represents a button to be shown above inline query results -type InlineQueryResultsButton struct { - meta - // The text of the button - Text string `json:"text"` - // Type of the button - Type InlineQueryResultsButtonType `json:"type"` -} - -func (entity *InlineQueryResultsButton) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InlineQueryResultsButton - - return json.Marshal((*stub)(entity)) -} - -func (*InlineQueryResultsButton) GetClass() string { - return ClassInlineQueryResultsButton -} - -func (*InlineQueryResultsButton) GetType() string { - return TypeInlineQueryResultsButton -} - -func (inlineQueryResultsButton *InlineQueryResultsButton) UnmarshalJSON(data []byte) error { - var tmp struct { - Text string `json:"text"` - Type json.RawMessage `json:"type"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - inlineQueryResultsButton.Text = tmp.Text - - fieldType, _ := UnmarshalInlineQueryResultsButtonType(tmp.Type) - inlineQueryResultsButton.Type = fieldType - - return nil -} - -// Represents the results of the inline query. Use sendInlineQueryResultMessage to send the result of the query -type InlineQueryResults struct { - meta - // Unique identifier of the inline query - InlineQueryId JsonInt64 `json:"inline_query_id"` - // Button to be shown above inline query results; may be null - Button *InlineQueryResultsButton `json:"button"` - // Results of the query - Results []InlineQueryResult `json:"results"` - // The offset for the next request. If empty, there are no more results - NextOffset string `json:"next_offset"` -} - -func (entity *InlineQueryResults) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InlineQueryResults - - return json.Marshal((*stub)(entity)) -} - -func (*InlineQueryResults) GetClass() string { - return ClassInlineQueryResults -} - -func (*InlineQueryResults) GetType() string { - return TypeInlineQueryResults -} - -func (inlineQueryResults *InlineQueryResults) UnmarshalJSON(data []byte) error { - var tmp struct { - InlineQueryId JsonInt64 `json:"inline_query_id"` - Button *InlineQueryResultsButton `json:"button"` - Results []json.RawMessage `json:"results"` - NextOffset string `json:"next_offset"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - inlineQueryResults.InlineQueryId = tmp.InlineQueryId - inlineQueryResults.Button = tmp.Button - inlineQueryResults.NextOffset = tmp.NextOffset - - fieldResults, _ := UnmarshalListOfInlineQueryResult(tmp.Results) - inlineQueryResults.Results = fieldResults - - return nil -} - -// The payload for a general callback button -type CallbackQueryPayloadData struct { - meta - // Data that was attached to the callback button - Data []byte `json:"data"` -} - -func (entity *CallbackQueryPayloadData) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub CallbackQueryPayloadData - - return json.Marshal((*stub)(entity)) -} - -func (*CallbackQueryPayloadData) GetClass() string { - return ClassCallbackQueryPayload -} - -func (*CallbackQueryPayloadData) GetType() string { - return TypeCallbackQueryPayloadData -} - -func (*CallbackQueryPayloadData) CallbackQueryPayloadType() string { - return TypeCallbackQueryPayloadData -} - -// The payload for a callback button requiring password -type CallbackQueryPayloadDataWithPassword struct { - meta - // The 2-step verification password for the current user - Password string `json:"password"` - // Data that was attached to the callback button - Data []byte `json:"data"` -} - -func (entity *CallbackQueryPayloadDataWithPassword) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub CallbackQueryPayloadDataWithPassword - - return json.Marshal((*stub)(entity)) -} - -func (*CallbackQueryPayloadDataWithPassword) GetClass() string { - return ClassCallbackQueryPayload -} - -func (*CallbackQueryPayloadDataWithPassword) GetType() string { - return TypeCallbackQueryPayloadDataWithPassword -} - -func (*CallbackQueryPayloadDataWithPassword) CallbackQueryPayloadType() string { - return TypeCallbackQueryPayloadDataWithPassword -} - -// The payload for a game callback button -type CallbackQueryPayloadGame struct { - meta - // A short name of the game that was attached to the callback button - GameShortName string `json:"game_short_name"` -} - -func (entity *CallbackQueryPayloadGame) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub CallbackQueryPayloadGame - - return json.Marshal((*stub)(entity)) -} - -func (*CallbackQueryPayloadGame) GetClass() string { - return ClassCallbackQueryPayload -} - -func (*CallbackQueryPayloadGame) GetType() string { - return TypeCallbackQueryPayloadGame -} - -func (*CallbackQueryPayloadGame) CallbackQueryPayloadType() string { - return TypeCallbackQueryPayloadGame -} - -// Contains a bot's answer to a callback query -type CallbackQueryAnswer struct { - meta - // Text of the answer - Text string `json:"text"` - // True, if an alert must be shown to the user instead of a toast notification - ShowAlert bool `json:"show_alert"` - // URL to be opened - Url string `json:"url"` -} - -func (entity *CallbackQueryAnswer) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub CallbackQueryAnswer - - return json.Marshal((*stub)(entity)) -} - -func (*CallbackQueryAnswer) GetClass() string { - return ClassCallbackQueryAnswer -} - -func (*CallbackQueryAnswer) GetType() string { - return TypeCallbackQueryAnswer -} - -// Contains the result of a custom request -type CustomRequestResult struct { - meta - // A JSON-serialized result - Result string `json:"result"` -} - -func (entity *CustomRequestResult) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub CustomRequestResult - - return json.Marshal((*stub)(entity)) -} - -func (*CustomRequestResult) GetClass() string { - return ClassCustomRequestResult -} - -func (*CustomRequestResult) GetType() string { - return TypeCustomRequestResult -} - -// Contains one row of the game high score table -type GameHighScore struct { - meta - // Position in the high score table - Position int32 `json:"position"` - // User identifier - UserId int64 `json:"user_id"` - // User score - Score int32 `json:"score"` -} - -func (entity *GameHighScore) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub GameHighScore - - return json.Marshal((*stub)(entity)) -} - -func (*GameHighScore) GetClass() string { - return ClassGameHighScore -} - -func (*GameHighScore) GetType() string { - return TypeGameHighScore -} - -// Contains a list of game high scores -type GameHighScores struct { - meta - // A list of game high scores - Scores []*GameHighScore `json:"scores"` -} - -func (entity *GameHighScores) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub GameHighScores - - return json.Marshal((*stub)(entity)) -} - -func (*GameHighScores) GetClass() string { - return ClassGameHighScores -} - -func (*GameHighScores) GetType() string { - return TypeGameHighScores -} - -// A message was edited -type ChatEventMessageEdited struct { - meta - // The original message before the edit - OldMessage *Message `json:"old_message"` - // The message after it was edited - NewMessage *Message `json:"new_message"` -} - -func (entity *ChatEventMessageEdited) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatEventMessageEdited - - return json.Marshal((*stub)(entity)) -} - -func (*ChatEventMessageEdited) GetClass() string { - return ClassChatEventAction -} - -func (*ChatEventMessageEdited) GetType() string { - return TypeChatEventMessageEdited -} - -func (*ChatEventMessageEdited) ChatEventActionType() string { - return TypeChatEventMessageEdited -} - -// A message was deleted -type ChatEventMessageDeleted struct { - meta - // Deleted message - Message *Message `json:"message"` - // True, if the message deletion can be reported via reportSupergroupAntiSpamFalsePositive - CanReportAntiSpamFalsePositive bool `json:"can_report_anti_spam_false_positive"` -} - -func (entity *ChatEventMessageDeleted) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatEventMessageDeleted - - return json.Marshal((*stub)(entity)) -} - -func (*ChatEventMessageDeleted) GetClass() string { - return ClassChatEventAction -} - -func (*ChatEventMessageDeleted) GetType() string { - return TypeChatEventMessageDeleted -} - -func (*ChatEventMessageDeleted) ChatEventActionType() string { - return TypeChatEventMessageDeleted -} - -// A message was pinned -type ChatEventMessagePinned struct { - meta - // Pinned message - Message *Message `json:"message"` -} - -func (entity *ChatEventMessagePinned) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatEventMessagePinned - - return json.Marshal((*stub)(entity)) -} - -func (*ChatEventMessagePinned) GetClass() string { - return ClassChatEventAction -} - -func (*ChatEventMessagePinned) GetType() string { - return TypeChatEventMessagePinned -} - -func (*ChatEventMessagePinned) ChatEventActionType() string { - return TypeChatEventMessagePinned -} - -// A message was unpinned -type ChatEventMessageUnpinned struct { - meta - // Unpinned message - Message *Message `json:"message"` -} - -func (entity *ChatEventMessageUnpinned) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatEventMessageUnpinned - - return json.Marshal((*stub)(entity)) -} - -func (*ChatEventMessageUnpinned) GetClass() string { - return ClassChatEventAction -} - -func (*ChatEventMessageUnpinned) GetType() string { - return TypeChatEventMessageUnpinned -} - -func (*ChatEventMessageUnpinned) ChatEventActionType() string { - return TypeChatEventMessageUnpinned -} - -// A poll in a message was stopped -type ChatEventPollStopped struct { - meta - // The message with the poll - Message *Message `json:"message"` -} - -func (entity *ChatEventPollStopped) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatEventPollStopped - - return json.Marshal((*stub)(entity)) -} - -func (*ChatEventPollStopped) GetClass() string { - return ClassChatEventAction -} - -func (*ChatEventPollStopped) GetType() string { - return TypeChatEventPollStopped -} - -func (*ChatEventPollStopped) ChatEventActionType() string { - return TypeChatEventPollStopped -} - -// A new member joined the chat -type ChatEventMemberJoined struct { - meta -} - -func (entity *ChatEventMemberJoined) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatEventMemberJoined - - return json.Marshal((*stub)(entity)) -} - -func (*ChatEventMemberJoined) GetClass() string { - return ClassChatEventAction -} - -func (*ChatEventMemberJoined) GetType() string { - return TypeChatEventMemberJoined -} - -func (*ChatEventMemberJoined) ChatEventActionType() string { - return TypeChatEventMemberJoined -} - -// A new member joined the chat via an invite link -type ChatEventMemberJoinedByInviteLink struct { - meta - // Invite link used to join the chat - InviteLink *ChatInviteLink `json:"invite_link"` -} - -func (entity *ChatEventMemberJoinedByInviteLink) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatEventMemberJoinedByInviteLink - - return json.Marshal((*stub)(entity)) -} - -func (*ChatEventMemberJoinedByInviteLink) GetClass() string { - return ClassChatEventAction -} - -func (*ChatEventMemberJoinedByInviteLink) GetType() string { - return TypeChatEventMemberJoinedByInviteLink -} - -func (*ChatEventMemberJoinedByInviteLink) ChatEventActionType() string { - return TypeChatEventMemberJoinedByInviteLink -} - -// A new member was accepted to the chat by an administrator -type ChatEventMemberJoinedByRequest struct { - meta - // User identifier of the chat administrator, approved user join request - ApproverUserId int64 `json:"approver_user_id"` - // Invite link used to join the chat; may be null - InviteLink *ChatInviteLink `json:"invite_link"` -} - -func (entity *ChatEventMemberJoinedByRequest) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatEventMemberJoinedByRequest - - return json.Marshal((*stub)(entity)) -} - -func (*ChatEventMemberJoinedByRequest) GetClass() string { - return ClassChatEventAction -} - -func (*ChatEventMemberJoinedByRequest) GetType() string { - return TypeChatEventMemberJoinedByRequest -} - -func (*ChatEventMemberJoinedByRequest) ChatEventActionType() string { - return TypeChatEventMemberJoinedByRequest -} - -// A new chat member was invited -type ChatEventMemberInvited struct { - meta - // New member user identifier - UserId int64 `json:"user_id"` - // New member status - Status ChatMemberStatus `json:"status"` -} - -func (entity *ChatEventMemberInvited) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatEventMemberInvited - - return json.Marshal((*stub)(entity)) -} - -func (*ChatEventMemberInvited) GetClass() string { - return ClassChatEventAction -} - -func (*ChatEventMemberInvited) GetType() string { - return TypeChatEventMemberInvited -} - -func (*ChatEventMemberInvited) ChatEventActionType() string { - return TypeChatEventMemberInvited -} - -func (chatEventMemberInvited *ChatEventMemberInvited) UnmarshalJSON(data []byte) error { - var tmp struct { - UserId int64 `json:"user_id"` - Status json.RawMessage `json:"status"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - chatEventMemberInvited.UserId = tmp.UserId - - fieldStatus, _ := UnmarshalChatMemberStatus(tmp.Status) - chatEventMemberInvited.Status = fieldStatus - - return nil -} - -// A member left the chat -type ChatEventMemberLeft struct { - meta -} - -func (entity *ChatEventMemberLeft) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatEventMemberLeft - - return json.Marshal((*stub)(entity)) -} - -func (*ChatEventMemberLeft) GetClass() string { - return ClassChatEventAction -} - -func (*ChatEventMemberLeft) GetType() string { - return TypeChatEventMemberLeft -} - -func (*ChatEventMemberLeft) ChatEventActionType() string { - return TypeChatEventMemberLeft -} - -// A chat member has gained/lost administrator status, or the list of their administrator privileges has changed -type ChatEventMemberPromoted struct { - meta - // Affected chat member user identifier - UserId int64 `json:"user_id"` - // Previous status of the chat member - OldStatus ChatMemberStatus `json:"old_status"` - // New status of the chat member - NewStatus ChatMemberStatus `json:"new_status"` -} - -func (entity *ChatEventMemberPromoted) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatEventMemberPromoted - - return json.Marshal((*stub)(entity)) -} - -func (*ChatEventMemberPromoted) GetClass() string { - return ClassChatEventAction -} - -func (*ChatEventMemberPromoted) GetType() string { - return TypeChatEventMemberPromoted -} - -func (*ChatEventMemberPromoted) ChatEventActionType() string { - return TypeChatEventMemberPromoted -} - -func (chatEventMemberPromoted *ChatEventMemberPromoted) UnmarshalJSON(data []byte) error { - var tmp struct { - UserId int64 `json:"user_id"` - OldStatus json.RawMessage `json:"old_status"` - NewStatus json.RawMessage `json:"new_status"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - chatEventMemberPromoted.UserId = tmp.UserId - - fieldOldStatus, _ := UnmarshalChatMemberStatus(tmp.OldStatus) - chatEventMemberPromoted.OldStatus = fieldOldStatus - - fieldNewStatus, _ := UnmarshalChatMemberStatus(tmp.NewStatus) - chatEventMemberPromoted.NewStatus = fieldNewStatus - - return nil -} - -// A chat member was restricted/unrestricted or banned/unbanned, or the list of their restrictions has changed -type ChatEventMemberRestricted struct { - meta - // Affected chat member identifier - MemberId MessageSender `json:"member_id"` - // Previous status of the chat member - OldStatus ChatMemberStatus `json:"old_status"` - // New status of the chat member - NewStatus ChatMemberStatus `json:"new_status"` -} - -func (entity *ChatEventMemberRestricted) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatEventMemberRestricted - - return json.Marshal((*stub)(entity)) -} - -func (*ChatEventMemberRestricted) GetClass() string { - return ClassChatEventAction -} - -func (*ChatEventMemberRestricted) GetType() string { - return TypeChatEventMemberRestricted -} - -func (*ChatEventMemberRestricted) ChatEventActionType() string { - return TypeChatEventMemberRestricted -} - -func (chatEventMemberRestricted *ChatEventMemberRestricted) UnmarshalJSON(data []byte) error { - var tmp struct { - MemberId json.RawMessage `json:"member_id"` - OldStatus json.RawMessage `json:"old_status"` - NewStatus json.RawMessage `json:"new_status"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - fieldMemberId, _ := UnmarshalMessageSender(tmp.MemberId) - chatEventMemberRestricted.MemberId = fieldMemberId - - fieldOldStatus, _ := UnmarshalChatMemberStatus(tmp.OldStatus) - chatEventMemberRestricted.OldStatus = fieldOldStatus - - fieldNewStatus, _ := UnmarshalChatMemberStatus(tmp.NewStatus) - chatEventMemberRestricted.NewStatus = fieldNewStatus - - return nil -} - -// The chat available reactions were changed -type ChatEventAvailableReactionsChanged struct { - meta - // Previous chat available reactions - OldAvailableReactions ChatAvailableReactions `json:"old_available_reactions"` - // New chat available reactions - NewAvailableReactions ChatAvailableReactions `json:"new_available_reactions"` -} - -func (entity *ChatEventAvailableReactionsChanged) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatEventAvailableReactionsChanged - - return json.Marshal((*stub)(entity)) -} - -func (*ChatEventAvailableReactionsChanged) GetClass() string { - return ClassChatEventAction -} - -func (*ChatEventAvailableReactionsChanged) GetType() string { - return TypeChatEventAvailableReactionsChanged -} - -func (*ChatEventAvailableReactionsChanged) ChatEventActionType() string { - return TypeChatEventAvailableReactionsChanged -} - -func (chatEventAvailableReactionsChanged *ChatEventAvailableReactionsChanged) UnmarshalJSON(data []byte) error { - var tmp struct { - OldAvailableReactions json.RawMessage `json:"old_available_reactions"` - NewAvailableReactions json.RawMessage `json:"new_available_reactions"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - fieldOldAvailableReactions, _ := UnmarshalChatAvailableReactions(tmp.OldAvailableReactions) - chatEventAvailableReactionsChanged.OldAvailableReactions = fieldOldAvailableReactions - - fieldNewAvailableReactions, _ := UnmarshalChatAvailableReactions(tmp.NewAvailableReactions) - chatEventAvailableReactionsChanged.NewAvailableReactions = fieldNewAvailableReactions - - return nil -} - -// The chat description was changed -type ChatEventDescriptionChanged struct { - meta - // Previous chat description - OldDescription string `json:"old_description"` - // New chat description - NewDescription string `json:"new_description"` -} - -func (entity *ChatEventDescriptionChanged) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatEventDescriptionChanged - - return json.Marshal((*stub)(entity)) -} - -func (*ChatEventDescriptionChanged) GetClass() string { - return ClassChatEventAction -} - -func (*ChatEventDescriptionChanged) GetType() string { - return TypeChatEventDescriptionChanged -} - -func (*ChatEventDescriptionChanged) ChatEventActionType() string { - return TypeChatEventDescriptionChanged -} - -// The linked chat of a supergroup was changed -type ChatEventLinkedChatChanged struct { - meta - // Previous supergroup linked chat identifier - OldLinkedChatId int64 `json:"old_linked_chat_id"` - // New supergroup linked chat identifier - NewLinkedChatId int64 `json:"new_linked_chat_id"` -} - -func (entity *ChatEventLinkedChatChanged) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatEventLinkedChatChanged - - return json.Marshal((*stub)(entity)) -} - -func (*ChatEventLinkedChatChanged) GetClass() string { - return ClassChatEventAction -} - -func (*ChatEventLinkedChatChanged) GetType() string { - return TypeChatEventLinkedChatChanged -} - -func (*ChatEventLinkedChatChanged) ChatEventActionType() string { - return TypeChatEventLinkedChatChanged -} - -// The supergroup location was changed -type ChatEventLocationChanged struct { - meta - // Previous location; may be null - OldLocation *ChatLocation `json:"old_location"` - // New location; may be null - NewLocation *ChatLocation `json:"new_location"` -} - -func (entity *ChatEventLocationChanged) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatEventLocationChanged - - return json.Marshal((*stub)(entity)) -} - -func (*ChatEventLocationChanged) GetClass() string { - return ClassChatEventAction -} - -func (*ChatEventLocationChanged) GetType() string { - return TypeChatEventLocationChanged -} - -func (*ChatEventLocationChanged) ChatEventActionType() string { - return TypeChatEventLocationChanged -} - -// The message auto-delete timer was changed -type ChatEventMessageAutoDeleteTimeChanged struct { - meta - // Previous value of message_auto_delete_time - OldMessageAutoDeleteTime int32 `json:"old_message_auto_delete_time"` - // New value of message_auto_delete_time - NewMessageAutoDeleteTime int32 `json:"new_message_auto_delete_time"` -} - -func (entity *ChatEventMessageAutoDeleteTimeChanged) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatEventMessageAutoDeleteTimeChanged - - return json.Marshal((*stub)(entity)) -} - -func (*ChatEventMessageAutoDeleteTimeChanged) GetClass() string { - return ClassChatEventAction -} - -func (*ChatEventMessageAutoDeleteTimeChanged) GetType() string { - return TypeChatEventMessageAutoDeleteTimeChanged -} - -func (*ChatEventMessageAutoDeleteTimeChanged) ChatEventActionType() string { - return TypeChatEventMessageAutoDeleteTimeChanged -} - -// The chat permissions was changed -type ChatEventPermissionsChanged struct { - meta - // Previous chat permissions - OldPermissions *ChatPermissions `json:"old_permissions"` - // New chat permissions - NewPermissions *ChatPermissions `json:"new_permissions"` -} - -func (entity *ChatEventPermissionsChanged) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatEventPermissionsChanged - - return json.Marshal((*stub)(entity)) -} - -func (*ChatEventPermissionsChanged) GetClass() string { - return ClassChatEventAction -} - -func (*ChatEventPermissionsChanged) GetType() string { - return TypeChatEventPermissionsChanged -} - -func (*ChatEventPermissionsChanged) ChatEventActionType() string { - return TypeChatEventPermissionsChanged -} - -// The chat photo was changed -type ChatEventPhotoChanged struct { - meta - // Previous chat photo value; may be null - OldPhoto *ChatPhoto `json:"old_photo"` - // New chat photo value; may be null - NewPhoto *ChatPhoto `json:"new_photo"` -} - -func (entity *ChatEventPhotoChanged) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatEventPhotoChanged - - return json.Marshal((*stub)(entity)) -} - -func (*ChatEventPhotoChanged) GetClass() string { - return ClassChatEventAction -} - -func (*ChatEventPhotoChanged) GetType() string { - return TypeChatEventPhotoChanged -} - -func (*ChatEventPhotoChanged) ChatEventActionType() string { - return TypeChatEventPhotoChanged -} - -// The slow_mode_delay setting of a supergroup was changed -type ChatEventSlowModeDelayChanged struct { - meta - // Previous value of slow_mode_delay, in seconds - OldSlowModeDelay int32 `json:"old_slow_mode_delay"` - // New value of slow_mode_delay, in seconds - NewSlowModeDelay int32 `json:"new_slow_mode_delay"` -} - -func (entity *ChatEventSlowModeDelayChanged) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatEventSlowModeDelayChanged - - return json.Marshal((*stub)(entity)) -} - -func (*ChatEventSlowModeDelayChanged) GetClass() string { - return ClassChatEventAction -} - -func (*ChatEventSlowModeDelayChanged) GetType() string { - return TypeChatEventSlowModeDelayChanged -} - -func (*ChatEventSlowModeDelayChanged) ChatEventActionType() string { - return TypeChatEventSlowModeDelayChanged -} - -// The supergroup sticker set was changed -type ChatEventStickerSetChanged struct { - meta - // Previous identifier of the chat sticker set; 0 if none - OldStickerSetId JsonInt64 `json:"old_sticker_set_id"` - // New identifier of the chat sticker set; 0 if none - NewStickerSetId JsonInt64 `json:"new_sticker_set_id"` -} - -func (entity *ChatEventStickerSetChanged) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatEventStickerSetChanged - - return json.Marshal((*stub)(entity)) -} - -func (*ChatEventStickerSetChanged) GetClass() string { - return ClassChatEventAction -} - -func (*ChatEventStickerSetChanged) GetType() string { - return TypeChatEventStickerSetChanged -} - -func (*ChatEventStickerSetChanged) ChatEventActionType() string { - return TypeChatEventStickerSetChanged -} - -// The chat title was changed -type ChatEventTitleChanged struct { - meta - // Previous chat title - OldTitle string `json:"old_title"` - // New chat title - NewTitle string `json:"new_title"` -} - -func (entity *ChatEventTitleChanged) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatEventTitleChanged - - return json.Marshal((*stub)(entity)) -} - -func (*ChatEventTitleChanged) GetClass() string { - return ClassChatEventAction -} - -func (*ChatEventTitleChanged) GetType() string { - return TypeChatEventTitleChanged -} - -func (*ChatEventTitleChanged) ChatEventActionType() string { - return TypeChatEventTitleChanged -} - -// The chat editable username was changed -type ChatEventUsernameChanged struct { - meta - // Previous chat username - OldUsername string `json:"old_username"` - // New chat username - NewUsername string `json:"new_username"` -} - -func (entity *ChatEventUsernameChanged) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatEventUsernameChanged - - return json.Marshal((*stub)(entity)) -} - -func (*ChatEventUsernameChanged) GetClass() string { - return ClassChatEventAction -} - -func (*ChatEventUsernameChanged) GetType() string { - return TypeChatEventUsernameChanged -} - -func (*ChatEventUsernameChanged) ChatEventActionType() string { - return TypeChatEventUsernameChanged -} - -// The chat active usernames were changed -type ChatEventActiveUsernamesChanged struct { - meta - // Previous list of active usernames - OldUsernames []string `json:"old_usernames"` - // New list of active usernames - NewUsernames []string `json:"new_usernames"` -} - -func (entity *ChatEventActiveUsernamesChanged) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatEventActiveUsernamesChanged - - return json.Marshal((*stub)(entity)) -} - -func (*ChatEventActiveUsernamesChanged) GetClass() string { - return ClassChatEventAction -} - -func (*ChatEventActiveUsernamesChanged) GetType() string { - return TypeChatEventActiveUsernamesChanged -} - -func (*ChatEventActiveUsernamesChanged) ChatEventActionType() string { - return TypeChatEventActiveUsernamesChanged -} - -// The has_protected_content setting of a channel was toggled -type ChatEventHasProtectedContentToggled struct { - meta - // New value of has_protected_content - HasProtectedContent bool `json:"has_protected_content"` -} - -func (entity *ChatEventHasProtectedContentToggled) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatEventHasProtectedContentToggled - - return json.Marshal((*stub)(entity)) -} - -func (*ChatEventHasProtectedContentToggled) GetClass() string { - return ClassChatEventAction -} - -func (*ChatEventHasProtectedContentToggled) GetType() string { - return TypeChatEventHasProtectedContentToggled -} - -func (*ChatEventHasProtectedContentToggled) ChatEventActionType() string { - return TypeChatEventHasProtectedContentToggled -} - -// The can_invite_users permission of a supergroup chat was toggled -type ChatEventInvitesToggled struct { - meta - // New value of can_invite_users permission - CanInviteUsers bool `json:"can_invite_users"` -} - -func (entity *ChatEventInvitesToggled) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatEventInvitesToggled - - return json.Marshal((*stub)(entity)) -} - -func (*ChatEventInvitesToggled) GetClass() string { - return ClassChatEventAction -} - -func (*ChatEventInvitesToggled) GetType() string { - return TypeChatEventInvitesToggled -} - -func (*ChatEventInvitesToggled) ChatEventActionType() string { - return TypeChatEventInvitesToggled -} - -// The is_all_history_available setting of a supergroup was toggled -type ChatEventIsAllHistoryAvailableToggled struct { - meta - // New value of is_all_history_available - IsAllHistoryAvailable bool `json:"is_all_history_available"` -} - -func (entity *ChatEventIsAllHistoryAvailableToggled) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatEventIsAllHistoryAvailableToggled - - return json.Marshal((*stub)(entity)) -} - -func (*ChatEventIsAllHistoryAvailableToggled) GetClass() string { - return ClassChatEventAction -} - -func (*ChatEventIsAllHistoryAvailableToggled) GetType() string { - return TypeChatEventIsAllHistoryAvailableToggled -} - -func (*ChatEventIsAllHistoryAvailableToggled) ChatEventActionType() string { - return TypeChatEventIsAllHistoryAvailableToggled -} - -// The has_aggressive_anti_spam_enabled setting of a supergroup was toggled -type ChatEventHasAggressiveAntiSpamEnabledToggled struct { - meta - // New value of has_aggressive_anti_spam_enabled - HasAggressiveAntiSpamEnabled bool `json:"has_aggressive_anti_spam_enabled"` -} - -func (entity *ChatEventHasAggressiveAntiSpamEnabledToggled) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatEventHasAggressiveAntiSpamEnabledToggled - - return json.Marshal((*stub)(entity)) -} - -func (*ChatEventHasAggressiveAntiSpamEnabledToggled) GetClass() string { - return ClassChatEventAction -} - -func (*ChatEventHasAggressiveAntiSpamEnabledToggled) GetType() string { - return TypeChatEventHasAggressiveAntiSpamEnabledToggled -} - -func (*ChatEventHasAggressiveAntiSpamEnabledToggled) ChatEventActionType() string { - return TypeChatEventHasAggressiveAntiSpamEnabledToggled -} - -// The sign_messages setting of a channel was toggled -type ChatEventSignMessagesToggled struct { - meta - // New value of sign_messages - SignMessages bool `json:"sign_messages"` -} - -func (entity *ChatEventSignMessagesToggled) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatEventSignMessagesToggled - - return json.Marshal((*stub)(entity)) -} - -func (*ChatEventSignMessagesToggled) GetClass() string { - return ClassChatEventAction -} - -func (*ChatEventSignMessagesToggled) GetType() string { - return TypeChatEventSignMessagesToggled -} - -func (*ChatEventSignMessagesToggled) ChatEventActionType() string { - return TypeChatEventSignMessagesToggled -} - -// A chat invite link was edited -type ChatEventInviteLinkEdited struct { - meta - // Previous information about the invite link - OldInviteLink *ChatInviteLink `json:"old_invite_link"` - // New information about the invite link - NewInviteLink *ChatInviteLink `json:"new_invite_link"` -} - -func (entity *ChatEventInviteLinkEdited) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatEventInviteLinkEdited - - return json.Marshal((*stub)(entity)) -} - -func (*ChatEventInviteLinkEdited) GetClass() string { - return ClassChatEventAction -} - -func (*ChatEventInviteLinkEdited) GetType() string { - return TypeChatEventInviteLinkEdited -} - -func (*ChatEventInviteLinkEdited) ChatEventActionType() string { - return TypeChatEventInviteLinkEdited -} - -// A chat invite link was revoked -type ChatEventInviteLinkRevoked struct { - meta - // The invite link - InviteLink *ChatInviteLink `json:"invite_link"` -} - -func (entity *ChatEventInviteLinkRevoked) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatEventInviteLinkRevoked - - return json.Marshal((*stub)(entity)) -} - -func (*ChatEventInviteLinkRevoked) GetClass() string { - return ClassChatEventAction -} - -func (*ChatEventInviteLinkRevoked) GetType() string { - return TypeChatEventInviteLinkRevoked -} - -func (*ChatEventInviteLinkRevoked) ChatEventActionType() string { - return TypeChatEventInviteLinkRevoked -} - -// A revoked chat invite link was deleted -type ChatEventInviteLinkDeleted struct { - meta - // The invite link - InviteLink *ChatInviteLink `json:"invite_link"` -} - -func (entity *ChatEventInviteLinkDeleted) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatEventInviteLinkDeleted - - return json.Marshal((*stub)(entity)) -} - -func (*ChatEventInviteLinkDeleted) GetClass() string { - return ClassChatEventAction -} - -func (*ChatEventInviteLinkDeleted) GetType() string { - return TypeChatEventInviteLinkDeleted -} - -func (*ChatEventInviteLinkDeleted) ChatEventActionType() string { - return TypeChatEventInviteLinkDeleted -} - -// A video chat was created -type ChatEventVideoChatCreated struct { - meta - // Identifier of the video chat. The video chat can be received through the method getGroupCall - GroupCallId int32 `json:"group_call_id"` -} - -func (entity *ChatEventVideoChatCreated) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatEventVideoChatCreated - - return json.Marshal((*stub)(entity)) -} - -func (*ChatEventVideoChatCreated) GetClass() string { - return ClassChatEventAction -} - -func (*ChatEventVideoChatCreated) GetType() string { - return TypeChatEventVideoChatCreated -} - -func (*ChatEventVideoChatCreated) ChatEventActionType() string { - return TypeChatEventVideoChatCreated -} - -// A video chat was ended -type ChatEventVideoChatEnded struct { - meta - // Identifier of the video chat. The video chat can be received through the method getGroupCall - GroupCallId int32 `json:"group_call_id"` -} - -func (entity *ChatEventVideoChatEnded) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatEventVideoChatEnded - - return json.Marshal((*stub)(entity)) -} - -func (*ChatEventVideoChatEnded) GetClass() string { - return ClassChatEventAction -} - -func (*ChatEventVideoChatEnded) GetType() string { - return TypeChatEventVideoChatEnded -} - -func (*ChatEventVideoChatEnded) ChatEventActionType() string { - return TypeChatEventVideoChatEnded -} - -// The mute_new_participants setting of a video chat was toggled -type ChatEventVideoChatMuteNewParticipantsToggled struct { - meta - // New value of the mute_new_participants setting - MuteNewParticipants bool `json:"mute_new_participants"` -} - -func (entity *ChatEventVideoChatMuteNewParticipantsToggled) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatEventVideoChatMuteNewParticipantsToggled - - return json.Marshal((*stub)(entity)) -} - -func (*ChatEventVideoChatMuteNewParticipantsToggled) GetClass() string { - return ClassChatEventAction -} - -func (*ChatEventVideoChatMuteNewParticipantsToggled) GetType() string { - return TypeChatEventVideoChatMuteNewParticipantsToggled -} - -func (*ChatEventVideoChatMuteNewParticipantsToggled) ChatEventActionType() string { - return TypeChatEventVideoChatMuteNewParticipantsToggled -} - -// A video chat participant was muted or unmuted -type ChatEventVideoChatParticipantIsMutedToggled struct { - meta - // Identifier of the affected group call participant - ParticipantId MessageSender `json:"participant_id"` - // New value of is_muted - IsMuted bool `json:"is_muted"` -} - -func (entity *ChatEventVideoChatParticipantIsMutedToggled) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatEventVideoChatParticipantIsMutedToggled - - return json.Marshal((*stub)(entity)) -} - -func (*ChatEventVideoChatParticipantIsMutedToggled) GetClass() string { - return ClassChatEventAction -} - -func (*ChatEventVideoChatParticipantIsMutedToggled) GetType() string { - return TypeChatEventVideoChatParticipantIsMutedToggled -} - -func (*ChatEventVideoChatParticipantIsMutedToggled) ChatEventActionType() string { - return TypeChatEventVideoChatParticipantIsMutedToggled -} - -func (chatEventVideoChatParticipantIsMutedToggled *ChatEventVideoChatParticipantIsMutedToggled) UnmarshalJSON(data []byte) error { - var tmp struct { - ParticipantId json.RawMessage `json:"participant_id"` - IsMuted bool `json:"is_muted"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - chatEventVideoChatParticipantIsMutedToggled.IsMuted = tmp.IsMuted - - fieldParticipantId, _ := UnmarshalMessageSender(tmp.ParticipantId) - chatEventVideoChatParticipantIsMutedToggled.ParticipantId = fieldParticipantId - - return nil -} - -// A video chat participant volume level was changed -type ChatEventVideoChatParticipantVolumeLevelChanged struct { - meta - // Identifier of the affected group call participant - ParticipantId MessageSender `json:"participant_id"` - // New value of volume_level; 1-20000 in hundreds of percents - VolumeLevel int32 `json:"volume_level"` -} - -func (entity *ChatEventVideoChatParticipantVolumeLevelChanged) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatEventVideoChatParticipantVolumeLevelChanged - - return json.Marshal((*stub)(entity)) -} - -func (*ChatEventVideoChatParticipantVolumeLevelChanged) GetClass() string { - return ClassChatEventAction -} - -func (*ChatEventVideoChatParticipantVolumeLevelChanged) GetType() string { - return TypeChatEventVideoChatParticipantVolumeLevelChanged -} - -func (*ChatEventVideoChatParticipantVolumeLevelChanged) ChatEventActionType() string { - return TypeChatEventVideoChatParticipantVolumeLevelChanged -} - -func (chatEventVideoChatParticipantVolumeLevelChanged *ChatEventVideoChatParticipantVolumeLevelChanged) UnmarshalJSON(data []byte) error { - var tmp struct { - ParticipantId json.RawMessage `json:"participant_id"` - VolumeLevel int32 `json:"volume_level"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - chatEventVideoChatParticipantVolumeLevelChanged.VolumeLevel = tmp.VolumeLevel - - fieldParticipantId, _ := UnmarshalMessageSender(tmp.ParticipantId) - chatEventVideoChatParticipantVolumeLevelChanged.ParticipantId = fieldParticipantId - - return nil -} - -// The is_forum setting of a channel was toggled -type ChatEventIsForumToggled struct { - meta - // New value of is_forum - IsForum bool `json:"is_forum"` -} - -func (entity *ChatEventIsForumToggled) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatEventIsForumToggled - - return json.Marshal((*stub)(entity)) -} - -func (*ChatEventIsForumToggled) GetClass() string { - return ClassChatEventAction -} - -func (*ChatEventIsForumToggled) GetType() string { - return TypeChatEventIsForumToggled -} - -func (*ChatEventIsForumToggled) ChatEventActionType() string { - return TypeChatEventIsForumToggled -} - -// A new forum topic was created -type ChatEventForumTopicCreated struct { - meta - // Information about the topic - TopicInfo *ForumTopicInfo `json:"topic_info"` -} - -func (entity *ChatEventForumTopicCreated) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatEventForumTopicCreated - - return json.Marshal((*stub)(entity)) -} - -func (*ChatEventForumTopicCreated) GetClass() string { - return ClassChatEventAction -} - -func (*ChatEventForumTopicCreated) GetType() string { - return TypeChatEventForumTopicCreated -} - -func (*ChatEventForumTopicCreated) ChatEventActionType() string { - return TypeChatEventForumTopicCreated -} - -// A forum topic was edited -type ChatEventForumTopicEdited struct { - meta - // Old information about the topic - OldTopicInfo *ForumTopicInfo `json:"old_topic_info"` - // New information about the topic - NewTopicInfo *ForumTopicInfo `json:"new_topic_info"` -} - -func (entity *ChatEventForumTopicEdited) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatEventForumTopicEdited - - return json.Marshal((*stub)(entity)) -} - -func (*ChatEventForumTopicEdited) GetClass() string { - return ClassChatEventAction -} - -func (*ChatEventForumTopicEdited) GetType() string { - return TypeChatEventForumTopicEdited -} - -func (*ChatEventForumTopicEdited) ChatEventActionType() string { - return TypeChatEventForumTopicEdited -} - -// A forum topic was closed or reopened -type ChatEventForumTopicToggleIsClosed struct { - meta - // New information about the topic - TopicInfo *ForumTopicInfo `json:"topic_info"` -} - -func (entity *ChatEventForumTopicToggleIsClosed) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatEventForumTopicToggleIsClosed - - return json.Marshal((*stub)(entity)) -} - -func (*ChatEventForumTopicToggleIsClosed) GetClass() string { - return ClassChatEventAction -} - -func (*ChatEventForumTopicToggleIsClosed) GetType() string { - return TypeChatEventForumTopicToggleIsClosed -} - -func (*ChatEventForumTopicToggleIsClosed) ChatEventActionType() string { - return TypeChatEventForumTopicToggleIsClosed -} - -// The General forum topic was hidden or unhidden -type ChatEventForumTopicToggleIsHidden struct { - meta - // New information about the topic - TopicInfo *ForumTopicInfo `json:"topic_info"` -} - -func (entity *ChatEventForumTopicToggleIsHidden) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatEventForumTopicToggleIsHidden - - return json.Marshal((*stub)(entity)) -} - -func (*ChatEventForumTopicToggleIsHidden) GetClass() string { - return ClassChatEventAction -} - -func (*ChatEventForumTopicToggleIsHidden) GetType() string { - return TypeChatEventForumTopicToggleIsHidden -} - -func (*ChatEventForumTopicToggleIsHidden) ChatEventActionType() string { - return TypeChatEventForumTopicToggleIsHidden -} - -// A forum topic was deleted -type ChatEventForumTopicDeleted struct { - meta - // Information about the topic - TopicInfo *ForumTopicInfo `json:"topic_info"` -} - -func (entity *ChatEventForumTopicDeleted) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatEventForumTopicDeleted - - return json.Marshal((*stub)(entity)) -} - -func (*ChatEventForumTopicDeleted) GetClass() string { - return ClassChatEventAction -} - -func (*ChatEventForumTopicDeleted) GetType() string { - return TypeChatEventForumTopicDeleted -} - -func (*ChatEventForumTopicDeleted) ChatEventActionType() string { - return TypeChatEventForumTopicDeleted -} - -// A pinned forum topic was changed -type ChatEventForumTopicPinned struct { - meta - // Information about the old pinned topic; may be null - OldTopicInfo *ForumTopicInfo `json:"old_topic_info"` - // Information about the new pinned topic; may be null - NewTopicInfo *ForumTopicInfo `json:"new_topic_info"` -} - -func (entity *ChatEventForumTopicPinned) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatEventForumTopicPinned - - return json.Marshal((*stub)(entity)) -} - -func (*ChatEventForumTopicPinned) GetClass() string { - return ClassChatEventAction -} - -func (*ChatEventForumTopicPinned) GetType() string { - return TypeChatEventForumTopicPinned -} - -func (*ChatEventForumTopicPinned) ChatEventActionType() string { - return TypeChatEventForumTopicPinned -} - -// Represents a chat event -type ChatEvent struct { - meta - // Chat event identifier - Id JsonInt64 `json:"id"` - // Point in time (Unix timestamp) when the event happened - Date int32 `json:"date"` - // Identifier of the user or chat who performed the action - MemberId MessageSender `json:"member_id"` - // The action - Action ChatEventAction `json:"action"` -} - -func (entity *ChatEvent) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatEvent - - return json.Marshal((*stub)(entity)) -} - -func (*ChatEvent) GetClass() string { - return ClassChatEvent -} - -func (*ChatEvent) GetType() string { - return TypeChatEvent -} - -func (chatEvent *ChatEvent) UnmarshalJSON(data []byte) error { - var tmp struct { - Id JsonInt64 `json:"id"` - Date int32 `json:"date"` - MemberId json.RawMessage `json:"member_id"` - Action json.RawMessage `json:"action"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - chatEvent.Id = tmp.Id - chatEvent.Date = tmp.Date - - fieldMemberId, _ := UnmarshalMessageSender(tmp.MemberId) - chatEvent.MemberId = fieldMemberId - - fieldAction, _ := UnmarshalChatEventAction(tmp.Action) - chatEvent.Action = fieldAction - - return nil -} - -// Contains a list of chat events -type ChatEvents struct { - meta - // List of events - Events []*ChatEvent `json:"events"` -} - -func (entity *ChatEvents) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatEvents - - return json.Marshal((*stub)(entity)) -} - -func (*ChatEvents) GetClass() string { - return ClassChatEvents -} - -func (*ChatEvents) GetType() string { - return TypeChatEvents -} - -// Represents a set of filters used to obtain a chat event log -type ChatEventLogFilters struct { - meta - // True, if message edits need to be returned - MessageEdits bool `json:"message_edits"` - // True, if message deletions need to be returned - MessageDeletions bool `json:"message_deletions"` - // True, if pin/unpin events need to be returned - MessagePins bool `json:"message_pins"` - // True, if members joining events need to be returned - MemberJoins bool `json:"member_joins"` - // True, if members leaving events need to be returned - MemberLeaves bool `json:"member_leaves"` - // True, if invited member events need to be returned - MemberInvites bool `json:"member_invites"` - // True, if member promotion/demotion events need to be returned - MemberPromotions bool `json:"member_promotions"` - // True, if member restricted/unrestricted/banned/unbanned events need to be returned - MemberRestrictions bool `json:"member_restrictions"` - // True, if changes in chat information need to be returned - InfoChanges bool `json:"info_changes"` - // True, if changes in chat settings need to be returned - SettingChanges bool `json:"setting_changes"` - // True, if changes to invite links need to be returned - InviteLinkChanges bool `json:"invite_link_changes"` - // True, if video chat actions need to be returned - VideoChatChanges bool `json:"video_chat_changes"` - // True, if forum-related actions need to be returned - ForumChanges bool `json:"forum_changes"` -} - -func (entity *ChatEventLogFilters) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub ChatEventLogFilters - - return json.Marshal((*stub)(entity)) -} - -func (*ChatEventLogFilters) GetClass() string { - return ClassChatEventLogFilters -} - -func (*ChatEventLogFilters) GetType() string { - return TypeChatEventLogFilters -} - -// An ordinary language pack string -type LanguagePackStringValueOrdinary struct { - meta - // String value - Value string `json:"value"` -} - -func (entity *LanguagePackStringValueOrdinary) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub LanguagePackStringValueOrdinary - - return json.Marshal((*stub)(entity)) -} - -func (*LanguagePackStringValueOrdinary) GetClass() string { - return ClassLanguagePackStringValue -} - -func (*LanguagePackStringValueOrdinary) GetType() string { - return TypeLanguagePackStringValueOrdinary -} - -func (*LanguagePackStringValueOrdinary) LanguagePackStringValueType() string { - return TypeLanguagePackStringValueOrdinary -} - -// A language pack string which has different forms based on the number of some object it mentions. See https://www.unicode.org/cldr/charts/latest/supplemental/language_plural_rules.html for more information -type LanguagePackStringValuePluralized struct { - meta - // Value for zero objects - ZeroValue string `json:"zero_value"` - // Value for one object - OneValue string `json:"one_value"` - // Value for two objects - TwoValue string `json:"two_value"` - // Value for few objects - FewValue string `json:"few_value"` - // Value for many objects - ManyValue string `json:"many_value"` - // Default value - OtherValue string `json:"other_value"` -} - -func (entity *LanguagePackStringValuePluralized) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub LanguagePackStringValuePluralized - - return json.Marshal((*stub)(entity)) -} - -func (*LanguagePackStringValuePluralized) GetClass() string { - return ClassLanguagePackStringValue -} - -func (*LanguagePackStringValuePluralized) GetType() string { - return TypeLanguagePackStringValuePluralized -} - -func (*LanguagePackStringValuePluralized) LanguagePackStringValueType() string { - return TypeLanguagePackStringValuePluralized -} - -// A deleted language pack string, the value must be taken from the built-in English language pack -type LanguagePackStringValueDeleted struct { - meta -} - -func (entity *LanguagePackStringValueDeleted) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub LanguagePackStringValueDeleted - - return json.Marshal((*stub)(entity)) -} - -func (*LanguagePackStringValueDeleted) GetClass() string { - return ClassLanguagePackStringValue -} - -func (*LanguagePackStringValueDeleted) GetType() string { - return TypeLanguagePackStringValueDeleted -} - -func (*LanguagePackStringValueDeleted) LanguagePackStringValueType() string { - return TypeLanguagePackStringValueDeleted -} - -// Represents one language pack string -type LanguagePackString struct { - meta - // String key - Key string `json:"key"` - // String value; pass null if the string needs to be taken from the built-in English language pack - Value LanguagePackStringValue `json:"value"` -} - -func (entity *LanguagePackString) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub LanguagePackString - - return json.Marshal((*stub)(entity)) -} - -func (*LanguagePackString) GetClass() string { - return ClassLanguagePackString -} - -func (*LanguagePackString) GetType() string { - return TypeLanguagePackString -} - -func (languagePackString *LanguagePackString) UnmarshalJSON(data []byte) error { - var tmp struct { - Key string `json:"key"` - Value json.RawMessage `json:"value"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - languagePackString.Key = tmp.Key - - fieldValue, _ := UnmarshalLanguagePackStringValue(tmp.Value) - languagePackString.Value = fieldValue - - return nil -} - -// Contains a list of language pack strings -type LanguagePackStrings struct { - meta - // A list of language pack strings - Strings []*LanguagePackString `json:"strings"` -} - -func (entity *LanguagePackStrings) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub LanguagePackStrings - - return json.Marshal((*stub)(entity)) -} - -func (*LanguagePackStrings) GetClass() string { - return ClassLanguagePackStrings -} - -func (*LanguagePackStrings) GetType() string { - return TypeLanguagePackStrings -} - -// Contains information about a language pack -type LanguagePackInfo struct { - meta - // Unique language pack identifier - Id string `json:"id"` - // Identifier of a base language pack; may be empty. If a string is missed in the language pack, then it must be fetched from base language pack. Unsupported in custom language packs - BaseLanguagePackId string `json:"base_language_pack_id"` - // Language name - Name string `json:"name"` - // Name of the language in that language - NativeName string `json:"native_name"` - // A language code to be used to apply plural forms. See https://www.unicode.org/cldr/charts/latest/supplemental/language_plural_rules.html for more information - PluralCode string `json:"plural_code"` - // True, if the language pack is official - IsOfficial bool `json:"is_official"` - // True, if the language pack strings are RTL - IsRtl bool `json:"is_rtl"` - // True, if the language pack is a beta language pack - IsBeta bool `json:"is_beta"` - // True, if the language pack is installed by the current user - IsInstalled bool `json:"is_installed"` - // Total number of non-deleted strings from the language pack - TotalStringCount int32 `json:"total_string_count"` - // Total number of translated strings from the language pack - TranslatedStringCount int32 `json:"translated_string_count"` - // Total number of non-deleted strings from the language pack available locally - LocalStringCount int32 `json:"local_string_count"` - // Link to language translation interface; empty for custom local language packs - TranslationUrl string `json:"translation_url"` -} - -func (entity *LanguagePackInfo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub LanguagePackInfo - - return json.Marshal((*stub)(entity)) -} - -func (*LanguagePackInfo) GetClass() string { - return ClassLanguagePackInfo -} - -func (*LanguagePackInfo) GetType() string { - return TypeLanguagePackInfo -} - -// Contains information about the current localization target -type LocalizationTargetInfo struct { - meta - // List of available language packs for this application - LanguagePacks []*LanguagePackInfo `json:"language_packs"` -} - -func (entity *LocalizationTargetInfo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub LocalizationTargetInfo - - return json.Marshal((*stub)(entity)) -} - -func (*LocalizationTargetInfo) GetClass() string { - return ClassLocalizationTargetInfo -} - -func (*LocalizationTargetInfo) GetType() string { - return TypeLocalizationTargetInfo -} - -// The maximum number of joined supergroups and channels -type PremiumLimitTypeSupergroupCount struct { - meta -} - -func (entity *PremiumLimitTypeSupergroupCount) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PremiumLimitTypeSupergroupCount - - return json.Marshal((*stub)(entity)) -} - -func (*PremiumLimitTypeSupergroupCount) GetClass() string { - return ClassPremiumLimitType -} - -func (*PremiumLimitTypeSupergroupCount) GetType() string { - return TypePremiumLimitTypeSupergroupCount -} - -func (*PremiumLimitTypeSupergroupCount) PremiumLimitTypeType() string { - return TypePremiumLimitTypeSupergroupCount -} - -// The maximum number of pinned chats in the main chat list -type PremiumLimitTypePinnedChatCount struct { - meta -} - -func (entity *PremiumLimitTypePinnedChatCount) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PremiumLimitTypePinnedChatCount - - return json.Marshal((*stub)(entity)) -} - -func (*PremiumLimitTypePinnedChatCount) GetClass() string { - return ClassPremiumLimitType -} - -func (*PremiumLimitTypePinnedChatCount) GetType() string { - return TypePremiumLimitTypePinnedChatCount -} - -func (*PremiumLimitTypePinnedChatCount) PremiumLimitTypeType() string { - return TypePremiumLimitTypePinnedChatCount -} - -// The maximum number of created public chats -type PremiumLimitTypeCreatedPublicChatCount struct { - meta -} - -func (entity *PremiumLimitTypeCreatedPublicChatCount) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PremiumLimitTypeCreatedPublicChatCount - - return json.Marshal((*stub)(entity)) -} - -func (*PremiumLimitTypeCreatedPublicChatCount) GetClass() string { - return ClassPremiumLimitType -} - -func (*PremiumLimitTypeCreatedPublicChatCount) GetType() string { - return TypePremiumLimitTypeCreatedPublicChatCount -} - -func (*PremiumLimitTypeCreatedPublicChatCount) PremiumLimitTypeType() string { - return TypePremiumLimitTypeCreatedPublicChatCount -} - -// The maximum number of saved animations -type PremiumLimitTypeSavedAnimationCount struct { - meta -} - -func (entity *PremiumLimitTypeSavedAnimationCount) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PremiumLimitTypeSavedAnimationCount - - return json.Marshal((*stub)(entity)) -} - -func (*PremiumLimitTypeSavedAnimationCount) GetClass() string { - return ClassPremiumLimitType -} - -func (*PremiumLimitTypeSavedAnimationCount) GetType() string { - return TypePremiumLimitTypeSavedAnimationCount -} - -func (*PremiumLimitTypeSavedAnimationCount) PremiumLimitTypeType() string { - return TypePremiumLimitTypeSavedAnimationCount -} - -// The maximum number of favorite stickers -type PremiumLimitTypeFavoriteStickerCount struct { - meta -} - -func (entity *PremiumLimitTypeFavoriteStickerCount) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PremiumLimitTypeFavoriteStickerCount - - return json.Marshal((*stub)(entity)) -} - -func (*PremiumLimitTypeFavoriteStickerCount) GetClass() string { - return ClassPremiumLimitType -} - -func (*PremiumLimitTypeFavoriteStickerCount) GetType() string { - return TypePremiumLimitTypeFavoriteStickerCount -} - -func (*PremiumLimitTypeFavoriteStickerCount) PremiumLimitTypeType() string { - return TypePremiumLimitTypeFavoriteStickerCount -} - -// The maximum number of chat filters -type PremiumLimitTypeChatFilterCount struct { - meta -} - -func (entity *PremiumLimitTypeChatFilterCount) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PremiumLimitTypeChatFilterCount - - return json.Marshal((*stub)(entity)) -} - -func (*PremiumLimitTypeChatFilterCount) GetClass() string { - return ClassPremiumLimitType -} - -func (*PremiumLimitTypeChatFilterCount) GetType() string { - return TypePremiumLimitTypeChatFilterCount -} - -func (*PremiumLimitTypeChatFilterCount) PremiumLimitTypeType() string { - return TypePremiumLimitTypeChatFilterCount -} - -// The maximum number of pinned and always included, or always excluded chats in a chat filter -type PremiumLimitTypeChatFilterChosenChatCount struct { - meta -} - -func (entity *PremiumLimitTypeChatFilterChosenChatCount) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PremiumLimitTypeChatFilterChosenChatCount - - return json.Marshal((*stub)(entity)) -} - -func (*PremiumLimitTypeChatFilterChosenChatCount) GetClass() string { - return ClassPremiumLimitType -} - -func (*PremiumLimitTypeChatFilterChosenChatCount) GetType() string { - return TypePremiumLimitTypeChatFilterChosenChatCount -} - -func (*PremiumLimitTypeChatFilterChosenChatCount) PremiumLimitTypeType() string { - return TypePremiumLimitTypeChatFilterChosenChatCount -} - -// The maximum number of pinned chats in the archive chat list -type PremiumLimitTypePinnedArchivedChatCount struct { - meta -} - -func (entity *PremiumLimitTypePinnedArchivedChatCount) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PremiumLimitTypePinnedArchivedChatCount - - return json.Marshal((*stub)(entity)) -} - -func (*PremiumLimitTypePinnedArchivedChatCount) GetClass() string { - return ClassPremiumLimitType -} - -func (*PremiumLimitTypePinnedArchivedChatCount) GetType() string { - return TypePremiumLimitTypePinnedArchivedChatCount -} - -func (*PremiumLimitTypePinnedArchivedChatCount) PremiumLimitTypeType() string { - return TypePremiumLimitTypePinnedArchivedChatCount -} - -// The maximum length of sent media caption -type PremiumLimitTypeCaptionLength struct { - meta -} - -func (entity *PremiumLimitTypeCaptionLength) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PremiumLimitTypeCaptionLength - - return json.Marshal((*stub)(entity)) -} - -func (*PremiumLimitTypeCaptionLength) GetClass() string { - return ClassPremiumLimitType -} - -func (*PremiumLimitTypeCaptionLength) GetType() string { - return TypePremiumLimitTypeCaptionLength -} - -func (*PremiumLimitTypeCaptionLength) PremiumLimitTypeType() string { - return TypePremiumLimitTypeCaptionLength -} - -// The maximum length of the user's bio -type PremiumLimitTypeBioLength struct { - meta -} - -func (entity *PremiumLimitTypeBioLength) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PremiumLimitTypeBioLength - - return json.Marshal((*stub)(entity)) -} - -func (*PremiumLimitTypeBioLength) GetClass() string { - return ClassPremiumLimitType -} - -func (*PremiumLimitTypeBioLength) GetType() string { - return TypePremiumLimitTypeBioLength -} - -func (*PremiumLimitTypeBioLength) PremiumLimitTypeType() string { - return TypePremiumLimitTypeBioLength -} - -// Increased limits -type PremiumFeatureIncreasedLimits struct { - meta -} - -func (entity *PremiumFeatureIncreasedLimits) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PremiumFeatureIncreasedLimits - - return json.Marshal((*stub)(entity)) -} - -func (*PremiumFeatureIncreasedLimits) GetClass() string { - return ClassPremiumFeature -} - -func (*PremiumFeatureIncreasedLimits) GetType() string { - return TypePremiumFeatureIncreasedLimits -} - -func (*PremiumFeatureIncreasedLimits) PremiumFeatureType() string { - return TypePremiumFeatureIncreasedLimits -} - -// Increased maximum upload file size -type PremiumFeatureIncreasedUploadFileSize struct { - meta -} - -func (entity *PremiumFeatureIncreasedUploadFileSize) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PremiumFeatureIncreasedUploadFileSize - - return json.Marshal((*stub)(entity)) -} - -func (*PremiumFeatureIncreasedUploadFileSize) GetClass() string { - return ClassPremiumFeature -} - -func (*PremiumFeatureIncreasedUploadFileSize) GetType() string { - return TypePremiumFeatureIncreasedUploadFileSize -} - -func (*PremiumFeatureIncreasedUploadFileSize) PremiumFeatureType() string { - return TypePremiumFeatureIncreasedUploadFileSize -} - -// Improved download speed -type PremiumFeatureImprovedDownloadSpeed struct { - meta -} - -func (entity *PremiumFeatureImprovedDownloadSpeed) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PremiumFeatureImprovedDownloadSpeed - - return json.Marshal((*stub)(entity)) -} - -func (*PremiumFeatureImprovedDownloadSpeed) GetClass() string { - return ClassPremiumFeature -} - -func (*PremiumFeatureImprovedDownloadSpeed) GetType() string { - return TypePremiumFeatureImprovedDownloadSpeed -} - -func (*PremiumFeatureImprovedDownloadSpeed) PremiumFeatureType() string { - return TypePremiumFeatureImprovedDownloadSpeed -} - -// The ability to convert voice notes to text -type PremiumFeatureVoiceRecognition struct { - meta -} - -func (entity *PremiumFeatureVoiceRecognition) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PremiumFeatureVoiceRecognition - - return json.Marshal((*stub)(entity)) -} - -func (*PremiumFeatureVoiceRecognition) GetClass() string { - return ClassPremiumFeature -} - -func (*PremiumFeatureVoiceRecognition) GetType() string { - return TypePremiumFeatureVoiceRecognition -} - -func (*PremiumFeatureVoiceRecognition) PremiumFeatureType() string { - return TypePremiumFeatureVoiceRecognition -} - -// Disabled ads -type PremiumFeatureDisabledAds struct { - meta -} - -func (entity *PremiumFeatureDisabledAds) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PremiumFeatureDisabledAds - - return json.Marshal((*stub)(entity)) -} - -func (*PremiumFeatureDisabledAds) GetClass() string { - return ClassPremiumFeature -} - -func (*PremiumFeatureDisabledAds) GetType() string { - return TypePremiumFeatureDisabledAds -} - -func (*PremiumFeatureDisabledAds) PremiumFeatureType() string { - return TypePremiumFeatureDisabledAds -} - -// Allowed to use more reactions -type PremiumFeatureUniqueReactions struct { - meta -} - -func (entity *PremiumFeatureUniqueReactions) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PremiumFeatureUniqueReactions - - return json.Marshal((*stub)(entity)) -} - -func (*PremiumFeatureUniqueReactions) GetClass() string { - return ClassPremiumFeature -} - -func (*PremiumFeatureUniqueReactions) GetType() string { - return TypePremiumFeatureUniqueReactions -} - -func (*PremiumFeatureUniqueReactions) PremiumFeatureType() string { - return TypePremiumFeatureUniqueReactions -} - -// Allowed to use premium stickers with unique effects -type PremiumFeatureUniqueStickers struct { - meta -} - -func (entity *PremiumFeatureUniqueStickers) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PremiumFeatureUniqueStickers - - return json.Marshal((*stub)(entity)) -} - -func (*PremiumFeatureUniqueStickers) GetClass() string { - return ClassPremiumFeature -} - -func (*PremiumFeatureUniqueStickers) GetType() string { - return TypePremiumFeatureUniqueStickers -} - -func (*PremiumFeatureUniqueStickers) PremiumFeatureType() string { - return TypePremiumFeatureUniqueStickers -} - -// Allowed to use custom emoji stickers in message texts and captions -type PremiumFeatureCustomEmoji struct { - meta -} - -func (entity *PremiumFeatureCustomEmoji) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PremiumFeatureCustomEmoji - - return json.Marshal((*stub)(entity)) -} - -func (*PremiumFeatureCustomEmoji) GetClass() string { - return ClassPremiumFeature -} - -func (*PremiumFeatureCustomEmoji) GetType() string { - return TypePremiumFeatureCustomEmoji -} - -func (*PremiumFeatureCustomEmoji) PremiumFeatureType() string { - return TypePremiumFeatureCustomEmoji -} - -// Ability to change position of the main chat list, archive and mute all new chats from non-contacts, and completely disable notifications about the user's contacts joined Telegram -type PremiumFeatureAdvancedChatManagement struct { - meta -} - -func (entity *PremiumFeatureAdvancedChatManagement) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PremiumFeatureAdvancedChatManagement - - return json.Marshal((*stub)(entity)) -} - -func (*PremiumFeatureAdvancedChatManagement) GetClass() string { - return ClassPremiumFeature -} - -func (*PremiumFeatureAdvancedChatManagement) GetType() string { - return TypePremiumFeatureAdvancedChatManagement -} - -func (*PremiumFeatureAdvancedChatManagement) PremiumFeatureType() string { - return TypePremiumFeatureAdvancedChatManagement -} - -// A badge in the user's profile -type PremiumFeatureProfileBadge struct { - meta -} - -func (entity *PremiumFeatureProfileBadge) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PremiumFeatureProfileBadge - - return json.Marshal((*stub)(entity)) -} - -func (*PremiumFeatureProfileBadge) GetClass() string { - return ClassPremiumFeature -} - -func (*PremiumFeatureProfileBadge) GetType() string { - return TypePremiumFeatureProfileBadge -} - -func (*PremiumFeatureProfileBadge) PremiumFeatureType() string { - return TypePremiumFeatureProfileBadge -} - -// A emoji status shown along with the user's name -type PremiumFeatureEmojiStatus struct { - meta -} - -func (entity *PremiumFeatureEmojiStatus) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PremiumFeatureEmojiStatus - - return json.Marshal((*stub)(entity)) -} - -func (*PremiumFeatureEmojiStatus) GetClass() string { - return ClassPremiumFeature -} - -func (*PremiumFeatureEmojiStatus) GetType() string { - return TypePremiumFeatureEmojiStatus -} - -func (*PremiumFeatureEmojiStatus) PremiumFeatureType() string { - return TypePremiumFeatureEmojiStatus -} - -// Profile photo animation on message and chat screens -type PremiumFeatureAnimatedProfilePhoto struct { - meta -} - -func (entity *PremiumFeatureAnimatedProfilePhoto) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PremiumFeatureAnimatedProfilePhoto - - return json.Marshal((*stub)(entity)) -} - -func (*PremiumFeatureAnimatedProfilePhoto) GetClass() string { - return ClassPremiumFeature -} - -func (*PremiumFeatureAnimatedProfilePhoto) GetType() string { - return TypePremiumFeatureAnimatedProfilePhoto -} - -func (*PremiumFeatureAnimatedProfilePhoto) PremiumFeatureType() string { - return TypePremiumFeatureAnimatedProfilePhoto -} - -// The ability to set a custom emoji as a forum topic icon -type PremiumFeatureForumTopicIcon struct { - meta -} - -func (entity *PremiumFeatureForumTopicIcon) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PremiumFeatureForumTopicIcon - - return json.Marshal((*stub)(entity)) -} - -func (*PremiumFeatureForumTopicIcon) GetClass() string { - return ClassPremiumFeature -} - -func (*PremiumFeatureForumTopicIcon) GetType() string { - return TypePremiumFeatureForumTopicIcon -} - -func (*PremiumFeatureForumTopicIcon) PremiumFeatureType() string { - return TypePremiumFeatureForumTopicIcon -} - -// Allowed to set a premium appllication icons -type PremiumFeatureAppIcons struct { - meta -} - -func (entity *PremiumFeatureAppIcons) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PremiumFeatureAppIcons - - return json.Marshal((*stub)(entity)) -} - -func (*PremiumFeatureAppIcons) GetClass() string { - return ClassPremiumFeature -} - -func (*PremiumFeatureAppIcons) GetType() string { - return TypePremiumFeatureAppIcons -} - -func (*PremiumFeatureAppIcons) PremiumFeatureType() string { - return TypePremiumFeatureAppIcons -} - -// Allowed to translate chat messages real-time -type PremiumFeatureRealTimeChatTranslation struct { - meta -} - -func (entity *PremiumFeatureRealTimeChatTranslation) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PremiumFeatureRealTimeChatTranslation - - return json.Marshal((*stub)(entity)) -} - -func (*PremiumFeatureRealTimeChatTranslation) GetClass() string { - return ClassPremiumFeature -} - -func (*PremiumFeatureRealTimeChatTranslation) GetType() string { - return TypePremiumFeatureRealTimeChatTranslation -} - -func (*PremiumFeatureRealTimeChatTranslation) PremiumFeatureType() string { - return TypePremiumFeatureRealTimeChatTranslation -} - -// Contains information about a limit, increased for Premium users -type PremiumLimit struct { - meta - // The type of the limit - Type PremiumLimitType `json:"type"` - // Default value of the limit - DefaultValue int32 `json:"default_value"` - // Value of the limit for Premium users - PremiumValue int32 `json:"premium_value"` -} - -func (entity *PremiumLimit) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PremiumLimit - - return json.Marshal((*stub)(entity)) -} - -func (*PremiumLimit) GetClass() string { - return ClassPremiumLimit -} - -func (*PremiumLimit) GetType() string { - return TypePremiumLimit -} - -func (premiumLimit *PremiumLimit) UnmarshalJSON(data []byte) error { - var tmp struct { - Type json.RawMessage `json:"type"` - DefaultValue int32 `json:"default_value"` - PremiumValue int32 `json:"premium_value"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - premiumLimit.DefaultValue = tmp.DefaultValue - premiumLimit.PremiumValue = tmp.PremiumValue - - fieldType, _ := UnmarshalPremiumLimitType(tmp.Type) - premiumLimit.Type = fieldType - - return nil -} - -// Contains information about features, available to Premium users -type PremiumFeatures struct { - meta - // The list of available features - Features []PremiumFeature `json:"features"` - // The list of limits, increased for Premium users - Limits []*PremiumLimit `json:"limits"` - // An internal link to be opened to pay for Telegram Premium if store payment isn't possible; may be null if direct payment isn't available - PaymentLink InternalLinkType `json:"payment_link"` -} - -func (entity *PremiumFeatures) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PremiumFeatures - - return json.Marshal((*stub)(entity)) -} - -func (*PremiumFeatures) GetClass() string { - return ClassPremiumFeatures -} - -func (*PremiumFeatures) GetType() string { - return TypePremiumFeatures -} - -func (premiumFeatures *PremiumFeatures) UnmarshalJSON(data []byte) error { - var tmp struct { - Features []json.RawMessage `json:"features"` - Limits []*PremiumLimit `json:"limits"` - PaymentLink json.RawMessage `json:"payment_link"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - premiumFeatures.Limits = tmp.Limits - - fieldFeatures, _ := UnmarshalListOfPremiumFeature(tmp.Features) - premiumFeatures.Features = fieldFeatures - - fieldPaymentLink, _ := UnmarshalInternalLinkType(tmp.PaymentLink) - premiumFeatures.PaymentLink = fieldPaymentLink - - return nil -} - -// A limit was exceeded -type PremiumSourceLimitExceeded struct { - meta - // Type of the exceeded limit - LimitType PremiumLimitType `json:"limit_type"` -} - -func (entity *PremiumSourceLimitExceeded) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PremiumSourceLimitExceeded - - return json.Marshal((*stub)(entity)) -} - -func (*PremiumSourceLimitExceeded) GetClass() string { - return ClassPremiumSource -} - -func (*PremiumSourceLimitExceeded) GetType() string { - return TypePremiumSourceLimitExceeded -} - -func (*PremiumSourceLimitExceeded) PremiumSourceType() string { - return TypePremiumSourceLimitExceeded -} - -func (premiumSourceLimitExceeded *PremiumSourceLimitExceeded) UnmarshalJSON(data []byte) error { - var tmp struct { - LimitType json.RawMessage `json:"limit_type"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - fieldLimitType, _ := UnmarshalPremiumLimitType(tmp.LimitType) - premiumSourceLimitExceeded.LimitType = fieldLimitType - - return nil -} - -// A user tried to use a Premium feature -type PremiumSourceFeature struct { - meta - // The used feature - Feature PremiumFeature `json:"feature"` -} - -func (entity *PremiumSourceFeature) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PremiumSourceFeature - - return json.Marshal((*stub)(entity)) -} - -func (*PremiumSourceFeature) GetClass() string { - return ClassPremiumSource -} - -func (*PremiumSourceFeature) GetType() string { - return TypePremiumSourceFeature -} - -func (*PremiumSourceFeature) PremiumSourceType() string { - return TypePremiumSourceFeature -} - -func (premiumSourceFeature *PremiumSourceFeature) UnmarshalJSON(data []byte) error { - var tmp struct { - Feature json.RawMessage `json:"feature"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - fieldFeature, _ := UnmarshalPremiumFeature(tmp.Feature) - premiumSourceFeature.Feature = fieldFeature - - return nil -} - -// A user opened an internal link of the type internalLinkTypePremiumFeatures -type PremiumSourceLink struct { - meta - // The referrer from the link - Referrer string `json:"referrer"` -} - -func (entity *PremiumSourceLink) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PremiumSourceLink - - return json.Marshal((*stub)(entity)) -} - -func (*PremiumSourceLink) GetClass() string { - return ClassPremiumSource -} - -func (*PremiumSourceLink) GetType() string { - return TypePremiumSourceLink -} - -func (*PremiumSourceLink) PremiumSourceType() string { - return TypePremiumSourceLink -} - -// A user opened the Premium features screen from settings -type PremiumSourceSettings struct { - meta -} - -func (entity *PremiumSourceSettings) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PremiumSourceSettings - - return json.Marshal((*stub)(entity)) -} - -func (*PremiumSourceSettings) GetClass() string { - return ClassPremiumSource -} - -func (*PremiumSourceSettings) GetType() string { - return TypePremiumSourceSettings -} - -func (*PremiumSourceSettings) PremiumSourceType() string { - return TypePremiumSourceSettings -} - -// Describes a promotion animation for a Premium feature -type PremiumFeaturePromotionAnimation struct { - meta - // Premium feature - Feature PremiumFeature `json:"feature"` - // Promotion animation for the feature - Animation *Animation `json:"animation"` -} - -func (entity *PremiumFeaturePromotionAnimation) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PremiumFeaturePromotionAnimation - - return json.Marshal((*stub)(entity)) -} - -func (*PremiumFeaturePromotionAnimation) GetClass() string { - return ClassPremiumFeaturePromotionAnimation -} - -func (*PremiumFeaturePromotionAnimation) GetType() string { - return TypePremiumFeaturePromotionAnimation -} - -func (premiumFeaturePromotionAnimation *PremiumFeaturePromotionAnimation) UnmarshalJSON(data []byte) error { - var tmp struct { - Feature json.RawMessage `json:"feature"` - Animation *Animation `json:"animation"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - premiumFeaturePromotionAnimation.Animation = tmp.Animation - - fieldFeature, _ := UnmarshalPremiumFeature(tmp.Feature) - premiumFeaturePromotionAnimation.Feature = fieldFeature - - return nil -} - -// Contains state of Telegram Premium subscription and promotion videos for Premium features -type PremiumState struct { - meta - // Text description of the state of the current Premium subscription; may be empty if the current user has no Telegram Premium subscription - State *FormattedText `json:"state"` - // The list of available options for buying Telegram Premium - PaymentOptions []*PremiumStatePaymentOption `json:"payment_options"` - // The list of available promotion animations for Premium features - Animations []*PremiumFeaturePromotionAnimation `json:"animations"` -} - -func (entity *PremiumState) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PremiumState - - return json.Marshal((*stub)(entity)) -} - -func (*PremiumState) GetClass() string { - return ClassPremiumState -} - -func (*PremiumState) GetType() string { - return TypePremiumState -} - -// The user subscribed to Telegram Premium -type StorePaymentPurposePremiumSubscription struct { - meta - // Pass true if this is a restore of a Telegram Premium purchase; only for App Store - IsRestore bool `json:"is_restore"` - // Pass true if this is an upgrade from a monthly subscription to early subscription; only for App Store - IsUpgrade bool `json:"is_upgrade"` -} - -func (entity *StorePaymentPurposePremiumSubscription) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub StorePaymentPurposePremiumSubscription - - return json.Marshal((*stub)(entity)) -} - -func (*StorePaymentPurposePremiumSubscription) GetClass() string { - return ClassStorePaymentPurpose -} - -func (*StorePaymentPurposePremiumSubscription) GetType() string { - return TypeStorePaymentPurposePremiumSubscription -} - -func (*StorePaymentPurposePremiumSubscription) StorePaymentPurposeType() string { - return TypeStorePaymentPurposePremiumSubscription -} - -// The user gifted Telegram Premium to another user -type StorePaymentPurposeGiftedPremium struct { - meta - // Identifier of the user for which Premium was gifted - UserId int64 `json:"user_id"` - // ISO 4217 currency code of the payment currency - Currency string `json:"currency"` - // Paid amount, in the smallest units of the currency - Amount int64 `json:"amount"` -} - -func (entity *StorePaymentPurposeGiftedPremium) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub StorePaymentPurposeGiftedPremium - - return json.Marshal((*stub)(entity)) -} - -func (*StorePaymentPurposeGiftedPremium) GetClass() string { - return ClassStorePaymentPurpose -} - -func (*StorePaymentPurposeGiftedPremium) GetType() string { - return TypeStorePaymentPurposeGiftedPremium -} - -func (*StorePaymentPurposeGiftedPremium) StorePaymentPurposeType() string { - return TypeStorePaymentPurposeGiftedPremium -} - -// A token for Firebase Cloud Messaging -type DeviceTokenFirebaseCloudMessaging struct { - meta - // Device registration token; may be empty to deregister a device - Token string `json:"token"` - // True, if push notifications must be additionally encrypted - Encrypt bool `json:"encrypt"` -} - -func (entity *DeviceTokenFirebaseCloudMessaging) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub DeviceTokenFirebaseCloudMessaging - - return json.Marshal((*stub)(entity)) -} - -func (*DeviceTokenFirebaseCloudMessaging) GetClass() string { - return ClassDeviceToken -} - -func (*DeviceTokenFirebaseCloudMessaging) GetType() string { - return TypeDeviceTokenFirebaseCloudMessaging -} - -func (*DeviceTokenFirebaseCloudMessaging) DeviceTokenType() string { - return TypeDeviceTokenFirebaseCloudMessaging -} - -// A token for Apple Push Notification service -type DeviceTokenApplePush struct { - meta - // Device token; may be empty to deregister a device - DeviceToken string `json:"device_token"` - // True, if App Sandbox is enabled - IsAppSandbox bool `json:"is_app_sandbox"` -} - -func (entity *DeviceTokenApplePush) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub DeviceTokenApplePush - - return json.Marshal((*stub)(entity)) -} - -func (*DeviceTokenApplePush) GetClass() string { - return ClassDeviceToken -} - -func (*DeviceTokenApplePush) GetType() string { - return TypeDeviceTokenApplePush -} - -func (*DeviceTokenApplePush) DeviceTokenType() string { - return TypeDeviceTokenApplePush -} - -// A token for Apple Push Notification service VoIP notifications -type DeviceTokenApplePushVoIP struct { - meta - // Device token; may be empty to deregister a device - DeviceToken string `json:"device_token"` - // True, if App Sandbox is enabled - IsAppSandbox bool `json:"is_app_sandbox"` - // True, if push notifications must be additionally encrypted - Encrypt bool `json:"encrypt"` -} - -func (entity *DeviceTokenApplePushVoIP) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub DeviceTokenApplePushVoIP - - return json.Marshal((*stub)(entity)) -} - -func (*DeviceTokenApplePushVoIP) GetClass() string { - return ClassDeviceToken -} - -func (*DeviceTokenApplePushVoIP) GetType() string { - return TypeDeviceTokenApplePushVoIP -} - -func (*DeviceTokenApplePushVoIP) DeviceTokenType() string { - return TypeDeviceTokenApplePushVoIP -} - -// A token for Windows Push Notification Services -type DeviceTokenWindowsPush struct { - meta - // The access token that will be used to send notifications; may be empty to deregister a device - AccessToken string `json:"access_token"` -} - -func (entity *DeviceTokenWindowsPush) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub DeviceTokenWindowsPush - - return json.Marshal((*stub)(entity)) -} - -func (*DeviceTokenWindowsPush) GetClass() string { - return ClassDeviceToken -} - -func (*DeviceTokenWindowsPush) GetType() string { - return TypeDeviceTokenWindowsPush -} - -func (*DeviceTokenWindowsPush) DeviceTokenType() string { - return TypeDeviceTokenWindowsPush -} - -// A token for Microsoft Push Notification Service -type DeviceTokenMicrosoftPush struct { - meta - // Push notification channel URI; may be empty to deregister a device - ChannelUri string `json:"channel_uri"` -} - -func (entity *DeviceTokenMicrosoftPush) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub DeviceTokenMicrosoftPush - - return json.Marshal((*stub)(entity)) -} - -func (*DeviceTokenMicrosoftPush) GetClass() string { - return ClassDeviceToken -} - -func (*DeviceTokenMicrosoftPush) GetType() string { - return TypeDeviceTokenMicrosoftPush -} - -func (*DeviceTokenMicrosoftPush) DeviceTokenType() string { - return TypeDeviceTokenMicrosoftPush -} - -// A token for Microsoft Push Notification Service VoIP channel -type DeviceTokenMicrosoftPushVoIP struct { - meta - // Push notification channel URI; may be empty to deregister a device - ChannelUri string `json:"channel_uri"` -} - -func (entity *DeviceTokenMicrosoftPushVoIP) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub DeviceTokenMicrosoftPushVoIP - - return json.Marshal((*stub)(entity)) -} - -func (*DeviceTokenMicrosoftPushVoIP) GetClass() string { - return ClassDeviceToken -} - -func (*DeviceTokenMicrosoftPushVoIP) GetType() string { - return TypeDeviceTokenMicrosoftPushVoIP -} - -func (*DeviceTokenMicrosoftPushVoIP) DeviceTokenType() string { - return TypeDeviceTokenMicrosoftPushVoIP -} - -// A token for web Push API -type DeviceTokenWebPush struct { - meta - // Absolute URL exposed by the push service where the application server can send push messages; may be empty to deregister a device - Endpoint string `json:"endpoint"` - // Base64url-encoded P-256 elliptic curve Diffie-Hellman public key - P256dhBase64url string `json:"p256dh_base64url"` - // Base64url-encoded authentication secret - AuthBase64url string `json:"auth_base64url"` -} - -func (entity *DeviceTokenWebPush) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub DeviceTokenWebPush - - return json.Marshal((*stub)(entity)) -} - -func (*DeviceTokenWebPush) GetClass() string { - return ClassDeviceToken -} - -func (*DeviceTokenWebPush) GetType() string { - return TypeDeviceTokenWebPush -} - -func (*DeviceTokenWebPush) DeviceTokenType() string { - return TypeDeviceTokenWebPush -} - -// A token for Simple Push API for Firefox OS -type DeviceTokenSimplePush struct { - meta - // Absolute URL exposed by the push service where the application server can send push messages; may be empty to deregister a device - Endpoint string `json:"endpoint"` -} - -func (entity *DeviceTokenSimplePush) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + fieldType, _ := UnmarshalPollType(tmp.Type) + poll.Type = fieldType - type stub DeviceTokenSimplePush - - return json.Marshal((*stub)(entity)) -} - -func (*DeviceTokenSimplePush) GetClass() string { - return ClassDeviceToken -} - -func (*DeviceTokenSimplePush) GetType() string { - return TypeDeviceTokenSimplePush -} - -func (*DeviceTokenSimplePush) DeviceTokenType() string { - return TypeDeviceTokenSimplePush -} - -// A token for Ubuntu Push Client service -type DeviceTokenUbuntuPush struct { - meta - // Token; may be empty to deregister a device - Token string `json:"token"` -} - -func (entity *DeviceTokenUbuntuPush) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub DeviceTokenUbuntuPush - - return json.Marshal((*stub)(entity)) -} - -func (*DeviceTokenUbuntuPush) GetClass() string { - return ClassDeviceToken -} - -func (*DeviceTokenUbuntuPush) GetType() string { - return TypeDeviceTokenUbuntuPush -} - -func (*DeviceTokenUbuntuPush) DeviceTokenType() string { - return TypeDeviceTokenUbuntuPush -} - -// A token for BlackBerry Push Service -type DeviceTokenBlackBerryPush struct { - meta - // Token; may be empty to deregister a device - Token string `json:"token"` -} - -func (entity *DeviceTokenBlackBerryPush) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub DeviceTokenBlackBerryPush - - return json.Marshal((*stub)(entity)) -} - -func (*DeviceTokenBlackBerryPush) GetClass() string { - return ClassDeviceToken -} - -func (*DeviceTokenBlackBerryPush) GetType() string { - return TypeDeviceTokenBlackBerryPush -} - -func (*DeviceTokenBlackBerryPush) DeviceTokenType() string { - return TypeDeviceTokenBlackBerryPush -} - -// A token for Tizen Push Service -type DeviceTokenTizenPush struct { - meta - // Push service registration identifier; may be empty to deregister a device - RegId string `json:"reg_id"` -} - -func (entity *DeviceTokenTizenPush) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub DeviceTokenTizenPush - - return json.Marshal((*stub)(entity)) -} - -func (*DeviceTokenTizenPush) GetClass() string { - return ClassDeviceToken -} - -func (*DeviceTokenTizenPush) GetType() string { - return TypeDeviceTokenTizenPush -} - -func (*DeviceTokenTizenPush) DeviceTokenType() string { - return TypeDeviceTokenTizenPush -} - -// A token for HUAWEI Push Service -type DeviceTokenHuaweiPush struct { - meta - // Device registration token; may be empty to deregister a device - Token string `json:"token"` - // True, if push notifications must be additionally encrypted - Encrypt bool `json:"encrypt"` -} - -func (entity *DeviceTokenHuaweiPush) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub DeviceTokenHuaweiPush - - return json.Marshal((*stub)(entity)) -} - -func (*DeviceTokenHuaweiPush) GetClass() string { - return ClassDeviceToken -} - -func (*DeviceTokenHuaweiPush) GetType() string { - return TypeDeviceTokenHuaweiPush -} - -func (*DeviceTokenHuaweiPush) DeviceTokenType() string { - return TypeDeviceTokenHuaweiPush -} - -// Contains a globally unique push receiver identifier, which can be used to identify which account has received a push notification -type PushReceiverId struct { - meta - // The globally unique identifier of push notification subscription - Id JsonInt64 `json:"id"` -} - -func (entity *PushReceiverId) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub PushReceiverId - - return json.Marshal((*stub)(entity)) -} - -func (*PushReceiverId) GetClass() string { - return ClassPushReceiverId -} - -func (*PushReceiverId) GetType() string { - return TypePushReceiverId -} - -// Describes a solid fill of a background -type BackgroundFillSolid struct { - meta - // A color of the background in the RGB24 format - Color int32 `json:"color"` -} - -func (entity *BackgroundFillSolid) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub BackgroundFillSolid - - return json.Marshal((*stub)(entity)) -} - -func (*BackgroundFillSolid) GetClass() string { - return ClassBackgroundFill -} - -func (*BackgroundFillSolid) GetType() string { - return TypeBackgroundFillSolid -} - -func (*BackgroundFillSolid) BackgroundFillType() string { - return TypeBackgroundFillSolid -} - -// Describes a gradient fill of a background -type BackgroundFillGradient struct { - meta - // A top color of the background in the RGB24 format - TopColor int32 `json:"top_color"` - // A bottom color of the background in the RGB24 format - BottomColor int32 `json:"bottom_color"` - // Clockwise rotation angle of the gradient, in degrees; 0-359. Must always be divisible by 45 - RotationAngle int32 `json:"rotation_angle"` -} - -func (entity *BackgroundFillGradient) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub BackgroundFillGradient - - return json.Marshal((*stub)(entity)) -} - -func (*BackgroundFillGradient) GetClass() string { - return ClassBackgroundFill -} - -func (*BackgroundFillGradient) GetType() string { - return TypeBackgroundFillGradient -} - -func (*BackgroundFillGradient) BackgroundFillType() string { - return TypeBackgroundFillGradient -} - -// Describes a freeform gradient fill of a background -type BackgroundFillFreeformGradient struct { - meta - // A list of 3 or 4 colors of the freeform gradients in the RGB24 format - Colors []int32 `json:"colors"` -} - -func (entity *BackgroundFillFreeformGradient) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub BackgroundFillFreeformGradient - - return json.Marshal((*stub)(entity)) -} - -func (*BackgroundFillFreeformGradient) GetClass() string { - return ClassBackgroundFill -} - -func (*BackgroundFillFreeformGradient) GetType() string { - return TypeBackgroundFillFreeformGradient -} - -func (*BackgroundFillFreeformGradient) BackgroundFillType() string { - return TypeBackgroundFillFreeformGradient -} - -// A wallpaper in JPEG format -type BackgroundTypeWallpaper struct { - meta - // True, if the wallpaper must be downscaled to fit in 450x450 square and then box-blurred with radius 12 - IsBlurred bool `json:"is_blurred"` - // True, if the background needs to be slightly moved when device is tilted - IsMoving bool `json:"is_moving"` -} - -func (entity *BackgroundTypeWallpaper) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub BackgroundTypeWallpaper - - return json.Marshal((*stub)(entity)) -} - -func (*BackgroundTypeWallpaper) GetClass() string { - return ClassBackgroundType -} - -func (*BackgroundTypeWallpaper) GetType() string { - return TypeBackgroundTypeWallpaper -} - -func (*BackgroundTypeWallpaper) BackgroundTypeType() string { - return TypeBackgroundTypeWallpaper + return nil } -// A PNG or TGV (gzipped subset of SVG with MIME type "application/x-tgwallpattern") pattern to be combined with the background fill chosen by the user -type BackgroundTypePattern struct { - meta - // Fill of the background - Fill BackgroundFill `json:"fill"` - // Intensity of the pattern when it is shown above the filled background; 0-100. - Intensity int32 `json:"intensity"` - // True, if the background fill must be applied only to the pattern itself. All other pixels are black in this case. For dark themes only - IsInverted bool `json:"is_inverted"` - // True, if the background needs to be slightly moved when device is tilted - IsMoving bool `json:"is_moving"` +// Describes an alternative re-encoded quality of a video file +type AlternativeVideo struct { + meta + // Unique identifier of the alternative video, which is used in the HLS file + Id JsonInt64 `json:"id"` + // Video width + Width int32 `json:"width"` + // Video height + Height int32 `json:"height"` + // Codec used for video file encoding, for example, "h264", "h265", "av1", or "av01" + Codec string `json:"codec"` + // HLS file describing the video + HlsFile *File `json:"hls_file"` + // File containing the video + Video *File `json:"video"` } -func (entity *BackgroundTypePattern) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub BackgroundTypePattern - - return json.Marshal((*stub)(entity)) -} +func (entity *AlternativeVideo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() -func (*BackgroundTypePattern) GetClass() string { - return ClassBackgroundType -} + type stub AlternativeVideo -func (*BackgroundTypePattern) GetType() string { - return TypeBackgroundTypePattern + return json.Marshal((*stub)(entity)) } -func (*BackgroundTypePattern) BackgroundTypeType() string { - return TypeBackgroundTypePattern +func (*AlternativeVideo) GetClass() string { + return ClassAlternativeVideo } -func (backgroundTypePattern *BackgroundTypePattern) UnmarshalJSON(data []byte) error { - var tmp struct { - Fill json.RawMessage `json:"fill"` - Intensity int32 `json:"intensity"` - IsInverted bool `json:"is_inverted"` - IsMoving bool `json:"is_moving"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - backgroundTypePattern.Intensity = tmp.Intensity - backgroundTypePattern.IsInverted = tmp.IsInverted - backgroundTypePattern.IsMoving = tmp.IsMoving - - fieldFill, _ := UnmarshalBackgroundFill(tmp.Fill) - backgroundTypePattern.Fill = fieldFill - - return nil +func (*AlternativeVideo) GetType() string { + return TypeAlternativeVideo } -// A filled background -type BackgroundTypeFill struct { - meta - // The background fill - Fill BackgroundFill `json:"fill"` +// Describes a storyboard for a video +type VideoStoryboard struct { + meta + // A JPEG file that contains tiled previews of video + StoryboardFile *File `json:"storyboard_file"` + // Width of a tile + Width int32 `json:"width"` + // Height of a tile + Height int32 `json:"height"` + // File that describes mapping of position in the video to a tile in the JPEG file + MapFile *File `json:"map_file"` } -func (entity *BackgroundTypeFill) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub BackgroundTypeFill - - return json.Marshal((*stub)(entity)) -} +func (entity *VideoStoryboard) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() -func (*BackgroundTypeFill) GetClass() string { - return ClassBackgroundType -} + type stub VideoStoryboard -func (*BackgroundTypeFill) GetType() string { - return TypeBackgroundTypeFill + return json.Marshal((*stub)(entity)) } -func (*BackgroundTypeFill) BackgroundTypeType() string { - return TypeBackgroundTypeFill +func (*VideoStoryboard) GetClass() string { + return ClassVideoStoryboard } -func (backgroundTypeFill *BackgroundTypeFill) UnmarshalJSON(data []byte) error { - var tmp struct { - Fill json.RawMessage `json:"fill"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - fieldFill, _ := UnmarshalBackgroundFill(tmp.Fill) - backgroundTypeFill.Fill = fieldFill - - return nil +func (*VideoStoryboard) GetType() string { + return TypeVideoStoryboard } // Describes a chat background type Background struct { - meta - // Unique background identifier - Id JsonInt64 `json:"id"` - // True, if this is one of default backgrounds - IsDefault bool `json:"is_default"` - // True, if the background is dark and is recommended to be used with dark theme - IsDark bool `json:"is_dark"` - // Unique background name - Name string `json:"name"` - // Document with the background; may be null. Null only for filled backgrounds - Document *Document `json:"document"` - // Type of the background - Type BackgroundType `json:"type"` + meta + // Unique background identifier + Id JsonInt64 `json:"id"` + // True, if this is one of default backgrounds + IsDefault bool `json:"is_default"` + // True, if the background is dark and is recommended to be used with dark theme + IsDark bool `json:"is_dark"` + // Unique background name + Name string `json:"name"` + // Document with the background; may be null. Null only for filled and chat theme backgrounds + Document *Document `json:"document"` + // Type of the background + Type BackgroundType `json:"type"` } func (entity *Background) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub Background + type stub Background - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*Background) GetClass() string { - return ClassBackground + return ClassBackground } func (*Background) GetType() string { - return TypeBackground + return TypeBackground } func (background *Background) UnmarshalJSON(data []byte) error { - var tmp struct { - Id JsonInt64 `json:"id"` - IsDefault bool `json:"is_default"` - IsDark bool `json:"is_dark"` - Name string `json:"name"` - Document *Document `json:"document"` - Type json.RawMessage `json:"type"` - } + var tmp struct { + Id JsonInt64 `json:"id"` + IsDefault bool `json:"is_default"` + IsDark bool `json:"is_dark"` + Name string `json:"name"` + Document *Document `json:"document"` + Type json.RawMessage `json:"type"` + } - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - background.Id = tmp.Id - background.IsDefault = tmp.IsDefault - background.IsDark = tmp.IsDark - background.Name = tmp.Name - background.Document = tmp.Document + background.Id = tmp.Id + background.IsDefault = tmp.IsDefault + background.IsDark = tmp.IsDark + background.Name = tmp.Name + background.Document = tmp.Document - fieldType, _ := UnmarshalBackgroundType(tmp.Type) - background.Type = fieldType + fieldType, _ := UnmarshalBackgroundType(tmp.Type) + background.Type = fieldType - return nil + return nil } // Contains a list of backgrounds type Backgrounds struct { - meta - // A list of backgrounds - Backgrounds []*Background `json:"backgrounds"` + meta + // A list of backgrounds + Backgrounds []*Background `json:"backgrounds"` } func (entity *Backgrounds) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub Backgrounds + type stub Backgrounds - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*Backgrounds) GetClass() string { - return ClassBackgrounds + return ClassBackgrounds } func (*Backgrounds) GetType() string { - return TypeBackgrounds + return TypeBackgrounds } -// A background from a local file -type InputBackgroundLocal struct { - meta - // Background file to use. Only inputFileLocal and inputFileGenerated are supported. The file must be in JPEG format for wallpapers and in PNG format for patterns - Background InputFile `json:"background"` +// Describes a background set for a specific chat +type ChatBackground struct { + meta + // The background + Background *Background `json:"background"` + // Dimming of the background in dark themes, as a percentage; 0-100. Applied only to Wallpaper and Fill types of background + DarkThemeDimming int32 `json:"dark_theme_dimming"` } -func (entity *InputBackgroundLocal) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *ChatBackground) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub InputBackgroundLocal + type stub ChatBackground - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*InputBackgroundLocal) GetClass() string { - return ClassInputBackground +func (*ChatBackground) GetClass() string { + return ClassChatBackground } -func (*InputBackgroundLocal) GetType() string { - return TypeInputBackgroundLocal +func (*ChatBackground) GetType() string { + return TypeChatBackground } -func (*InputBackgroundLocal) InputBackgroundType() string { - return TypeInputBackgroundLocal +// Describes a user profile photo +type ProfilePhoto struct { + meta + // Photo identifier; 0 for an empty photo. Can be used to find a photo in a list of user profile photos + Id JsonInt64 `json:"id"` + // A small (160x160) user profile photo. The file can be downloaded only before the photo is changed + Small *File `json:"small"` + // A big (640x640) user profile photo. The file can be downloaded only before the photo is changed + Big *File `json:"big"` + // User profile photo minithumbnail; may be null + Minithumbnail *Minithumbnail `json:"minithumbnail"` + // True, if the photo has animated variant + HasAnimation bool `json:"has_animation"` + // True, if the photo is visible only for the current user + IsPersonal bool `json:"is_personal"` } -func (inputBackgroundLocal *InputBackgroundLocal) UnmarshalJSON(data []byte) error { - var tmp struct { - Background json.RawMessage `json:"background"` - } +func (entity *ProfilePhoto) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + type stub ProfilePhoto - fieldBackground, _ := UnmarshalInputFile(tmp.Background) - inputBackgroundLocal.Background = fieldBackground - - return nil + return json.Marshal((*stub)(entity)) } -// A background from the server -type InputBackgroundRemote struct { - meta - // The background identifier - BackgroundId JsonInt64 `json:"background_id"` +func (*ProfilePhoto) GetClass() string { + return ClassProfilePhoto } -func (entity *InputBackgroundRemote) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InputBackgroundRemote - - return json.Marshal((*stub)(entity)) +func (*ProfilePhoto) GetType() string { + return TypeProfilePhoto } -func (*InputBackgroundRemote) GetClass() string { - return ClassInputBackground +// Contains basic information about the photo of a chat +type ChatPhotoInfo struct { + meta + // A small (160x160) chat photo variant in JPEG format. The file can be downloaded only before the photo is changed + Small *File `json:"small"` + // A big (640x640) chat photo variant in JPEG format. The file can be downloaded only before the photo is changed + Big *File `json:"big"` + // Chat photo minithumbnail; may be null + Minithumbnail *Minithumbnail `json:"minithumbnail"` + // True, if the photo has animated variant + HasAnimation bool `json:"has_animation"` + // True, if the photo is visible only for the current user + IsPersonal bool `json:"is_personal"` } -func (*InputBackgroundRemote) GetType() string { - return TypeInputBackgroundRemote +func (entity *ChatPhotoInfo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatPhotoInfo + + return json.Marshal((*stub)(entity)) } -func (*InputBackgroundRemote) InputBackgroundType() string { - return TypeInputBackgroundRemote +func (*ChatPhotoInfo) GetClass() string { + return ClassChatPhotoInfo +} + +func (*ChatPhotoInfo) GetType() string { + return TypeChatPhotoInfo +} + +// A tab with stories posted by the user or the channel chat and saved to profile +type ProfileTabPosts struct{ + meta +} + +func (entity *ProfileTabPosts) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ProfileTabPosts + + return json.Marshal((*stub)(entity)) +} + +func (*ProfileTabPosts) GetClass() string { + return ClassProfileTab +} + +func (*ProfileTabPosts) GetType() string { + return TypeProfileTabPosts +} + +func (*ProfileTabPosts) ProfileTabType() string { + return TypeProfileTabPosts +} + +// A tab with gifts received by the user or the channel chat +type ProfileTabGifts struct{ + meta +} + +func (entity *ProfileTabGifts) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ProfileTabGifts + + return json.Marshal((*stub)(entity)) +} + +func (*ProfileTabGifts) GetClass() string { + return ClassProfileTab +} + +func (*ProfileTabGifts) GetType() string { + return TypeProfileTabGifts +} + +func (*ProfileTabGifts) ProfileTabType() string { + return TypeProfileTabGifts +} + +// A tab with photos and videos posted by the channel +type ProfileTabMedia struct{ + meta +} + +func (entity *ProfileTabMedia) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ProfileTabMedia + + return json.Marshal((*stub)(entity)) +} + +func (*ProfileTabMedia) GetClass() string { + return ClassProfileTab +} + +func (*ProfileTabMedia) GetType() string { + return TypeProfileTabMedia +} + +func (*ProfileTabMedia) ProfileTabType() string { + return TypeProfileTabMedia +} + +// A tab with documents posted by the channel +type ProfileTabFiles struct{ + meta +} + +func (entity *ProfileTabFiles) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ProfileTabFiles + + return json.Marshal((*stub)(entity)) +} + +func (*ProfileTabFiles) GetClass() string { + return ClassProfileTab +} + +func (*ProfileTabFiles) GetType() string { + return TypeProfileTabFiles +} + +func (*ProfileTabFiles) ProfileTabType() string { + return TypeProfileTabFiles +} + +// A tab with messages posted by the channel and containing links +type ProfileTabLinks struct{ + meta +} + +func (entity *ProfileTabLinks) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ProfileTabLinks + + return json.Marshal((*stub)(entity)) +} + +func (*ProfileTabLinks) GetClass() string { + return ClassProfileTab +} + +func (*ProfileTabLinks) GetType() string { + return TypeProfileTabLinks +} + +func (*ProfileTabLinks) ProfileTabType() string { + return TypeProfileTabLinks +} + +// A tab with audio messages posted by the channel +type ProfileTabMusic struct{ + meta +} + +func (entity *ProfileTabMusic) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ProfileTabMusic + + return json.Marshal((*stub)(entity)) +} + +func (*ProfileTabMusic) GetClass() string { + return ClassProfileTab +} + +func (*ProfileTabMusic) GetType() string { + return TypeProfileTabMusic +} + +func (*ProfileTabMusic) ProfileTabType() string { + return TypeProfileTabMusic +} + +// A tab with voice notes posted by the channel +type ProfileTabVoice struct{ + meta +} + +func (entity *ProfileTabVoice) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ProfileTabVoice + + return json.Marshal((*stub)(entity)) +} + +func (*ProfileTabVoice) GetClass() string { + return ClassProfileTab +} + +func (*ProfileTabVoice) GetType() string { + return TypeProfileTabVoice +} + +func (*ProfileTabVoice) ProfileTabType() string { + return TypeProfileTabVoice +} + +// A tab with animations posted by the channel +type ProfileTabGifs struct{ + meta +} + +func (entity *ProfileTabGifs) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ProfileTabGifs + + return json.Marshal((*stub)(entity)) +} + +func (*ProfileTabGifs) GetClass() string { + return ClassProfileTab +} + +func (*ProfileTabGifs) GetType() string { + return TypeProfileTabGifs +} + +func (*ProfileTabGifs) ProfileTabType() string { + return TypeProfileTabGifs +} + +// A regular user +type UserTypeRegular struct{ + meta +} + +func (entity *UserTypeRegular) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UserTypeRegular + + return json.Marshal((*stub)(entity)) +} + +func (*UserTypeRegular) GetClass() string { + return ClassUserType +} + +func (*UserTypeRegular) GetType() string { + return TypeUserTypeRegular +} + +func (*UserTypeRegular) UserTypeType() string { + return TypeUserTypeRegular +} + +// A deleted user or deleted bot. No information on the user besides the user identifier is available. It is not possible to perform any active actions on this type of user +type UserTypeDeleted struct{ + meta +} + +func (entity *UserTypeDeleted) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UserTypeDeleted + + return json.Marshal((*stub)(entity)) +} + +func (*UserTypeDeleted) GetClass() string { + return ClassUserType +} + +func (*UserTypeDeleted) GetType() string { + return TypeUserTypeDeleted +} + +func (*UserTypeDeleted) UserTypeType() string { + return TypeUserTypeDeleted +} + +// A bot (see https://core.telegram.org/bots) +type UserTypeBot struct { + meta + // True, if the bot is owned by the current user and can be edited using the methods toggleBotUsernameIsActive, reorderBotActiveUsernames, setBotProfilePhoto, setBotName, setBotInfoDescription, and setBotInfoShortDescription + CanBeEdited bool `json:"can_be_edited"` + // True, if the bot can be invited to basic group and supergroup chats + CanJoinGroups bool `json:"can_join_groups"` + // True, if the bot can read all messages in basic group or supergroup chats and not just those addressed to the bot. In private and channel chats a bot can always read all messages + CanReadAllGroupMessages bool `json:"can_read_all_group_messages"` + // True, if the bot has the main Web App + HasMainWebApp bool `json:"has_main_web_app"` + // True, if the bot has topics + HasTopics bool `json:"has_topics"` + // True, if users can create and delete topics in the chat with the bot + AllowsUsersToCreateTopics bool `json:"allows_users_to_create_topics"` + // True, if the bot supports inline queries + IsInline bool `json:"is_inline"` + // Placeholder for inline queries (displayed on the application input field) + InlineQueryPlaceholder string `json:"inline_query_placeholder"` + // True, if the location of the user is expected to be sent with every inline query to this bot + NeedLocation bool `json:"need_location"` + // True, if the bot supports connection to Telegram Business accounts + CanConnectToBusiness bool `json:"can_connect_to_business"` + // True, if the bot can be added to attachment or side menu + CanBeAddedToAttachmentMenu bool `json:"can_be_added_to_attachment_menu"` + // The number of recently active users of the bot + ActiveUserCount int32 `json:"active_user_count"` +} + +func (entity *UserTypeBot) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UserTypeBot + + return json.Marshal((*stub)(entity)) +} + +func (*UserTypeBot) GetClass() string { + return ClassUserType +} + +func (*UserTypeBot) GetType() string { + return TypeUserTypeBot +} + +func (*UserTypeBot) UserTypeType() string { + return TypeUserTypeBot +} + +// No information on the user besides the user identifier is available, yet this user has not been deleted. This object is extremely rare and must be handled like a deleted user. It is not possible to perform any actions on users of this type +type UserTypeUnknown struct{ + meta +} + +func (entity *UserTypeUnknown) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UserTypeUnknown + + return json.Marshal((*stub)(entity)) +} + +func (*UserTypeUnknown) GetClass() string { + return ClassUserType +} + +func (*UserTypeUnknown) GetType() string { + return TypeUserTypeUnknown +} + +func (*UserTypeUnknown) UserTypeType() string { + return TypeUserTypeUnknown +} + +// Represents a command supported by a bot +type BotCommand struct { + meta + // Text of the bot command + Command string `json:"command"` + // Description of the bot command + Description string `json:"description"` +} + +func (entity *BotCommand) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BotCommand + + return json.Marshal((*stub)(entity)) +} + +func (*BotCommand) GetClass() string { + return ClassBotCommand +} + +func (*BotCommand) GetType() string { + return TypeBotCommand +} + +// Contains a list of bot commands +type BotCommands struct { + meta + // Bot's user identifier + BotUserId int64 `json:"bot_user_id"` + // List of bot commands + Commands []*BotCommand `json:"commands"` +} + +func (entity *BotCommands) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BotCommands + + return json.Marshal((*stub)(entity)) +} + +func (*BotCommands) GetClass() string { + return ClassBotCommands +} + +func (*BotCommands) GetType() string { + return TypeBotCommands +} + +// Describes a button to be shown instead of bot commands menu button +type BotMenuButton struct { + meta + // Text of the button + Text string `json:"text"` + // URL of a Web App to open when the button is pressed. If the link is of the type internalLinkTypeWebApp, then it must be processed accordingly. Otherwise, the link must be passed to openWebApp + Url string `json:"url"` +} + +func (entity *BotMenuButton) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BotMenuButton + + return json.Marshal((*stub)(entity)) +} + +func (*BotMenuButton) GetClass() string { + return ClassBotMenuButton +} + +func (*BotMenuButton) GetType() string { + return TypeBotMenuButton +} + +// Describes parameters of verification that is provided by a bot +type BotVerificationParameters struct { + meta + // Identifier of the custom emoji that is used as the verification sign + IconCustomEmojiId JsonInt64 `json:"icon_custom_emoji_id"` + // Name of the organization that provides verification + OrganizationName string `json:"organization_name"` + // Default custom description of verification reason to be used as placeholder in setMessageSenderBotVerification; may be null if none + DefaultCustomDescription *FormattedText `json:"default_custom_description"` + // True, if the bot is allowed to provide custom description for verified entities + CanSetCustomDescription bool `json:"can_set_custom_description"` +} + +func (entity *BotVerificationParameters) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BotVerificationParameters + + return json.Marshal((*stub)(entity)) +} + +func (*BotVerificationParameters) GetClass() string { + return ClassBotVerificationParameters +} + +func (*BotVerificationParameters) GetType() string { + return TypeBotVerificationParameters +} + +// Describes verification status provided by a bot +type BotVerification struct { + meta + // Identifier of the bot that provided the verification + BotUserId int64 `json:"bot_user_id"` + // Identifier of the custom emoji that is used as the verification sign + IconCustomEmojiId JsonInt64 `json:"icon_custom_emoji_id"` + // Custom description of verification reason set by the bot. Can contain only Mention, Hashtag, Cashtag, PhoneNumber, BankCardNumber, Url, and EmailAddress entities + CustomDescription *FormattedText `json:"custom_description"` +} + +func (entity *BotVerification) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BotVerification + + return json.Marshal((*stub)(entity)) +} + +func (*BotVerification) GetClass() string { + return ClassBotVerification +} + +func (*BotVerification) GetType() string { + return TypeBotVerification +} + +// Contains information about verification status of a chat or a user +type VerificationStatus struct { + meta + // True, if the chat or the user is verified by Telegram + IsVerified bool `json:"is_verified"` + // True, if the chat or the user is marked as scam by Telegram + IsScam bool `json:"is_scam"` + // True, if the chat or the user is marked as fake by Telegram + IsFake bool `json:"is_fake"` + // Identifier of the custom emoji to be shown as verification sign provided by a bot for the user; 0 if none + BotVerificationIconCustomEmojiId JsonInt64 `json:"bot_verification_icon_custom_emoji_id"` +} + +func (entity *VerificationStatus) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub VerificationStatus + + return json.Marshal((*stub)(entity)) +} + +func (*VerificationStatus) GetClass() string { + return ClassVerificationStatus +} + +func (*VerificationStatus) GetType() string { + return TypeVerificationStatus +} + +// Represents a location to which a chat is connected +type ChatLocation struct { + meta + // The location + Location *Location `json:"location"` + // Location address; 1-64 characters, as defined by the chat owner + Address string `json:"address"` +} + +func (entity *ChatLocation) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatLocation + + return json.Marshal((*stub)(entity)) +} + +func (*ChatLocation) GetClass() string { + return ClassChatLocation +} + +func (*ChatLocation) GetType() string { + return TypeChatLocation +} + +// Represents a birthdate of a user +type Birthdate struct { + meta + // Day of the month; 1-31 + Day int32 `json:"day"` + // Month of the year; 1-12 + Month int32 `json:"month"` + // Birth year; 0 if unknown + Year int32 `json:"year"` +} + +func (entity *Birthdate) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub Birthdate + + return json.Marshal((*stub)(entity)) +} + +func (*Birthdate) GetClass() string { + return ClassBirthdate +} + +func (*Birthdate) GetType() string { + return TypeBirthdate +} + +// Describes a user who had or will have a birthday soon +type CloseBirthdayUser struct { + meta + // User identifier + UserId int64 `json:"user_id"` + // Birthdate of the user + Birthdate *Birthdate `json:"birthdate"` +} + +func (entity *CloseBirthdayUser) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub CloseBirthdayUser + + return json.Marshal((*stub)(entity)) +} + +func (*CloseBirthdayUser) GetClass() string { + return ClassCloseBirthdayUser +} + +func (*CloseBirthdayUser) GetType() string { + return TypeCloseBirthdayUser +} + +// Send away messages always +type BusinessAwayMessageScheduleAlways struct{ + meta +} + +func (entity *BusinessAwayMessageScheduleAlways) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BusinessAwayMessageScheduleAlways + + return json.Marshal((*stub)(entity)) +} + +func (*BusinessAwayMessageScheduleAlways) GetClass() string { + return ClassBusinessAwayMessageSchedule +} + +func (*BusinessAwayMessageScheduleAlways) GetType() string { + return TypeBusinessAwayMessageScheduleAlways +} + +func (*BusinessAwayMessageScheduleAlways) BusinessAwayMessageScheduleType() string { + return TypeBusinessAwayMessageScheduleAlways +} + +// Send away messages outside of the business opening hours +type BusinessAwayMessageScheduleOutsideOfOpeningHours struct{ + meta +} + +func (entity *BusinessAwayMessageScheduleOutsideOfOpeningHours) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BusinessAwayMessageScheduleOutsideOfOpeningHours + + return json.Marshal((*stub)(entity)) +} + +func (*BusinessAwayMessageScheduleOutsideOfOpeningHours) GetClass() string { + return ClassBusinessAwayMessageSchedule +} + +func (*BusinessAwayMessageScheduleOutsideOfOpeningHours) GetType() string { + return TypeBusinessAwayMessageScheduleOutsideOfOpeningHours +} + +func (*BusinessAwayMessageScheduleOutsideOfOpeningHours) BusinessAwayMessageScheduleType() string { + return TypeBusinessAwayMessageScheduleOutsideOfOpeningHours +} + +// Send away messages only in the specified time span +type BusinessAwayMessageScheduleCustom struct { + meta + // Point in time (Unix timestamp) when the away messages will start to be sent + StartDate int32 `json:"start_date"` + // Point in time (Unix timestamp) when the away messages will stop to be sent + EndDate int32 `json:"end_date"` +} + +func (entity *BusinessAwayMessageScheduleCustom) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BusinessAwayMessageScheduleCustom + + return json.Marshal((*stub)(entity)) +} + +func (*BusinessAwayMessageScheduleCustom) GetClass() string { + return ClassBusinessAwayMessageSchedule +} + +func (*BusinessAwayMessageScheduleCustom) GetType() string { + return TypeBusinessAwayMessageScheduleCustom +} + +func (*BusinessAwayMessageScheduleCustom) BusinessAwayMessageScheduleType() string { + return TypeBusinessAwayMessageScheduleCustom +} + +// Represents a location of a business +type BusinessLocation struct { + meta + // The location; may be null if not specified + Location *Location `json:"location"` + // Location address; 1-96 characters + Address string `json:"address"` +} + +func (entity *BusinessLocation) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BusinessLocation + + return json.Marshal((*stub)(entity)) +} + +func (*BusinessLocation) GetClass() string { + return ClassBusinessLocation +} + +func (*BusinessLocation) GetType() string { + return TypeBusinessLocation +} + +// Describes private chats chosen for automatic interaction with a business +type BusinessRecipients struct { + meta + // Identifiers of selected private chats + ChatIds []int64 `json:"chat_ids"` + // Identifiers of private chats that are always excluded; for businessConnectedBot only + ExcludedChatIds []int64 `json:"excluded_chat_ids"` + // True, if all existing private chats are selected + SelectExistingChats bool `json:"select_existing_chats"` + // True, if all new private chats are selected + SelectNewChats bool `json:"select_new_chats"` + // True, if all private chats with contacts are selected + SelectContacts bool `json:"select_contacts"` + // True, if all private chats with non-contacts are selected + SelectNonContacts bool `json:"select_non_contacts"` + // If true, then all private chats except the selected are chosen. Otherwise, only the selected chats are chosen + ExcludeSelected bool `json:"exclude_selected"` +} + +func (entity *BusinessRecipients) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BusinessRecipients + + return json.Marshal((*stub)(entity)) +} + +func (*BusinessRecipients) GetClass() string { + return ClassBusinessRecipients +} + +func (*BusinessRecipients) GetType() string { + return TypeBusinessRecipients +} + +// Describes settings for messages that are automatically sent by a Telegram Business account when it is away +type BusinessAwayMessageSettings struct { + meta + // Unique quick reply shortcut identifier for the away messages + ShortcutId int32 `json:"shortcut_id"` + // Chosen recipients of the away messages + Recipients *BusinessRecipients `json:"recipients"` + // Settings used to check whether the current user is away + Schedule BusinessAwayMessageSchedule `json:"schedule"` + // True, if the messages must not be sent if the account was online in the last 10 minutes + OfflineOnly bool `json:"offline_only"` +} + +func (entity *BusinessAwayMessageSettings) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BusinessAwayMessageSettings + + return json.Marshal((*stub)(entity)) +} + +func (*BusinessAwayMessageSettings) GetClass() string { + return ClassBusinessAwayMessageSettings +} + +func (*BusinessAwayMessageSettings) GetType() string { + return TypeBusinessAwayMessageSettings +} + +func (businessAwayMessageSettings *BusinessAwayMessageSettings) UnmarshalJSON(data []byte) error { + var tmp struct { + ShortcutId int32 `json:"shortcut_id"` + Recipients *BusinessRecipients `json:"recipients"` + Schedule json.RawMessage `json:"schedule"` + OfflineOnly bool `json:"offline_only"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + businessAwayMessageSettings.ShortcutId = tmp.ShortcutId + businessAwayMessageSettings.Recipients = tmp.Recipients + businessAwayMessageSettings.OfflineOnly = tmp.OfflineOnly + + fieldSchedule, _ := UnmarshalBusinessAwayMessageSchedule(tmp.Schedule) + businessAwayMessageSettings.Schedule = fieldSchedule + + return nil +} + +// Describes settings for greeting messages that are automatically sent by a Telegram Business account as response to incoming messages in an inactive private chat +type BusinessGreetingMessageSettings struct { + meta + // Unique quick reply shortcut identifier for the greeting messages + ShortcutId int32 `json:"shortcut_id"` + // Chosen recipients of the greeting messages + Recipients *BusinessRecipients `json:"recipients"` + // The number of days after which a chat will be considered as inactive; currently, must be on of 7, 14, 21, or 28 + InactivityDays int32 `json:"inactivity_days"` +} + +func (entity *BusinessGreetingMessageSettings) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BusinessGreetingMessageSettings + + return json.Marshal((*stub)(entity)) +} + +func (*BusinessGreetingMessageSettings) GetClass() string { + return ClassBusinessGreetingMessageSettings +} + +func (*BusinessGreetingMessageSettings) GetType() string { + return TypeBusinessGreetingMessageSettings +} + +// Describes rights of a business bot +type BusinessBotRights struct { + meta + // True, if the bot can send and edit messages in the private chats that had incoming messages in the last 24 hours + CanReply bool `json:"can_reply"` + // True, if the bot can mark incoming private messages as read + CanReadMessages bool `json:"can_read_messages"` + // True, if the bot can delete sent messages + CanDeleteSentMessages bool `json:"can_delete_sent_messages"` + // True, if the bot can delete any message + CanDeleteAllMessages bool `json:"can_delete_all_messages"` + // True, if the bot can edit name of the business account + CanEditName bool `json:"can_edit_name"` + // True, if the bot can edit bio of the business account + CanEditBio bool `json:"can_edit_bio"` + // True, if the bot can edit profile photo of the business account + CanEditProfilePhoto bool `json:"can_edit_profile_photo"` + // True, if the bot can edit username of the business account + CanEditUsername bool `json:"can_edit_username"` + // True, if the bot can view gifts and Telegram Star amount owned by the business account + CanViewGiftsAndStars bool `json:"can_view_gifts_and_stars"` + // True, if the bot can sell regular gifts received by the business account + CanSellGifts bool `json:"can_sell_gifts"` + // True, if the bot can change gift receiving settings of the business account + CanChangeGiftSettings bool `json:"can_change_gift_settings"` + // True, if the bot can transfer and upgrade gifts received by the business account + CanTransferAndUpgradeGifts bool `json:"can_transfer_and_upgrade_gifts"` + // True, if the bot can transfer Telegram Stars received by the business account to account of the bot, or use them to upgrade and transfer gifts + CanTransferStars bool `json:"can_transfer_stars"` + // True, if the bot can post, edit and delete stories + CanManageStories bool `json:"can_manage_stories"` +} + +func (entity *BusinessBotRights) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BusinessBotRights + + return json.Marshal((*stub)(entity)) +} + +func (*BusinessBotRights) GetClass() string { + return ClassBusinessBotRights +} + +func (*BusinessBotRights) GetType() string { + return TypeBusinessBotRights +} + +// Describes a bot connected to a business account +type BusinessConnectedBot struct { + meta + // User identifier of the bot + BotUserId int64 `json:"bot_user_id"` + // Private chats that will be accessible to the bot + Recipients *BusinessRecipients `json:"recipients"` + // Rights of the bot + Rights *BusinessBotRights `json:"rights"` +} + +func (entity *BusinessConnectedBot) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BusinessConnectedBot + + return json.Marshal((*stub)(entity)) +} + +func (*BusinessConnectedBot) GetClass() string { + return ClassBusinessConnectedBot +} + +func (*BusinessConnectedBot) GetType() string { + return TypeBusinessConnectedBot +} + +// Describes settings for a business account start page +type BusinessStartPage struct { + meta + // Title text of the start page + Title string `json:"title"` + // Message text of the start page + Message string `json:"message"` + // Greeting sticker of the start page; may be null if none + Sticker *Sticker `json:"sticker"` +} + +func (entity *BusinessStartPage) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BusinessStartPage + + return json.Marshal((*stub)(entity)) +} + +func (*BusinessStartPage) GetClass() string { + return ClassBusinessStartPage +} + +func (*BusinessStartPage) GetType() string { + return TypeBusinessStartPage +} + +// Describes settings for a business account start page to set +type InputBusinessStartPage struct { + meta + // Title text of the start page; 0-getOption("business_start_page_title_length_max") characters + Title string `json:"title"` + // Message text of the start page; 0-getOption("business_start_page_message_length_max") characters + Message string `json:"message"` + // Greeting sticker of the start page; pass null if none. The sticker must belong to a sticker set and must not be a custom emoji + Sticker InputFile `json:"sticker"` +} + +func (entity *InputBusinessStartPage) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputBusinessStartPage + + return json.Marshal((*stub)(entity)) +} + +func (*InputBusinessStartPage) GetClass() string { + return ClassInputBusinessStartPage +} + +func (*InputBusinessStartPage) GetType() string { + return TypeInputBusinessStartPage +} + +func (inputBusinessStartPage *InputBusinessStartPage) UnmarshalJSON(data []byte) error { + var tmp struct { + Title string `json:"title"` + Message string `json:"message"` + Sticker json.RawMessage `json:"sticker"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + inputBusinessStartPage.Title = tmp.Title + inputBusinessStartPage.Message = tmp.Message + + fieldSticker, _ := UnmarshalInputFile(tmp.Sticker) + inputBusinessStartPage.Sticker = fieldSticker + + return nil +} + +// Describes an interval of time when the business is open +type BusinessOpeningHoursInterval struct { + meta + // The minute's sequence number in a week, starting on Monday, marking the start of the time interval during which the business is open; 0-7*24*60 + StartMinute int32 `json:"start_minute"` + // The minute's sequence number in a week, starting on Monday, marking the end of the time interval during which the business is open; 1-8*24*60 + EndMinute int32 `json:"end_minute"` +} + +func (entity *BusinessOpeningHoursInterval) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BusinessOpeningHoursInterval + + return json.Marshal((*stub)(entity)) +} + +func (*BusinessOpeningHoursInterval) GetClass() string { + return ClassBusinessOpeningHoursInterval +} + +func (*BusinessOpeningHoursInterval) GetType() string { + return TypeBusinessOpeningHoursInterval +} + +// Describes opening hours of a business +type BusinessOpeningHours struct { + meta + // Unique time zone identifier + TimeZoneId string `json:"time_zone_id"` + // Intervals of the time when the business is open + OpeningHours []*BusinessOpeningHoursInterval `json:"opening_hours"` +} + +func (entity *BusinessOpeningHours) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BusinessOpeningHours + + return json.Marshal((*stub)(entity)) +} + +func (*BusinessOpeningHours) GetClass() string { + return ClassBusinessOpeningHours +} + +func (*BusinessOpeningHours) GetType() string { + return TypeBusinessOpeningHours +} + +// Contains information about a Telegram Business account +type BusinessInfo struct { + meta + // Location of the business; may be null if none + Location *BusinessLocation `json:"location"` + // Opening hours of the business; may be null if none. The hours are guaranteed to be valid and has already been split by week days + OpeningHours *BusinessOpeningHours `json:"opening_hours"` + // Opening hours of the business in the local time; may be null if none. The hours are guaranteed to be valid and has already been split by week days. Local time zone identifier will be empty. An updateUserFullInfo update is not triggered when value of this field changes + LocalOpeningHours *BusinessOpeningHours `json:"local_opening_hours"` + // Time left before the business will open the next time, in seconds; 0 if unknown. An updateUserFullInfo update is not triggered when value of this field changes + NextOpenIn int32 `json:"next_open_in"` + // Time left before the business will close the next time, in seconds; 0 if unknown. An updateUserFullInfo update is not triggered when value of this field changes + NextCloseIn int32 `json:"next_close_in"` + // The greeting message; may be null if none or the Business account is not of the current user + GreetingMessageSettings *BusinessGreetingMessageSettings `json:"greeting_message_settings"` + // The away message; may be null if none or the Business account is not of the current user + AwayMessageSettings *BusinessAwayMessageSettings `json:"away_message_settings"` + // Information about start page of the account; may be null if none + StartPage *BusinessStartPage `json:"start_page"` +} + +func (entity *BusinessInfo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BusinessInfo + + return json.Marshal((*stub)(entity)) +} + +func (*BusinessInfo) GetClass() string { + return ClassBusinessInfo +} + +func (*BusinessInfo) GetType() string { + return TypeBusinessInfo +} + +// Contains information about a business chat link +type BusinessChatLink struct { + meta + // The HTTPS link + Link string `json:"link"` + // Message draft text that will be added to the input field + Text *FormattedText `json:"text"` + // Link title + Title string `json:"title"` + // Number of times the link was used + ViewCount int32 `json:"view_count"` +} + +func (entity *BusinessChatLink) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BusinessChatLink + + return json.Marshal((*stub)(entity)) +} + +func (*BusinessChatLink) GetClass() string { + return ClassBusinessChatLink +} + +func (*BusinessChatLink) GetType() string { + return TypeBusinessChatLink +} + +// Contains a list of business chat links created by the user +type BusinessChatLinks struct { + meta + // List of links + Links []*BusinessChatLink `json:"links"` +} + +func (entity *BusinessChatLinks) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BusinessChatLinks + + return json.Marshal((*stub)(entity)) +} + +func (*BusinessChatLinks) GetClass() string { + return ClassBusinessChatLinks +} + +func (*BusinessChatLinks) GetType() string { + return TypeBusinessChatLinks +} + +// Describes a business chat link to create or edit +type InputBusinessChatLink struct { + meta + // Message draft text that will be added to the input field + Text *FormattedText `json:"text"` + // Link title + Title string `json:"title"` +} + +func (entity *InputBusinessChatLink) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputBusinessChatLink + + return json.Marshal((*stub)(entity)) +} + +func (*InputBusinessChatLink) GetClass() string { + return ClassInputBusinessChatLink +} + +func (*InputBusinessChatLink) GetType() string { + return TypeInputBusinessChatLink +} + +// Contains information about a business chat link +type BusinessChatLinkInfo struct { + meta + // Identifier of the private chat that created the link + ChatId int64 `json:"chat_id"` + // Message draft text that must be added to the input field + Text *FormattedText `json:"text"` +} + +func (entity *BusinessChatLinkInfo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BusinessChatLinkInfo + + return json.Marshal((*stub)(entity)) +} + +func (*BusinessChatLinkInfo) GetClass() string { + return ClassBusinessChatLinkInfo +} + +func (*BusinessChatLinkInfo) GetType() string { + return TypeBusinessChatLinkInfo +} + +// Information about the sticker, which was used to create the chat photo +type ChatPhotoStickerTypeRegularOrMask struct { + meta + // Sticker set identifier + StickerSetId JsonInt64 `json:"sticker_set_id"` + // Identifier of the sticker in the set + StickerId JsonInt64 `json:"sticker_id"` +} + +func (entity *ChatPhotoStickerTypeRegularOrMask) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatPhotoStickerTypeRegularOrMask + + return json.Marshal((*stub)(entity)) +} + +func (*ChatPhotoStickerTypeRegularOrMask) GetClass() string { + return ClassChatPhotoStickerType +} + +func (*ChatPhotoStickerTypeRegularOrMask) GetType() string { + return TypeChatPhotoStickerTypeRegularOrMask +} + +func (*ChatPhotoStickerTypeRegularOrMask) ChatPhotoStickerTypeType() string { + return TypeChatPhotoStickerTypeRegularOrMask +} + +// Information about the custom emoji, which was used to create the chat photo +type ChatPhotoStickerTypeCustomEmoji struct { + meta + // Identifier of the custom emoji + CustomEmojiId JsonInt64 `json:"custom_emoji_id"` +} + +func (entity *ChatPhotoStickerTypeCustomEmoji) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatPhotoStickerTypeCustomEmoji + + return json.Marshal((*stub)(entity)) +} + +func (*ChatPhotoStickerTypeCustomEmoji) GetClass() string { + return ClassChatPhotoStickerType +} + +func (*ChatPhotoStickerTypeCustomEmoji) GetType() string { + return TypeChatPhotoStickerTypeCustomEmoji +} + +func (*ChatPhotoStickerTypeCustomEmoji) ChatPhotoStickerTypeType() string { + return TypeChatPhotoStickerTypeCustomEmoji +} + +// Information about the sticker, which was used to create the chat photo. The sticker is shown at the center of the photo and occupies at most 67% of it +type ChatPhotoSticker struct { + meta + // Type of the sticker + Type ChatPhotoStickerType `json:"type"` + // The fill to be used as background for the sticker; rotation angle in backgroundFillGradient isn't supported + BackgroundFill BackgroundFill `json:"background_fill"` +} + +func (entity *ChatPhotoSticker) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatPhotoSticker + + return json.Marshal((*stub)(entity)) +} + +func (*ChatPhotoSticker) GetClass() string { + return ClassChatPhotoSticker +} + +func (*ChatPhotoSticker) GetType() string { + return TypeChatPhotoSticker +} + +func (chatPhotoSticker *ChatPhotoSticker) UnmarshalJSON(data []byte) error { + var tmp struct { + Type json.RawMessage `json:"type"` + BackgroundFill json.RawMessage `json:"background_fill"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldType, _ := UnmarshalChatPhotoStickerType(tmp.Type) + chatPhotoSticker.Type = fieldType + + fieldBackgroundFill, _ := UnmarshalBackgroundFill(tmp.BackgroundFill) + chatPhotoSticker.BackgroundFill = fieldBackgroundFill + + return nil +} + +// Animated variant of a chat photo in MPEG4 format +type AnimatedChatPhoto struct { + meta + // Animation width and height + Length int32 `json:"length"` + // Information about the animation file + File *File `json:"file"` + // Timestamp of the frame, used as a static chat photo + MainFrameTimestamp float64 `json:"main_frame_timestamp"` +} + +func (entity *AnimatedChatPhoto) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub AnimatedChatPhoto + + return json.Marshal((*stub)(entity)) +} + +func (*AnimatedChatPhoto) GetClass() string { + return ClassAnimatedChatPhoto +} + +func (*AnimatedChatPhoto) GetType() string { + return TypeAnimatedChatPhoto +} + +// Describes a chat or user profile photo +type ChatPhoto struct { + meta + // Unique photo identifier + Id JsonInt64 `json:"id"` + // Point in time (Unix timestamp) when the photo has been added + AddedDate int32 `json:"added_date"` + // Photo minithumbnail; may be null + Minithumbnail *Minithumbnail `json:"minithumbnail"` + // Available variants of the photo in JPEG format, in different size + Sizes []*PhotoSize `json:"sizes"` + // A big (up to 1280x1280) animated variant of the photo in MPEG4 format; may be null + Animation *AnimatedChatPhoto `json:"animation"` + // A small (160x160) animated variant of the photo in MPEG4 format; may be null even if the big animation is available + SmallAnimation *AnimatedChatPhoto `json:"small_animation"` + // Sticker-based version of the chat photo; may be null + Sticker *ChatPhotoSticker `json:"sticker"` +} + +func (entity *ChatPhoto) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatPhoto + + return json.Marshal((*stub)(entity)) +} + +func (*ChatPhoto) GetClass() string { + return ClassChatPhoto +} + +func (*ChatPhoto) GetType() string { + return TypeChatPhoto +} + +// Contains a list of chat or user profile photos +type ChatPhotos struct { + meta + // Total number of photos + TotalCount int32 `json:"total_count"` + // List of photos + Photos []*ChatPhoto `json:"photos"` +} + +func (entity *ChatPhotos) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatPhotos + + return json.Marshal((*stub)(entity)) +} + +func (*ChatPhotos) GetClass() string { + return ClassChatPhotos +} + +func (*ChatPhotos) GetType() string { + return TypeChatPhotos +} + +// A previously used profile photo of the current user +type InputChatPhotoPrevious struct { + meta + // Identifier of the current user's profile photo to reuse + ChatPhotoId JsonInt64 `json:"chat_photo_id"` +} + +func (entity *InputChatPhotoPrevious) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputChatPhotoPrevious + + return json.Marshal((*stub)(entity)) +} + +func (*InputChatPhotoPrevious) GetClass() string { + return ClassInputChatPhoto +} + +func (*InputChatPhotoPrevious) GetType() string { + return TypeInputChatPhotoPrevious +} + +func (*InputChatPhotoPrevious) InputChatPhotoType() string { + return TypeInputChatPhotoPrevious +} + +// A static photo in JPEG format +type InputChatPhotoStatic struct { + meta + // Photo to be set as profile photo. Only inputFileLocal and inputFileGenerated are allowed + Photo InputFile `json:"photo"` +} + +func (entity *InputChatPhotoStatic) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputChatPhotoStatic + + return json.Marshal((*stub)(entity)) +} + +func (*InputChatPhotoStatic) GetClass() string { + return ClassInputChatPhoto +} + +func (*InputChatPhotoStatic) GetType() string { + return TypeInputChatPhotoStatic +} + +func (*InputChatPhotoStatic) InputChatPhotoType() string { + return TypeInputChatPhotoStatic +} + +func (inputChatPhotoStatic *InputChatPhotoStatic) UnmarshalJSON(data []byte) error { + var tmp struct { + Photo json.RawMessage `json:"photo"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldPhoto, _ := UnmarshalInputFile(tmp.Photo) + inputChatPhotoStatic.Photo = fieldPhoto + + return nil +} + +// An animation in MPEG4 format; must be square, at most 10 seconds long, have width between 160 and 1280 and be at most 2MB in size +type InputChatPhotoAnimation struct { + meta + // Animation to be set as profile photo. Only inputFileLocal and inputFileGenerated are allowed + Animation InputFile `json:"animation"` + // Timestamp of the frame, which will be used as static chat photo + MainFrameTimestamp float64 `json:"main_frame_timestamp"` +} + +func (entity *InputChatPhotoAnimation) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputChatPhotoAnimation + + return json.Marshal((*stub)(entity)) +} + +func (*InputChatPhotoAnimation) GetClass() string { + return ClassInputChatPhoto +} + +func (*InputChatPhotoAnimation) GetType() string { + return TypeInputChatPhotoAnimation +} + +func (*InputChatPhotoAnimation) InputChatPhotoType() string { + return TypeInputChatPhotoAnimation +} + +func (inputChatPhotoAnimation *InputChatPhotoAnimation) UnmarshalJSON(data []byte) error { + var tmp struct { + Animation json.RawMessage `json:"animation"` + MainFrameTimestamp float64 `json:"main_frame_timestamp"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + inputChatPhotoAnimation.MainFrameTimestamp = tmp.MainFrameTimestamp + + fieldAnimation, _ := UnmarshalInputFile(tmp.Animation) + inputChatPhotoAnimation.Animation = fieldAnimation + + return nil +} + +// A sticker on a custom background +type InputChatPhotoSticker struct { + meta + // Information about the sticker + Sticker *ChatPhotoSticker `json:"sticker"` +} + +func (entity *InputChatPhotoSticker) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputChatPhotoSticker + + return json.Marshal((*stub)(entity)) +} + +func (*InputChatPhotoSticker) GetClass() string { + return ClassInputChatPhoto +} + +func (*InputChatPhotoSticker) GetType() string { + return TypeInputChatPhotoSticker +} + +func (*InputChatPhotoSticker) InputChatPhotoType() string { + return TypeInputChatPhotoSticker +} + +// Describes actions that a user is allowed to take in a chat +type ChatPermissions struct { + meta + // True, if the user can send text messages, contacts, giveaways, giveaway winners, invoices, locations, and venues + CanSendBasicMessages bool `json:"can_send_basic_messages"` + // True, if the user can send music files + CanSendAudios bool `json:"can_send_audios"` + // True, if the user can send documents + CanSendDocuments bool `json:"can_send_documents"` + // True, if the user can send photos + CanSendPhotos bool `json:"can_send_photos"` + // True, if the user can send videos + CanSendVideos bool `json:"can_send_videos"` + // True, if the user can send video notes + CanSendVideoNotes bool `json:"can_send_video_notes"` + // True, if the user can send voice notes + CanSendVoiceNotes bool `json:"can_send_voice_notes"` + // True, if the user can send polls and checklists + CanSendPolls bool `json:"can_send_polls"` + // True, if the user can send stickers. Implies can_send_messages permissions + CanSendStickers bool `json:"can_send_stickers"` + // True, if the user can send animations. Implies can_send_messages permissions + CanSendAnimations bool `json:"can_send_animations"` + // True, if the user can send games. Implies can_send_messages permissions + CanSendGames bool `json:"can_send_games"` + // True, if the user can use inline bots. Implies can_send_messages permissions + CanUseInlineBots bool `json:"can_use_inline_bots"` + // True, if the user may add a link preview to their messages + CanAddLinkPreviews bool `json:"can_add_link_previews"` + // True, if the user can change the chat title, photo, and other settings + CanChangeInfo bool `json:"can_change_info"` + // True, if the user can invite new users to the chat + CanInviteUsers bool `json:"can_invite_users"` + // True, if the user can pin messages + CanPinMessages bool `json:"can_pin_messages"` + // True, if the user can create topics + CanCreateTopics bool `json:"can_create_topics"` +} + +func (entity *ChatPermissions) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatPermissions + + return json.Marshal((*stub)(entity)) +} + +func (*ChatPermissions) GetClass() string { + return ClassChatPermissions +} + +func (*ChatPermissions) GetType() string { + return TypeChatPermissions +} + +// Describes rights of the administrator +type ChatAdministratorRights struct { + meta + // True, if the administrator can access the chat event log, get boost list, see hidden supergroup and channel members, report supergroup spam messages, ignore slow mode, and send messages to the chat without paying Telegram Stars. Implied by any other privilege; applicable to supergroups and channels only + CanManageChat bool `json:"can_manage_chat"` + // True, if the administrator can change the chat title, photo, and other settings + CanChangeInfo bool `json:"can_change_info"` + // True, if the administrator can create channel posts, approve suggested channel posts, or view channel statistics; applicable to channels only + CanPostMessages bool `json:"can_post_messages"` + // True, if the administrator can edit messages of other users and pin messages; applicable to channels only + CanEditMessages bool `json:"can_edit_messages"` + // True, if the administrator can delete messages of other users + CanDeleteMessages bool `json:"can_delete_messages"` + // True, if the administrator can invite new users to the chat + CanInviteUsers bool `json:"can_invite_users"` + // True, if the administrator can restrict, ban, or unban chat members or view supergroup statistics + CanRestrictMembers bool `json:"can_restrict_members"` + // True, if the administrator can pin messages; applicable to basic groups and supergroups only + CanPinMessages bool `json:"can_pin_messages"` + // True, if the administrator can create, rename, close, reopen, hide, and unhide forum topics; applicable to forum supergroups only + CanManageTopics bool `json:"can_manage_topics"` + // True, if the administrator can add new administrators with a subset of their own privileges or demote administrators that were directly or indirectly promoted by them + CanPromoteMembers bool `json:"can_promote_members"` + // True, if the administrator can manage video chats + CanManageVideoChats bool `json:"can_manage_video_chats"` + // True, if the administrator can create new chat stories, or edit and delete posted stories; applicable to supergroups and channels only + CanPostStories bool `json:"can_post_stories"` + // True, if the administrator can edit stories posted by other users, post stories to the chat page, pin chat stories, and access story archive; applicable to supergroups and channels only + CanEditStories bool `json:"can_edit_stories"` + // True, if the administrator can delete stories posted by other users; applicable to supergroups and channels only + CanDeleteStories bool `json:"can_delete_stories"` + // True, if the administrator can answer to channel direct messages; applicable to channels only + CanManageDirectMessages bool `json:"can_manage_direct_messages"` + // True, if the administrator isn't shown in the chat member list and sends messages anonymously; applicable to supergroups only + IsAnonymous bool `json:"is_anonymous"` +} + +func (entity *ChatAdministratorRights) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatAdministratorRights + + return json.Marshal((*stub)(entity)) +} + +func (*ChatAdministratorRights) GetClass() string { + return ClassChatAdministratorRights +} + +func (*ChatAdministratorRights) GetType() string { + return TypeChatAdministratorRights +} + +// Describes price of a resold gift in Telegram Stars +type GiftResalePriceStar struct { + meta + // The Telegram Star amount expected to be paid for the gift. Must be in the range getOption("gift_resale_star_count_min")-getOption("gift_resale_star_count_max") for gifts put for resale + StarCount int64 `json:"star_count"` +} + +func (entity *GiftResalePriceStar) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub GiftResalePriceStar + + return json.Marshal((*stub)(entity)) +} + +func (*GiftResalePriceStar) GetClass() string { + return ClassGiftResalePrice +} + +func (*GiftResalePriceStar) GetType() string { + return TypeGiftResalePriceStar +} + +func (*GiftResalePriceStar) GiftResalePriceType() string { + return TypeGiftResalePriceStar +} + +// Describes price of a resold gift in Toncoins +type GiftResalePriceTon struct { + meta + // The amount of 1/100 of Toncoin expected to be paid for the gift. Must be in the range getOption("gift_resale_toncoin_cent_count_min")-getOption("gift_resale_toncoin_cent_count_max") + ToncoinCentCount int64 `json:"toncoin_cent_count"` +} + +func (entity *GiftResalePriceTon) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub GiftResalePriceTon + + return json.Marshal((*stub)(entity)) +} + +func (*GiftResalePriceTon) GetClass() string { + return ClassGiftResalePrice +} + +func (*GiftResalePriceTon) GetType() string { + return TypeGiftResalePriceTon +} + +func (*GiftResalePriceTon) GiftResalePriceType() string { + return TypeGiftResalePriceTon +} + +// The offer must be accepted or rejected +type GiftPurchaseOfferStatePending struct{ + meta +} + +func (entity *GiftPurchaseOfferStatePending) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub GiftPurchaseOfferStatePending + + return json.Marshal((*stub)(entity)) +} + +func (*GiftPurchaseOfferStatePending) GetClass() string { + return ClassGiftPurchaseOfferState +} + +func (*GiftPurchaseOfferStatePending) GetType() string { + return TypeGiftPurchaseOfferStatePending +} + +func (*GiftPurchaseOfferStatePending) GiftPurchaseOfferStateType() string { + return TypeGiftPurchaseOfferStatePending +} + +// The offer was accepted +type GiftPurchaseOfferStateAccepted struct{ + meta +} + +func (entity *GiftPurchaseOfferStateAccepted) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub GiftPurchaseOfferStateAccepted + + return json.Marshal((*stub)(entity)) +} + +func (*GiftPurchaseOfferStateAccepted) GetClass() string { + return ClassGiftPurchaseOfferState +} + +func (*GiftPurchaseOfferStateAccepted) GetType() string { + return TypeGiftPurchaseOfferStateAccepted +} + +func (*GiftPurchaseOfferStateAccepted) GiftPurchaseOfferStateType() string { + return TypeGiftPurchaseOfferStateAccepted +} + +// The offer was rejected +type GiftPurchaseOfferStateRejected struct{ + meta +} + +func (entity *GiftPurchaseOfferStateRejected) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub GiftPurchaseOfferStateRejected + + return json.Marshal((*stub)(entity)) +} + +func (*GiftPurchaseOfferStateRejected) GetClass() string { + return ClassGiftPurchaseOfferState +} + +func (*GiftPurchaseOfferStateRejected) GetType() string { + return TypeGiftPurchaseOfferStateRejected +} + +func (*GiftPurchaseOfferStateRejected) GiftPurchaseOfferStateType() string { + return TypeGiftPurchaseOfferStateRejected +} + +// Describes price of a suggested post in Telegram Stars +type SuggestedPostPriceStar struct { + meta + // The Telegram Star amount expected to be paid for the post; getOption("suggested_post_star_count_min")-getOption("suggested_post_star_count_max") + StarCount int64 `json:"star_count"` +} + +func (entity *SuggestedPostPriceStar) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SuggestedPostPriceStar + + return json.Marshal((*stub)(entity)) +} + +func (*SuggestedPostPriceStar) GetClass() string { + return ClassSuggestedPostPrice +} + +func (*SuggestedPostPriceStar) GetType() string { + return TypeSuggestedPostPriceStar +} + +func (*SuggestedPostPriceStar) SuggestedPostPriceType() string { + return TypeSuggestedPostPriceStar +} + +// Describes price of a suggested post in Toncoins +type SuggestedPostPriceTon struct { + meta + // The amount of 1/100 of Toncoin expected to be paid for the post; getOption("suggested_post_toncoin_cent_count_min")-getOption("suggested_post_toncoin_cent_count_max") + ToncoinCentCount int64 `json:"toncoin_cent_count"` +} + +func (entity *SuggestedPostPriceTon) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SuggestedPostPriceTon + + return json.Marshal((*stub)(entity)) +} + +func (*SuggestedPostPriceTon) GetClass() string { + return ClassSuggestedPostPrice +} + +func (*SuggestedPostPriceTon) GetType() string { + return TypeSuggestedPostPriceTon +} + +func (*SuggestedPostPriceTon) SuggestedPostPriceType() string { + return TypeSuggestedPostPriceTon +} + +// The post must be approved or declined +type SuggestedPostStatePending struct{ + meta +} + +func (entity *SuggestedPostStatePending) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SuggestedPostStatePending + + return json.Marshal((*stub)(entity)) +} + +func (*SuggestedPostStatePending) GetClass() string { + return ClassSuggestedPostState +} + +func (*SuggestedPostStatePending) GetType() string { + return TypeSuggestedPostStatePending +} + +func (*SuggestedPostStatePending) SuggestedPostStateType() string { + return TypeSuggestedPostStatePending +} + +// The post was approved +type SuggestedPostStateApproved struct{ + meta +} + +func (entity *SuggestedPostStateApproved) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SuggestedPostStateApproved + + return json.Marshal((*stub)(entity)) +} + +func (*SuggestedPostStateApproved) GetClass() string { + return ClassSuggestedPostState +} + +func (*SuggestedPostStateApproved) GetType() string { + return TypeSuggestedPostStateApproved +} + +func (*SuggestedPostStateApproved) SuggestedPostStateType() string { + return TypeSuggestedPostStateApproved +} + +// The post was declined +type SuggestedPostStateDeclined struct{ + meta +} + +func (entity *SuggestedPostStateDeclined) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SuggestedPostStateDeclined + + return json.Marshal((*stub)(entity)) +} + +func (*SuggestedPostStateDeclined) GetClass() string { + return ClassSuggestedPostState +} + +func (*SuggestedPostStateDeclined) GetType() string { + return TypeSuggestedPostStateDeclined +} + +func (*SuggestedPostStateDeclined) SuggestedPostStateType() string { + return TypeSuggestedPostStateDeclined +} + +// Contains information about a suggested post. If the post can be approved or declined, then changes to the post can be also suggested. Use sendMessage with reply to the message and suggested post information to suggest message changes. Use addOffer to suggest price or time changes +type SuggestedPostInfo struct { + meta + // Price of the suggested post; may be null if the post is non-paid + Price SuggestedPostPrice `json:"price"` + // Point in time (Unix timestamp) when the post is expected to be published; 0 if the specific date isn't set yet + SendDate int32 `json:"send_date"` + // State of the post + State SuggestedPostState `json:"state"` + // True, if the suggested post can be approved by the current user using approveSuggestedPost; updates aren't sent when value of this field changes + CanBeApproved bool `json:"can_be_approved"` + // True, if the suggested post can be declined by the current user using declineSuggestedPost; updates aren't sent when value of this field changes + CanBeDeclined bool `json:"can_be_declined"` +} + +func (entity *SuggestedPostInfo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SuggestedPostInfo + + return json.Marshal((*stub)(entity)) +} + +func (*SuggestedPostInfo) GetClass() string { + return ClassSuggestedPostInfo +} + +func (*SuggestedPostInfo) GetType() string { + return TypeSuggestedPostInfo +} + +func (suggestedPostInfo *SuggestedPostInfo) UnmarshalJSON(data []byte) error { + var tmp struct { + Price json.RawMessage `json:"price"` + SendDate int32 `json:"send_date"` + State json.RawMessage `json:"state"` + CanBeApproved bool `json:"can_be_approved"` + CanBeDeclined bool `json:"can_be_declined"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + suggestedPostInfo.SendDate = tmp.SendDate + suggestedPostInfo.CanBeApproved = tmp.CanBeApproved + suggestedPostInfo.CanBeDeclined = tmp.CanBeDeclined + + fieldPrice, _ := UnmarshalSuggestedPostPrice(tmp.Price) + suggestedPostInfo.Price = fieldPrice + + fieldState, _ := UnmarshalSuggestedPostState(tmp.State) + suggestedPostInfo.State = fieldState + + return nil +} + +// Contains information about a post to suggest +type InputSuggestedPostInfo struct { + meta + // Price of the suggested post; pass null to suggest a post without payment. If the current user isn't an administrator of the channel direct messages chat and has no enough funds to pay for the post, then the error "BALANCE_TOO_LOW" will be returned immediately + Price SuggestedPostPrice `json:"price"` + // Point in time (Unix timestamp) when the post is expected to be published; pass 0 if the date isn't restricted. If specified, then the date must be getOption("suggested_post_send_delay_min")-getOption("suggested_post_send_delay_max") seconds in the future + SendDate int32 `json:"send_date"` +} + +func (entity *InputSuggestedPostInfo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputSuggestedPostInfo + + return json.Marshal((*stub)(entity)) +} + +func (*InputSuggestedPostInfo) GetClass() string { + return ClassInputSuggestedPostInfo +} + +func (*InputSuggestedPostInfo) GetType() string { + return TypeInputSuggestedPostInfo +} + +func (inputSuggestedPostInfo *InputSuggestedPostInfo) UnmarshalJSON(data []byte) error { + var tmp struct { + Price json.RawMessage `json:"price"` + SendDate int32 `json:"send_date"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + inputSuggestedPostInfo.SendDate = tmp.SendDate + + fieldPrice, _ := UnmarshalSuggestedPostPrice(tmp.Price) + inputSuggestedPostInfo.Price = fieldPrice + + return nil +} + +// The post was refunded, because it was deleted by channel administrators in less than getOption("suggested_post_lifetime_min") seconds +type SuggestedPostRefundReasonPostDeleted struct{ + meta +} + +func (entity *SuggestedPostRefundReasonPostDeleted) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SuggestedPostRefundReasonPostDeleted + + return json.Marshal((*stub)(entity)) +} + +func (*SuggestedPostRefundReasonPostDeleted) GetClass() string { + return ClassSuggestedPostRefundReason +} + +func (*SuggestedPostRefundReasonPostDeleted) GetType() string { + return TypeSuggestedPostRefundReasonPostDeleted +} + +func (*SuggestedPostRefundReasonPostDeleted) SuggestedPostRefundReasonType() string { + return TypeSuggestedPostRefundReasonPostDeleted +} + +// The post was refunded, because the payment for the post was refunded +type SuggestedPostRefundReasonPaymentRefunded struct{ + meta +} + +func (entity *SuggestedPostRefundReasonPaymentRefunded) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SuggestedPostRefundReasonPaymentRefunded + + return json.Marshal((*stub)(entity)) +} + +func (*SuggestedPostRefundReasonPaymentRefunded) GetClass() string { + return ClassSuggestedPostRefundReason +} + +func (*SuggestedPostRefundReasonPaymentRefunded) GetType() string { + return TypeSuggestedPostRefundReasonPaymentRefunded +} + +func (*SuggestedPostRefundReasonPaymentRefunded) SuggestedPostRefundReasonType() string { + return TypeSuggestedPostRefundReasonPaymentRefunded +} + +// Describes a possibly non-integer Telegram Star amount +type StarAmount struct { + meta + // The integer Telegram Star amount rounded to 0 + StarCount int64 `json:"star_count"` + // The number of 1/1000000000 shares of Telegram Stars; from -999999999 to 999999999 + NanostarCount int32 `json:"nanostar_count"` +} + +func (entity *StarAmount) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarAmount + + return json.Marshal((*stub)(entity)) +} + +func (*StarAmount) GetClass() string { + return ClassStarAmount +} + +func (*StarAmount) GetType() string { + return TypeStarAmount +} + +// Describes a subscription to a channel chat +type StarSubscriptionTypeChannel struct { + meta + // True, if the subscription is active and the user can use the method reuseStarSubscription to join the subscribed chat again + CanReuse bool `json:"can_reuse"` + // The invite link that can be used to renew the subscription if it has been expired; may be empty, if the link isn't available anymore + InviteLink string `json:"invite_link"` +} + +func (entity *StarSubscriptionTypeChannel) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarSubscriptionTypeChannel + + return json.Marshal((*stub)(entity)) +} + +func (*StarSubscriptionTypeChannel) GetClass() string { + return ClassStarSubscriptionType +} + +func (*StarSubscriptionTypeChannel) GetType() string { + return TypeStarSubscriptionTypeChannel +} + +func (*StarSubscriptionTypeChannel) StarSubscriptionTypeType() string { + return TypeStarSubscriptionTypeChannel +} + +// Describes a subscription in a bot or a business account +type StarSubscriptionTypeBot struct { + meta + // True, if the subscription was canceled by the bot and can't be extended + IsCanceledByBot bool `json:"is_canceled_by_bot"` + // Subscription invoice title + Title string `json:"title"` + // Subscription invoice photo + Photo *Photo `json:"photo"` + // The link to the subscription invoice + InvoiceLink string `json:"invoice_link"` +} + +func (entity *StarSubscriptionTypeBot) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarSubscriptionTypeBot + + return json.Marshal((*stub)(entity)) +} + +func (*StarSubscriptionTypeBot) GetClass() string { + return ClassStarSubscriptionType +} + +func (*StarSubscriptionTypeBot) GetType() string { + return TypeStarSubscriptionTypeBot +} + +func (*StarSubscriptionTypeBot) StarSubscriptionTypeType() string { + return TypeStarSubscriptionTypeBot +} + +// Describes subscription plan paid in Telegram Stars +type StarSubscriptionPricing struct { + meta + // The number of seconds between consecutive Telegram Star debiting + Period int32 `json:"period"` + // The Telegram Star amount that must be paid for each period + StarCount int64 `json:"star_count"` +} + +func (entity *StarSubscriptionPricing) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarSubscriptionPricing + + return json.Marshal((*stub)(entity)) +} + +func (*StarSubscriptionPricing) GetClass() string { + return ClassStarSubscriptionPricing +} + +func (*StarSubscriptionPricing) GetType() string { + return TypeStarSubscriptionPricing +} + +// Contains information about subscription to a channel chat, a bot, or a business account that was paid in Telegram Stars +type StarSubscription struct { + meta + // Unique identifier of the subscription + Id string `json:"id"` + // Identifier of the chat that is subscribed + ChatId int64 `json:"chat_id"` + // Point in time (Unix timestamp) when the subscription will expire or expired + ExpirationDate int32 `json:"expiration_date"` + // True, if the subscription was canceled + IsCanceled bool `json:"is_canceled"` + // True, if the subscription expires soon and there are no enough Telegram Stars on the user's balance to extend it + IsExpiring bool `json:"is_expiring"` + // The subscription plan + Pricing *StarSubscriptionPricing `json:"pricing"` + // Type of the subscription + Type StarSubscriptionType `json:"type"` +} + +func (entity *StarSubscription) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarSubscription + + return json.Marshal((*stub)(entity)) +} + +func (*StarSubscription) GetClass() string { + return ClassStarSubscription +} + +func (*StarSubscription) GetType() string { + return TypeStarSubscription +} + +func (starSubscription *StarSubscription) UnmarshalJSON(data []byte) error { + var tmp struct { + Id string `json:"id"` + ChatId int64 `json:"chat_id"` + ExpirationDate int32 `json:"expiration_date"` + IsCanceled bool `json:"is_canceled"` + IsExpiring bool `json:"is_expiring"` + Pricing *StarSubscriptionPricing `json:"pricing"` + Type json.RawMessage `json:"type"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + starSubscription.Id = tmp.Id + starSubscription.ChatId = tmp.ChatId + starSubscription.ExpirationDate = tmp.ExpirationDate + starSubscription.IsCanceled = tmp.IsCanceled + starSubscription.IsExpiring = tmp.IsExpiring + starSubscription.Pricing = tmp.Pricing + + fieldType, _ := UnmarshalStarSubscriptionType(tmp.Type) + starSubscription.Type = fieldType + + return nil +} + +// Represents a list of Telegram Star subscriptions +type StarSubscriptions struct { + meta + // The amount of owned Telegram Stars + StarAmount *StarAmount `json:"star_amount"` + // List of subscriptions for Telegram Stars + Subscriptions []*StarSubscription `json:"subscriptions"` + // The number of Telegram Stars required to buy to extend subscriptions expiring soon + RequiredStarCount int64 `json:"required_star_count"` + // The offset for the next request. If empty, then there are no more results + NextOffset string `json:"next_offset"` +} + +func (entity *StarSubscriptions) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarSubscriptions + + return json.Marshal((*stub)(entity)) +} + +func (*StarSubscriptions) GetClass() string { + return ClassStarSubscriptions +} + +func (*StarSubscriptions) GetType() string { + return TypeStarSubscriptions +} + +// The affiliate is the current user +type AffiliateTypeCurrentUser struct{ + meta +} + +func (entity *AffiliateTypeCurrentUser) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub AffiliateTypeCurrentUser + + return json.Marshal((*stub)(entity)) +} + +func (*AffiliateTypeCurrentUser) GetClass() string { + return ClassAffiliateType +} + +func (*AffiliateTypeCurrentUser) GetType() string { + return TypeAffiliateTypeCurrentUser +} + +func (*AffiliateTypeCurrentUser) AffiliateTypeType() string { + return TypeAffiliateTypeCurrentUser +} + +// The affiliate is a bot owned by the current user +type AffiliateTypeBot struct { + meta + // User identifier of the bot + UserId int64 `json:"user_id"` +} + +func (entity *AffiliateTypeBot) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub AffiliateTypeBot + + return json.Marshal((*stub)(entity)) +} + +func (*AffiliateTypeBot) GetClass() string { + return ClassAffiliateType +} + +func (*AffiliateTypeBot) GetType() string { + return TypeAffiliateTypeBot +} + +func (*AffiliateTypeBot) AffiliateTypeType() string { + return TypeAffiliateTypeBot +} + +// The affiliate is a channel chat where the current user has can_post_messages administrator right +type AffiliateTypeChannel struct { + meta + // Identifier of the channel chat + ChatId int64 `json:"chat_id"` +} + +func (entity *AffiliateTypeChannel) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub AffiliateTypeChannel + + return json.Marshal((*stub)(entity)) +} + +func (*AffiliateTypeChannel) GetClass() string { + return ClassAffiliateType +} + +func (*AffiliateTypeChannel) GetType() string { + return TypeAffiliateTypeChannel +} + +func (*AffiliateTypeChannel) AffiliateTypeType() string { + return TypeAffiliateTypeChannel +} + +// The affiliate programs must be sorted by the profitability +type AffiliateProgramSortOrderProfitability struct{ + meta +} + +func (entity *AffiliateProgramSortOrderProfitability) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub AffiliateProgramSortOrderProfitability + + return json.Marshal((*stub)(entity)) +} + +func (*AffiliateProgramSortOrderProfitability) GetClass() string { + return ClassAffiliateProgramSortOrder +} + +func (*AffiliateProgramSortOrderProfitability) GetType() string { + return TypeAffiliateProgramSortOrderProfitability +} + +func (*AffiliateProgramSortOrderProfitability) AffiliateProgramSortOrderType() string { + return TypeAffiliateProgramSortOrderProfitability +} + +// The affiliate programs must be sorted by creation date +type AffiliateProgramSortOrderCreationDate struct{ + meta +} + +func (entity *AffiliateProgramSortOrderCreationDate) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub AffiliateProgramSortOrderCreationDate + + return json.Marshal((*stub)(entity)) +} + +func (*AffiliateProgramSortOrderCreationDate) GetClass() string { + return ClassAffiliateProgramSortOrder +} + +func (*AffiliateProgramSortOrderCreationDate) GetType() string { + return TypeAffiliateProgramSortOrderCreationDate +} + +func (*AffiliateProgramSortOrderCreationDate) AffiliateProgramSortOrderType() string { + return TypeAffiliateProgramSortOrderCreationDate +} + +// The affiliate programs must be sorted by the expected revenue +type AffiliateProgramSortOrderRevenue struct{ + meta +} + +func (entity *AffiliateProgramSortOrderRevenue) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub AffiliateProgramSortOrderRevenue + + return json.Marshal((*stub)(entity)) +} + +func (*AffiliateProgramSortOrderRevenue) GetClass() string { + return ClassAffiliateProgramSortOrder +} + +func (*AffiliateProgramSortOrderRevenue) GetType() string { + return TypeAffiliateProgramSortOrderRevenue +} + +func (*AffiliateProgramSortOrderRevenue) AffiliateProgramSortOrderType() string { + return TypeAffiliateProgramSortOrderRevenue +} + +// Describes parameters of an affiliate program +type AffiliateProgramParameters struct { + meta + // The number of Telegram Stars received by the affiliate for each 1000 Telegram Stars received by the program owner; getOption("affiliate_program_commission_per_mille_min")-getOption("affiliate_program_commission_per_mille_max") + CommissionPerMille int32 `json:"commission_per_mille"` + // Number of months the program will be active; 0-36. If 0, then the program is eternal + MonthCount int32 `json:"month_count"` +} + +func (entity *AffiliateProgramParameters) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub AffiliateProgramParameters + + return json.Marshal((*stub)(entity)) +} + +func (*AffiliateProgramParameters) GetClass() string { + return ClassAffiliateProgramParameters +} + +func (*AffiliateProgramParameters) GetType() string { + return TypeAffiliateProgramParameters +} + +// Contains information about an active affiliate program +type AffiliateProgramInfo struct { + meta + // Parameters of the affiliate program + Parameters *AffiliateProgramParameters `json:"parameters"` + // Point in time (Unix timestamp) when the affiliate program will be closed; 0 if the affiliate program isn't scheduled to be closed. If positive, then the program can't be connected using connectAffiliateProgram, but active connections will work until the date + EndDate int32 `json:"end_date"` + // The amount of daily revenue per user in Telegram Stars of the bot that created the affiliate program + DailyRevenuePerUserAmount *StarAmount `json:"daily_revenue_per_user_amount"` +} + +func (entity *AffiliateProgramInfo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub AffiliateProgramInfo + + return json.Marshal((*stub)(entity)) +} + +func (*AffiliateProgramInfo) GetClass() string { + return ClassAffiliateProgramInfo +} + +func (*AffiliateProgramInfo) GetType() string { + return TypeAffiliateProgramInfo +} + +// Contains information about an affiliate that received commission from a Telegram Star transaction +type AffiliateInfo struct { + meta + // The number of Telegram Stars received by the affiliate for each 1000 Telegram Stars received by the program owner + CommissionPerMille int32 `json:"commission_per_mille"` + // Identifier of the chat which received the commission + AffiliateChatId int64 `json:"affiliate_chat_id"` + // The Telegram Star amount that was received by the affiliate; can be negative for refunds + StarAmount *StarAmount `json:"star_amount"` +} + +func (entity *AffiliateInfo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub AffiliateInfo + + return json.Marshal((*stub)(entity)) +} + +func (*AffiliateInfo) GetClass() string { + return ClassAffiliateInfo +} + +func (*AffiliateInfo) GetType() string { + return TypeAffiliateInfo +} + +// Describes a found affiliate program +type FoundAffiliateProgram struct { + meta + // User identifier of the bot created the program + BotUserId int64 `json:"bot_user_id"` + // Information about the affiliate program + Info *AffiliateProgramInfo `json:"info"` +} + +func (entity *FoundAffiliateProgram) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub FoundAffiliateProgram + + return json.Marshal((*stub)(entity)) +} + +func (*FoundAffiliateProgram) GetClass() string { + return ClassFoundAffiliateProgram +} + +func (*FoundAffiliateProgram) GetType() string { + return TypeFoundAffiliateProgram +} + +// Represents a list of found affiliate programs +type FoundAffiliatePrograms struct { + meta + // The total number of found affiliate programs + TotalCount int32 `json:"total_count"` + // The list of affiliate programs + Programs []*FoundAffiliateProgram `json:"programs"` + // The offset for the next request. If empty, then there are no more results + NextOffset string `json:"next_offset"` +} + +func (entity *FoundAffiliatePrograms) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub FoundAffiliatePrograms + + return json.Marshal((*stub)(entity)) +} + +func (*FoundAffiliatePrograms) GetClass() string { + return ClassFoundAffiliatePrograms +} + +func (*FoundAffiliatePrograms) GetType() string { + return TypeFoundAffiliatePrograms +} + +// Describes an affiliate program that was connected to an affiliate +type ConnectedAffiliateProgram struct { + meta + // The link that can be used to refer users if the program is still active + Url string `json:"url"` + // User identifier of the bot created the program + BotUserId int64 `json:"bot_user_id"` + // The parameters of the affiliate program + Parameters *AffiliateProgramParameters `json:"parameters"` + // Point in time (Unix timestamp) when the affiliate program was connected + ConnectionDate int32 `json:"connection_date"` + // True, if the program was canceled by the bot, or disconnected by the chat owner and isn't available anymore + IsDisconnected bool `json:"is_disconnected"` + // The number of users that used the affiliate program + UserCount JsonInt64 `json:"user_count"` + // The number of Telegram Stars that were earned by the affiliate program + RevenueStarCount int64 `json:"revenue_star_count"` +} + +func (entity *ConnectedAffiliateProgram) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ConnectedAffiliateProgram + + return json.Marshal((*stub)(entity)) +} + +func (*ConnectedAffiliateProgram) GetClass() string { + return ClassConnectedAffiliateProgram +} + +func (*ConnectedAffiliateProgram) GetType() string { + return TypeConnectedAffiliateProgram +} + +// Represents a list of affiliate programs that were connected to an affiliate +type ConnectedAffiliatePrograms struct { + meta + // The total number of affiliate programs that were connected to the affiliate + TotalCount int32 `json:"total_count"` + // The list of connected affiliate programs + Programs []*ConnectedAffiliateProgram `json:"programs"` + // The offset for the next request. If empty, then there are no more results + NextOffset string `json:"next_offset"` +} + +func (entity *ConnectedAffiliatePrograms) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ConnectedAffiliatePrograms + + return json.Marshal((*stub)(entity)) +} + +func (*ConnectedAffiliatePrograms) GetClass() string { + return ClassConnectedAffiliatePrograms +} + +func (*ConnectedAffiliatePrograms) GetType() string { + return TypeConnectedAffiliatePrograms +} + +// Contains information about a product that can be paid with invoice +type ProductInfo struct { + meta + // Product title + Title string `json:"title"` + // Product description + Description *FormattedText `json:"description"` + // Product photo; may be null + Photo *Photo `json:"photo"` +} + +func (entity *ProductInfo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ProductInfo + + return json.Marshal((*stub)(entity)) +} + +func (*ProductInfo) GetClass() string { + return ClassProductInfo +} + +func (*ProductInfo) GetType() string { + return TypeProductInfo +} + +// Describes an option for buying Telegram Premium to a user +type PremiumPaymentOption struct { + meta + // ISO 4217 currency code for Telegram Premium subscription payment + Currency string `json:"currency"` + // The amount to pay, in the smallest units of the currency + Amount int64 `json:"amount"` + // The discount associated with this option, as a percentage + DiscountPercentage int32 `json:"discount_percentage"` + // Number of months the Telegram Premium subscription will be active. Use getPremiumInfoSticker to get the sticker to be used as representation of the Telegram Premium subscription + MonthCount int32 `json:"month_count"` + // Identifier of the store product associated with the option + StoreProductId string `json:"store_product_id"` + // An internal link to be opened for buying Telegram Premium to the user if store payment isn't possible; may be null if direct payment isn't available + PaymentLink InternalLinkType `json:"payment_link"` +} + +func (entity *PremiumPaymentOption) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumPaymentOption + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumPaymentOption) GetClass() string { + return ClassPremiumPaymentOption +} + +func (*PremiumPaymentOption) GetType() string { + return TypePremiumPaymentOption +} + +func (premiumPaymentOption *PremiumPaymentOption) UnmarshalJSON(data []byte) error { + var tmp struct { + Currency string `json:"currency"` + Amount int64 `json:"amount"` + DiscountPercentage int32 `json:"discount_percentage"` + MonthCount int32 `json:"month_count"` + StoreProductId string `json:"store_product_id"` + PaymentLink json.RawMessage `json:"payment_link"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + premiumPaymentOption.Currency = tmp.Currency + premiumPaymentOption.Amount = tmp.Amount + premiumPaymentOption.DiscountPercentage = tmp.DiscountPercentage + premiumPaymentOption.MonthCount = tmp.MonthCount + premiumPaymentOption.StoreProductId = tmp.StoreProductId + + fieldPaymentLink, _ := UnmarshalInternalLinkType(tmp.PaymentLink) + premiumPaymentOption.PaymentLink = fieldPaymentLink + + return nil +} + +// Describes an option for buying or upgrading Telegram Premium for self +type PremiumStatePaymentOption struct { + meta + // Information about the payment option + PaymentOption *PremiumPaymentOption `json:"payment_option"` + // True, if this is the currently used Telegram Premium subscription option + IsCurrent bool `json:"is_current"` + // True, if the payment option can be used to upgrade the existing Telegram Premium subscription + IsUpgrade bool `json:"is_upgrade"` + // Identifier of the last in-store transaction for the currently used option + LastTransactionId string `json:"last_transaction_id"` +} + +func (entity *PremiumStatePaymentOption) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumStatePaymentOption + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumStatePaymentOption) GetClass() string { + return ClassPremiumStatePaymentOption +} + +func (*PremiumStatePaymentOption) GetType() string { + return TypePremiumStatePaymentOption +} + +// Describes an option for gifting Telegram Premium to a user. Use telegramPaymentPurposePremiumGift for out-of-store payments or payments in Telegram Stars +type PremiumGiftPaymentOption struct { + meta + // ISO 4217 currency code for the payment + Currency string `json:"currency"` + // The amount to pay, in the smallest units of the currency + Amount int64 `json:"amount"` + // The alternative Telegram Star amount to pay; 0 if payment in Telegram Stars is not possible + StarCount int64 `json:"star_count"` + // The discount associated with this option, as a percentage + DiscountPercentage int32 `json:"discount_percentage"` + // Number of months the Telegram Premium subscription will be active + MonthCount int32 `json:"month_count"` + // Identifier of the store product associated with the option + StoreProductId string `json:"store_product_id"` + // A sticker to be shown along with the option; may be null if unknown + Sticker *Sticker `json:"sticker"` +} + +func (entity *PremiumGiftPaymentOption) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumGiftPaymentOption + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumGiftPaymentOption) GetClass() string { + return ClassPremiumGiftPaymentOption +} + +func (*PremiumGiftPaymentOption) GetType() string { + return TypePremiumGiftPaymentOption +} + +// Contains a list of options for gifting Telegram Premium to a user +type PremiumGiftPaymentOptions struct { + meta + // The list of options sorted by Telegram Premium subscription duration + Options []*PremiumGiftPaymentOption `json:"options"` +} + +func (entity *PremiumGiftPaymentOptions) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumGiftPaymentOptions + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumGiftPaymentOptions) GetClass() string { + return ClassPremiumGiftPaymentOptions +} + +func (*PremiumGiftPaymentOptions) GetType() string { + return TypePremiumGiftPaymentOptions +} + +// Describes an option for creating of Telegram Premium giveaway or manual distribution of Telegram Premium among chat members. Use telegramPaymentPurposePremiumGiftCodes or telegramPaymentPurposePremiumGiveaway for out-of-store payments +type PremiumGiveawayPaymentOption struct { + meta + // ISO 4217 currency code for Telegram Premium gift code payment + Currency string `json:"currency"` + // The amount to pay, in the smallest units of the currency + Amount int64 `json:"amount"` + // Number of users which will be able to activate the gift codes + WinnerCount int32 `json:"winner_count"` + // Number of months the Telegram Premium subscription will be active + MonthCount int32 `json:"month_count"` + // Identifier of the store product associated with the option; may be empty if none + StoreProductId string `json:"store_product_id"` + // Number of times the store product must be paid + StoreProductQuantity int32 `json:"store_product_quantity"` +} + +func (entity *PremiumGiveawayPaymentOption) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumGiveawayPaymentOption + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumGiveawayPaymentOption) GetClass() string { + return ClassPremiumGiveawayPaymentOption +} + +func (*PremiumGiveawayPaymentOption) GetType() string { + return TypePremiumGiveawayPaymentOption +} + +// Contains a list of options for creating of Telegram Premium giveaway or manual distribution of Telegram Premium among chat members +type PremiumGiveawayPaymentOptions struct { + meta + // The list of options + Options []*PremiumGiveawayPaymentOption `json:"options"` +} + +func (entity *PremiumGiveawayPaymentOptions) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumGiveawayPaymentOptions + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumGiveawayPaymentOptions) GetClass() string { + return ClassPremiumGiveawayPaymentOptions +} + +func (*PremiumGiveawayPaymentOptions) GetType() string { + return TypePremiumGiveawayPaymentOptions +} + +// Contains information about a Telegram Premium gift code +type PremiumGiftCodeInfo struct { + meta + // Identifier of a chat or a user who created the gift code; may be null if unknown. If null and the code is from messagePremiumGiftCode message, then creator_id from the message can be used + CreatorId MessageSender `json:"creator_id"` + // Point in time (Unix timestamp) when the code was created + CreationDate int32 `json:"creation_date"` + // True, if the gift code was created for a giveaway + IsFromGiveaway bool `json:"is_from_giveaway"` + // Identifier of the corresponding giveaway message in the creator_id chat; may be 0 or an identifier of a deleted message + GiveawayMessageId int64 `json:"giveaway_message_id"` + // Number of months the Telegram Premium subscription will be active after code activation; 0 if the number of months isn't integer + MonthCount int32 `json:"month_count"` + // Number of days the Telegram Premium subscription will be active after code activation + DayCount int32 `json:"day_count"` + // Identifier of a user for which the code was created; 0 if none + UserId int64 `json:"user_id"` + // Point in time (Unix timestamp) when the code was activated; 0 if none + UseDate int32 `json:"use_date"` +} + +func (entity *PremiumGiftCodeInfo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumGiftCodeInfo + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumGiftCodeInfo) GetClass() string { + return ClassPremiumGiftCodeInfo +} + +func (*PremiumGiftCodeInfo) GetType() string { + return TypePremiumGiftCodeInfo +} + +func (premiumGiftCodeInfo *PremiumGiftCodeInfo) UnmarshalJSON(data []byte) error { + var tmp struct { + CreatorId json.RawMessage `json:"creator_id"` + CreationDate int32 `json:"creation_date"` + IsFromGiveaway bool `json:"is_from_giveaway"` + GiveawayMessageId int64 `json:"giveaway_message_id"` + MonthCount int32 `json:"month_count"` + DayCount int32 `json:"day_count"` + UserId int64 `json:"user_id"` + UseDate int32 `json:"use_date"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + premiumGiftCodeInfo.CreationDate = tmp.CreationDate + premiumGiftCodeInfo.IsFromGiveaway = tmp.IsFromGiveaway + premiumGiftCodeInfo.GiveawayMessageId = tmp.GiveawayMessageId + premiumGiftCodeInfo.MonthCount = tmp.MonthCount + premiumGiftCodeInfo.DayCount = tmp.DayCount + premiumGiftCodeInfo.UserId = tmp.UserId + premiumGiftCodeInfo.UseDate = tmp.UseDate + + fieldCreatorId, _ := UnmarshalMessageSender(tmp.CreatorId) + premiumGiftCodeInfo.CreatorId = fieldCreatorId + + return nil +} + +// Describes an option for buying Telegram Stars. Use telegramPaymentPurposeStars for out-of-store payments +type StarPaymentOption struct { + meta + // ISO 4217 currency code for the payment + Currency string `json:"currency"` + // The amount to pay, in the smallest units of the currency + Amount int64 `json:"amount"` + // Number of Telegram Stars that will be purchased + StarCount int64 `json:"star_count"` + // Identifier of the store product associated with the option; may be empty if none + StoreProductId string `json:"store_product_id"` + // True, if the option must be shown only in the full list of payment options + IsAdditional bool `json:"is_additional"` +} + +func (entity *StarPaymentOption) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarPaymentOption + + return json.Marshal((*stub)(entity)) +} + +func (*StarPaymentOption) GetClass() string { + return ClassStarPaymentOption +} + +func (*StarPaymentOption) GetType() string { + return TypeStarPaymentOption +} + +// Contains a list of options for buying Telegram Stars +type StarPaymentOptions struct { + meta + // The list of options + Options []*StarPaymentOption `json:"options"` +} + +func (entity *StarPaymentOptions) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarPaymentOptions + + return json.Marshal((*stub)(entity)) +} + +func (*StarPaymentOptions) GetClass() string { + return ClassStarPaymentOptions +} + +func (*StarPaymentOptions) GetType() string { + return TypeStarPaymentOptions +} + +// Describes an option for the number of winners of a Telegram Star giveaway +type StarGiveawayWinnerOption struct { + meta + // The number of users that will be chosen as winners + WinnerCount int32 `json:"winner_count"` + // The number of Telegram Stars that will be won by the winners of the giveaway + WonStarCount int64 `json:"won_star_count"` + // True, if the option must be chosen by default + IsDefault bool `json:"is_default"` +} + +func (entity *StarGiveawayWinnerOption) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarGiveawayWinnerOption + + return json.Marshal((*stub)(entity)) +} + +func (*StarGiveawayWinnerOption) GetClass() string { + return ClassStarGiveawayWinnerOption +} + +func (*StarGiveawayWinnerOption) GetType() string { + return TypeStarGiveawayWinnerOption +} + +// Describes an option for creating of Telegram Star giveaway. Use telegramPaymentPurposeStarGiveaway for out-of-store payments +type StarGiveawayPaymentOption struct { + meta + // ISO 4217 currency code for the payment + Currency string `json:"currency"` + // The amount to pay, in the smallest units of the currency + Amount int64 `json:"amount"` + // Number of Telegram Stars that will be distributed among winners + StarCount int64 `json:"star_count"` + // Identifier of the store product associated with the option; may be empty if none + StoreProductId string `json:"store_product_id"` + // Number of times the chat will be boosted for one year if the option is chosen + YearlyBoostCount int32 `json:"yearly_boost_count"` + // Allowed options for the number of giveaway winners + WinnerOptions []*StarGiveawayWinnerOption `json:"winner_options"` + // True, if the option must be chosen by default + IsDefault bool `json:"is_default"` + // True, if the option must be shown only in the full list of payment options + IsAdditional bool `json:"is_additional"` +} + +func (entity *StarGiveawayPaymentOption) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarGiveawayPaymentOption + + return json.Marshal((*stub)(entity)) +} + +func (*StarGiveawayPaymentOption) GetClass() string { + return ClassStarGiveawayPaymentOption +} + +func (*StarGiveawayPaymentOption) GetType() string { + return TypeStarGiveawayPaymentOption +} + +// Contains a list of options for creating of Telegram Star giveaway +type StarGiveawayPaymentOptions struct { + meta + // The list of options + Options []*StarGiveawayPaymentOption `json:"options"` +} + +func (entity *StarGiveawayPaymentOptions) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarGiveawayPaymentOptions + + return json.Marshal((*stub)(entity)) +} + +func (*StarGiveawayPaymentOptions) GetClass() string { + return ClassStarGiveawayPaymentOptions +} + +func (*StarGiveawayPaymentOptions) GetType() string { + return TypeStarGiveawayPaymentOptions +} + +// Describes gift types that are accepted by a user +type AcceptedGiftTypes struct { + meta + // True, if unlimited regular gifts are accepted + UnlimitedGifts bool `json:"unlimited_gifts"` + // True, if limited regular gifts are accepted + LimitedGifts bool `json:"limited_gifts"` + // True, if upgraded gifts and regular gifts that can be upgraded for free are accepted + UpgradedGifts bool `json:"upgraded_gifts"` + // True, if gifts from channels are accepted subject to other restrictions + GiftsFromChannels bool `json:"gifts_from_channels"` + // True, if Telegram Premium subscription is accepted + PremiumSubscription bool `json:"premium_subscription"` +} + +func (entity *AcceptedGiftTypes) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub AcceptedGiftTypes + + return json.Marshal((*stub)(entity)) +} + +func (*AcceptedGiftTypes) GetClass() string { + return ClassAcceptedGiftTypes +} + +func (*AcceptedGiftTypes) GetType() string { + return TypeAcceptedGiftTypes +} + +// Contains settings for gift receiving for a user +type GiftSettings struct { + meta + // True, if a button for sending a gift to the user or by the user must always be shown in the input field + ShowGiftButton bool `json:"show_gift_button"` + // Types of gifts accepted by the user; for Telegram Premium users only + AcceptedGiftTypes *AcceptedGiftTypes `json:"accepted_gift_types"` +} + +func (entity *GiftSettings) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub GiftSettings + + return json.Marshal((*stub)(entity)) +} + +func (*GiftSettings) GetClass() string { + return ClassGiftSettings +} + +func (*GiftSettings) GetType() string { + return TypeGiftSettings +} + +// Describes an auction on which a gift can be purchased +type GiftAuction struct { + meta + // Identifier of the auction + Id string `json:"id"` + // Number of gifts distributed in each round + GiftsPerRound int32 `json:"gifts_per_round"` + // Point in time (Unix timestamp) when the auction will start + StartDate int32 `json:"start_date"` +} + +func (entity *GiftAuction) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub GiftAuction + + return json.Marshal((*stub)(entity)) +} + +func (*GiftAuction) GetClass() string { + return ClassGiftAuction +} + +func (*GiftAuction) GetType() string { + return TypeGiftAuction +} + +// Describes background of a gift +type GiftBackground struct { + meta + // Center color in RGB format + CenterColor int32 `json:"center_color"` + // Edge color in RGB format + EdgeColor int32 `json:"edge_color"` + // Text color in RGB format + TextColor int32 `json:"text_color"` +} + +func (entity *GiftBackground) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub GiftBackground + + return json.Marshal((*stub)(entity)) +} + +func (*GiftBackground) GetClass() string { + return ClassGiftBackground +} + +func (*GiftBackground) GetType() string { + return TypeGiftBackground +} + +// Describes the maximum number of times that a specific gift can be purchased +type GiftPurchaseLimits struct { + meta + // The maximum number of times the gifts can be purchased + TotalCount int32 `json:"total_count"` + // Number of remaining times the gift can be purchased + RemainingCount int32 `json:"remaining_count"` +} + +func (entity *GiftPurchaseLimits) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub GiftPurchaseLimits + + return json.Marshal((*stub)(entity)) +} + +func (*GiftPurchaseLimits) GetClass() string { + return ClassGiftPurchaseLimits +} + +func (*GiftPurchaseLimits) GetType() string { + return TypeGiftPurchaseLimits +} + +// Describes parameters of a unique gift available for resale +type GiftResaleParameters struct { + meta + // Resale price of the gift in Telegram Stars + StarCount int64 `json:"star_count"` + // Resale price of the gift in 1/100 of Toncoin + ToncoinCentCount int64 `json:"toncoin_cent_count"` + // True, if the gift can be bought only using Toncoins + ToncoinOnly bool `json:"toncoin_only"` +} + +func (entity *GiftResaleParameters) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub GiftResaleParameters + + return json.Marshal((*stub)(entity)) +} + +func (*GiftResaleParameters) GetClass() string { + return ClassGiftResaleParameters +} + +func (*GiftResaleParameters) GetType() string { + return TypeGiftResaleParameters +} + +// Describes collection of gifts +type GiftCollection struct { + meta + // Unique identifier of the collection + Id int32 `json:"id"` + // Name of the collection + Name string `json:"name"` + // Icon of the collection; may be null if none + Icon *Sticker `json:"icon"` + // Total number of gifts in the collection + GiftCount int32 `json:"gift_count"` +} + +func (entity *GiftCollection) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub GiftCollection + + return json.Marshal((*stub)(entity)) +} + +func (*GiftCollection) GetClass() string { + return ClassGiftCollection +} + +func (*GiftCollection) GetType() string { + return TypeGiftCollection +} + +// Contains a list of gift collections +type GiftCollections struct { + meta + // List of gift collections + Collections []*GiftCollection `json:"collections"` +} + +func (entity *GiftCollections) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub GiftCollections + + return json.Marshal((*stub)(entity)) +} + +func (*GiftCollections) GetClass() string { + return ClassGiftCollections +} + +func (*GiftCollections) GetType() string { + return TypeGiftCollections +} + +// The gift can be sent now by the current user +type CanSendGiftResultOk struct{ + meta +} + +func (entity *CanSendGiftResultOk) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub CanSendGiftResultOk + + return json.Marshal((*stub)(entity)) +} + +func (*CanSendGiftResultOk) GetClass() string { + return ClassCanSendGiftResult +} + +func (*CanSendGiftResultOk) GetType() string { + return TypeCanSendGiftResultOk +} + +func (*CanSendGiftResultOk) CanSendGiftResultType() string { + return TypeCanSendGiftResultOk +} + +// The gift can't be sent now by the current user +type CanSendGiftResultFail struct { + meta + // Reason to be shown to the user + Reason *FormattedText `json:"reason"` +} + +func (entity *CanSendGiftResultFail) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub CanSendGiftResultFail + + return json.Marshal((*stub)(entity)) +} + +func (*CanSendGiftResultFail) GetClass() string { + return ClassCanSendGiftResult +} + +func (*CanSendGiftResultFail) GetType() string { + return TypeCanSendGiftResultFail +} + +func (*CanSendGiftResultFail) CanSendGiftResultType() string { + return TypeCanSendGiftResultFail +} + +// The gift was obtained by upgrading of a previously received gift +type UpgradedGiftOriginUpgrade struct { + meta + // Identifier of the message with the regular gift that was upgraded; may be 0 or an identifier of a deleted message + GiftMessageId int64 `json:"gift_message_id"` +} + +func (entity *UpgradedGiftOriginUpgrade) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpgradedGiftOriginUpgrade + + return json.Marshal((*stub)(entity)) +} + +func (*UpgradedGiftOriginUpgrade) GetClass() string { + return ClassUpgradedGiftOrigin +} + +func (*UpgradedGiftOriginUpgrade) GetType() string { + return TypeUpgradedGiftOriginUpgrade +} + +func (*UpgradedGiftOriginUpgrade) UpgradedGiftOriginType() string { + return TypeUpgradedGiftOriginUpgrade +} + +// The gift was transferred from another owner +type UpgradedGiftOriginTransfer struct{ + meta +} + +func (entity *UpgradedGiftOriginTransfer) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpgradedGiftOriginTransfer + + return json.Marshal((*stub)(entity)) +} + +func (*UpgradedGiftOriginTransfer) GetClass() string { + return ClassUpgradedGiftOrigin +} + +func (*UpgradedGiftOriginTransfer) GetType() string { + return TypeUpgradedGiftOriginTransfer +} + +func (*UpgradedGiftOriginTransfer) UpgradedGiftOriginType() string { + return TypeUpgradedGiftOriginTransfer +} + +// The gift was bought from another user +type UpgradedGiftOriginResale struct { + meta + // Price paid for the gift + Price GiftResalePrice `json:"price"` +} + +func (entity *UpgradedGiftOriginResale) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpgradedGiftOriginResale + + return json.Marshal((*stub)(entity)) +} + +func (*UpgradedGiftOriginResale) GetClass() string { + return ClassUpgradedGiftOrigin +} + +func (*UpgradedGiftOriginResale) GetType() string { + return TypeUpgradedGiftOriginResale +} + +func (*UpgradedGiftOriginResale) UpgradedGiftOriginType() string { + return TypeUpgradedGiftOriginResale +} + +func (upgradedGiftOriginResale *UpgradedGiftOriginResale) UnmarshalJSON(data []byte) error { + var tmp struct { + Price json.RawMessage `json:"price"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldPrice, _ := UnmarshalGiftResalePrice(tmp.Price) + upgradedGiftOriginResale.Price = fieldPrice + + return nil +} + +// The gift was assigned from blockchain and isn't owned by the current user. The gift can't be transferred, resold or withdrawn to blockchain +type UpgradedGiftOriginBlockchain struct{ + meta +} + +func (entity *UpgradedGiftOriginBlockchain) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpgradedGiftOriginBlockchain + + return json.Marshal((*stub)(entity)) +} + +func (*UpgradedGiftOriginBlockchain) GetClass() string { + return ClassUpgradedGiftOrigin +} + +func (*UpgradedGiftOriginBlockchain) GetType() string { + return TypeUpgradedGiftOriginBlockchain +} + +func (*UpgradedGiftOriginBlockchain) UpgradedGiftOriginType() string { + return TypeUpgradedGiftOriginBlockchain +} + +// The sender or receiver of the message has paid for upgraid of the gift, which has been completed +type UpgradedGiftOriginPrepaidUpgrade struct{ + meta +} + +func (entity *UpgradedGiftOriginPrepaidUpgrade) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpgradedGiftOriginPrepaidUpgrade + + return json.Marshal((*stub)(entity)) +} + +func (*UpgradedGiftOriginPrepaidUpgrade) GetClass() string { + return ClassUpgradedGiftOrigin +} + +func (*UpgradedGiftOriginPrepaidUpgrade) GetType() string { + return TypeUpgradedGiftOriginPrepaidUpgrade +} + +func (*UpgradedGiftOriginPrepaidUpgrade) UpgradedGiftOriginType() string { + return TypeUpgradedGiftOriginPrepaidUpgrade +} + +// The gift was bought through an offer +type UpgradedGiftOriginOffer struct { + meta + // Price paid for the gift + Price GiftResalePrice `json:"price"` +} + +func (entity *UpgradedGiftOriginOffer) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpgradedGiftOriginOffer + + return json.Marshal((*stub)(entity)) +} + +func (*UpgradedGiftOriginOffer) GetClass() string { + return ClassUpgradedGiftOrigin +} + +func (*UpgradedGiftOriginOffer) GetType() string { + return TypeUpgradedGiftOriginOffer +} + +func (*UpgradedGiftOriginOffer) UpgradedGiftOriginType() string { + return TypeUpgradedGiftOriginOffer +} + +func (upgradedGiftOriginOffer *UpgradedGiftOriginOffer) UnmarshalJSON(data []byte) error { + var tmp struct { + Price json.RawMessage `json:"price"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldPrice, _ := UnmarshalGiftResalePrice(tmp.Price) + upgradedGiftOriginOffer.Price = fieldPrice + + return nil +} + +// The gift was crafted from other gifts +type UpgradedGiftOriginCraft struct{ + meta +} + +func (entity *UpgradedGiftOriginCraft) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpgradedGiftOriginCraft + + return json.Marshal((*stub)(entity)) +} + +func (*UpgradedGiftOriginCraft) GetClass() string { + return ClassUpgradedGiftOrigin +} + +func (*UpgradedGiftOriginCraft) GetType() string { + return TypeUpgradedGiftOriginCraft +} + +func (*UpgradedGiftOriginCraft) UpgradedGiftOriginType() string { + return TypeUpgradedGiftOriginCraft +} + +// The rarity is represented as the numeric frequence of the model +type UpgradedGiftAttributeRarityPerMille struct { + meta + // The number of upgraded gifts that receive this attribute for each 1000 gifts upgraded; if 0, then it can be shown as "<0.1%" + PerMille int32 `json:"per_mille"` +} + +func (entity *UpgradedGiftAttributeRarityPerMille) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpgradedGiftAttributeRarityPerMille + + return json.Marshal((*stub)(entity)) +} + +func (*UpgradedGiftAttributeRarityPerMille) GetClass() string { + return ClassUpgradedGiftAttributeRarity +} + +func (*UpgradedGiftAttributeRarityPerMille) GetType() string { + return TypeUpgradedGiftAttributeRarityPerMille +} + +func (*UpgradedGiftAttributeRarityPerMille) UpgradedGiftAttributeRarityType() string { + return TypeUpgradedGiftAttributeRarityPerMille +} + +// The attribute is uncommon +type UpgradedGiftAttributeRarityUncommon struct{ + meta +} + +func (entity *UpgradedGiftAttributeRarityUncommon) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpgradedGiftAttributeRarityUncommon + + return json.Marshal((*stub)(entity)) +} + +func (*UpgradedGiftAttributeRarityUncommon) GetClass() string { + return ClassUpgradedGiftAttributeRarity +} + +func (*UpgradedGiftAttributeRarityUncommon) GetType() string { + return TypeUpgradedGiftAttributeRarityUncommon +} + +func (*UpgradedGiftAttributeRarityUncommon) UpgradedGiftAttributeRarityType() string { + return TypeUpgradedGiftAttributeRarityUncommon +} + +// The attribute is rare +type UpgradedGiftAttributeRarityRare struct{ + meta +} + +func (entity *UpgradedGiftAttributeRarityRare) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpgradedGiftAttributeRarityRare + + return json.Marshal((*stub)(entity)) +} + +func (*UpgradedGiftAttributeRarityRare) GetClass() string { + return ClassUpgradedGiftAttributeRarity +} + +func (*UpgradedGiftAttributeRarityRare) GetType() string { + return TypeUpgradedGiftAttributeRarityRare +} + +func (*UpgradedGiftAttributeRarityRare) UpgradedGiftAttributeRarityType() string { + return TypeUpgradedGiftAttributeRarityRare +} + +// The attribute is epic +type UpgradedGiftAttributeRarityEpic struct{ + meta +} + +func (entity *UpgradedGiftAttributeRarityEpic) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpgradedGiftAttributeRarityEpic + + return json.Marshal((*stub)(entity)) +} + +func (*UpgradedGiftAttributeRarityEpic) GetClass() string { + return ClassUpgradedGiftAttributeRarity +} + +func (*UpgradedGiftAttributeRarityEpic) GetType() string { + return TypeUpgradedGiftAttributeRarityEpic +} + +func (*UpgradedGiftAttributeRarityEpic) UpgradedGiftAttributeRarityType() string { + return TypeUpgradedGiftAttributeRarityEpic +} + +// The attribute is legendary +type UpgradedGiftAttributeRarityLegendary struct{ + meta +} + +func (entity *UpgradedGiftAttributeRarityLegendary) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpgradedGiftAttributeRarityLegendary + + return json.Marshal((*stub)(entity)) +} + +func (*UpgradedGiftAttributeRarityLegendary) GetClass() string { + return ClassUpgradedGiftAttributeRarity +} + +func (*UpgradedGiftAttributeRarityLegendary) GetType() string { + return TypeUpgradedGiftAttributeRarityLegendary +} + +func (*UpgradedGiftAttributeRarityLegendary) UpgradedGiftAttributeRarityType() string { + return TypeUpgradedGiftAttributeRarityLegendary +} + +// Describes a model of an upgraded gift +type UpgradedGiftModel struct { + meta + // Name of the model + Name string `json:"name"` + // The sticker representing the upgraded gift + Sticker *Sticker `json:"sticker"` + // The rarity of the model + Rarity UpgradedGiftAttributeRarity `json:"rarity"` + // True, if the model can be obtained only through gift crafting + IsCrafted bool `json:"is_crafted"` +} + +func (entity *UpgradedGiftModel) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpgradedGiftModel + + return json.Marshal((*stub)(entity)) +} + +func (*UpgradedGiftModel) GetClass() string { + return ClassUpgradedGiftModel +} + +func (*UpgradedGiftModel) GetType() string { + return TypeUpgradedGiftModel +} + +func (upgradedGiftModel *UpgradedGiftModel) UnmarshalJSON(data []byte) error { + var tmp struct { + Name string `json:"name"` + Sticker *Sticker `json:"sticker"` + Rarity json.RawMessage `json:"rarity"` + IsCrafted bool `json:"is_crafted"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + upgradedGiftModel.Name = tmp.Name + upgradedGiftModel.Sticker = tmp.Sticker + upgradedGiftModel.IsCrafted = tmp.IsCrafted + + fieldRarity, _ := UnmarshalUpgradedGiftAttributeRarity(tmp.Rarity) + upgradedGiftModel.Rarity = fieldRarity + + return nil +} + +// Describes a symbol shown on the pattern of an upgraded gift +type UpgradedGiftSymbol struct { + meta + // Name of the symbol + Name string `json:"name"` + // The sticker representing the symbol + Sticker *Sticker `json:"sticker"` + // The rarity of the symbol + Rarity UpgradedGiftAttributeRarity `json:"rarity"` +} + +func (entity *UpgradedGiftSymbol) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpgradedGiftSymbol + + return json.Marshal((*stub)(entity)) +} + +func (*UpgradedGiftSymbol) GetClass() string { + return ClassUpgradedGiftSymbol +} + +func (*UpgradedGiftSymbol) GetType() string { + return TypeUpgradedGiftSymbol +} + +func (upgradedGiftSymbol *UpgradedGiftSymbol) UnmarshalJSON(data []byte) error { + var tmp struct { + Name string `json:"name"` + Sticker *Sticker `json:"sticker"` + Rarity json.RawMessage `json:"rarity"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + upgradedGiftSymbol.Name = tmp.Name + upgradedGiftSymbol.Sticker = tmp.Sticker + + fieldRarity, _ := UnmarshalUpgradedGiftAttributeRarity(tmp.Rarity) + upgradedGiftSymbol.Rarity = fieldRarity + + return nil +} + +// Describes colors of a backdrop of an upgraded gift +type UpgradedGiftBackdropColors struct { + meta + // A color in the center of the backdrop in the RGB format + CenterColor int32 `json:"center_color"` + // A color on the edges of the backdrop in the RGB format + EdgeColor int32 `json:"edge_color"` + // A color to be applied for the symbol in the RGB format + SymbolColor int32 `json:"symbol_color"` + // A color for the text on the backdrop in the RGB format + TextColor int32 `json:"text_color"` +} + +func (entity *UpgradedGiftBackdropColors) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpgradedGiftBackdropColors + + return json.Marshal((*stub)(entity)) +} + +func (*UpgradedGiftBackdropColors) GetClass() string { + return ClassUpgradedGiftBackdropColors +} + +func (*UpgradedGiftBackdropColors) GetType() string { + return TypeUpgradedGiftBackdropColors +} + +// Describes a backdrop of an upgraded gift +type UpgradedGiftBackdrop struct { + meta + // Unique identifier of the backdrop + Id int32 `json:"id"` + // Name of the backdrop + Name string `json:"name"` + // Colors of the backdrop + Colors *UpgradedGiftBackdropColors `json:"colors"` + // The rarity of the backdrop + Rarity UpgradedGiftAttributeRarity `json:"rarity"` +} + +func (entity *UpgradedGiftBackdrop) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpgradedGiftBackdrop + + return json.Marshal((*stub)(entity)) +} + +func (*UpgradedGiftBackdrop) GetClass() string { + return ClassUpgradedGiftBackdrop +} + +func (*UpgradedGiftBackdrop) GetType() string { + return TypeUpgradedGiftBackdrop +} + +func (upgradedGiftBackdrop *UpgradedGiftBackdrop) UnmarshalJSON(data []byte) error { + var tmp struct { + Id int32 `json:"id"` + Name string `json:"name"` + Colors *UpgradedGiftBackdropColors `json:"colors"` + Rarity json.RawMessage `json:"rarity"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + upgradedGiftBackdrop.Id = tmp.Id + upgradedGiftBackdrop.Name = tmp.Name + upgradedGiftBackdrop.Colors = tmp.Colors + + fieldRarity, _ := UnmarshalUpgradedGiftAttributeRarity(tmp.Rarity) + upgradedGiftBackdrop.Rarity = fieldRarity + + return nil +} + +// Describes the original details about the gift +type UpgradedGiftOriginalDetails struct { + meta + // Identifier of the user or the chat that sent the gift; may be null if the gift was private + SenderId MessageSender `json:"sender_id"` + // Identifier of the user or the chat that received the gift + ReceiverId MessageSender `json:"receiver_id"` + // Message added to the gift + Text *FormattedText `json:"text"` + // Point in time (Unix timestamp) when the gift was sent + Date int32 `json:"date"` +} + +func (entity *UpgradedGiftOriginalDetails) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpgradedGiftOriginalDetails + + return json.Marshal((*stub)(entity)) +} + +func (*UpgradedGiftOriginalDetails) GetClass() string { + return ClassUpgradedGiftOriginalDetails +} + +func (*UpgradedGiftOriginalDetails) GetType() string { + return TypeUpgradedGiftOriginalDetails +} + +func (upgradedGiftOriginalDetails *UpgradedGiftOriginalDetails) UnmarshalJSON(data []byte) error { + var tmp struct { + SenderId json.RawMessage `json:"sender_id"` + ReceiverId json.RawMessage `json:"receiver_id"` + Text *FormattedText `json:"text"` + Date int32 `json:"date"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + upgradedGiftOriginalDetails.Text = tmp.Text + upgradedGiftOriginalDetails.Date = tmp.Date + + fieldSenderId, _ := UnmarshalMessageSender(tmp.SenderId) + upgradedGiftOriginalDetails.SenderId = fieldSenderId + + fieldReceiverId, _ := UnmarshalMessageSender(tmp.ReceiverId) + upgradedGiftOriginalDetails.ReceiverId = fieldReceiverId + + return nil +} + +// Contains information about color scheme for user's name, background of empty chat photo, replies to messages and link previews +type UpgradedGiftColors struct { + meta + // Unique identifier of the upgraded gift colors + Id JsonInt64 `json:"id"` + // Custom emoji identifier of the model of the upgraded gift + ModelCustomEmojiId JsonInt64 `json:"model_custom_emoji_id"` + // Custom emoji identifier of the symbol of the upgraded gift + SymbolCustomEmojiId JsonInt64 `json:"symbol_custom_emoji_id"` + // Accent color to use in light themes in RGB format + LightThemeAccentColor int32 `json:"light_theme_accent_color"` + // The list of 1-3 colors in RGB format, describing the accent color, as expected to be shown in light themes + LightThemeColors []int32 `json:"light_theme_colors"` + // Accent color to use in dark themes in RGB format + DarkThemeAccentColor int32 `json:"dark_theme_accent_color"` + // The list of 1-3 colors in RGB format, describing the accent color, as expected to be shown in dark themes + DarkThemeColors []int32 `json:"dark_theme_colors"` +} + +func (entity *UpgradedGiftColors) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpgradedGiftColors + + return json.Marshal((*stub)(entity)) +} + +func (*UpgradedGiftColors) GetClass() string { + return ClassUpgradedGiftColors +} + +func (*UpgradedGiftColors) GetType() string { + return TypeUpgradedGiftColors +} + +// Describes a gift that can be sent to another user or channel chat +type Gift struct { + meta + // Unique identifier of the gift + Id JsonInt64 `json:"id"` + // Identifier of the chat that published the gift; 0 if none + PublisherChatId int64 `json:"publisher_chat_id"` + // The sticker representing the gift + Sticker *Sticker `json:"sticker"` + // Number of Telegram Stars that must be paid for the gift + StarCount int64 `json:"star_count"` + // Number of Telegram Stars that can be claimed by the receiver instead of the regular gift by default. If the gift was paid with just bought Telegram Stars, then full value can be claimed + DefaultSellStarCount int64 `json:"default_sell_star_count"` + // Number of Telegram Stars that must be paid to upgrade the gift; 0 if upgrade isn't possible + UpgradeStarCount int64 `json:"upgrade_star_count"` + // Number of unique gift variants that are available for the upgraded gift; 0 if unknown + UpgradeVariantCount int32 `json:"upgrade_variant_count"` + // True, if the gift can be used to customize the user's name, and backgrounds of profile photo, reply header, and link preview + HasColors bool `json:"has_colors"` + // True, if the gift is a birthday gift + IsForBirthday bool `json:"is_for_birthday"` + // True, if the gift can be bought only by Telegram Premium subscribers + IsPremium bool `json:"is_premium"` + // Information about the auction on which the gift can be purchased; may be null if the gift can be purchased directly + AuctionInfo *GiftAuction `json:"auction_info"` + // Point in time (Unix timestamp) when the gift can be sent next time by the current user; may be 0 or a date in the past. If the date is in the future, then call canSendGift to get the reason, why the gift can't be sent now + NextSendDate int32 `json:"next_send_date"` + // Number of times the gift can be purchased by the current user; may be null if not limited + UserLimits *GiftPurchaseLimits `json:"user_limits"` + // Number of times the gift can be purchased all users; may be null if not limited + OverallLimits *GiftPurchaseLimits `json:"overall_limits"` + // Background of the gift + Background *GiftBackground `json:"background"` + // Point in time (Unix timestamp) when the gift was send for the first time; for sold out gifts only + FirstSendDate int32 `json:"first_send_date"` + // Point in time (Unix timestamp) when the gift was send for the last time; for sold out gifts only + LastSendDate int32 `json:"last_send_date"` +} + +func (entity *Gift) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub Gift + + return json.Marshal((*stub)(entity)) +} + +func (*Gift) GetClass() string { + return ClassGift +} + +func (*Gift) GetType() string { + return TypeGift +} + +// Describes an upgraded gift that can be transferred to another owner or transferred to the TON blockchain as an NFT +type UpgradedGift struct { + meta + // Unique identifier of the gift + Id JsonInt64 `json:"id"` + // Unique identifier of the regular gift from which the gift was upgraded; may be 0 for short period of time for old gifts from database + RegularGiftId JsonInt64 `json:"regular_gift_id"` + // Identifier of the chat that published the gift; 0 if none + PublisherChatId int64 `json:"publisher_chat_id"` + // The title of the upgraded gift + Title string `json:"title"` + // Unique name of the upgraded gift that can be used with internalLinkTypeUpgradedGift or sendResoldGift + Name string `json:"name"` + // Unique number of the upgraded gift among gifts upgraded from the same gift + Number int32 `json:"number"` + // Total number of gifts that were upgraded from the same gift + TotalUpgradedCount int32 `json:"total_upgraded_count"` + // The maximum number of gifts that can be upgraded from the same gift + MaxUpgradedCount int32 `json:"max_upgraded_count"` + // True, if the gift was used to craft another gift + IsBurned bool `json:"is_burned"` + // True, if the gift was craft from another gifts + IsCrafted bool `json:"is_crafted"` + // True, if the original gift could have been bought only by Telegram Premium subscribers + IsPremium bool `json:"is_premium"` + // True, if the gift can be used to set a theme in a chat + IsThemeAvailable bool `json:"is_theme_available"` + // Identifier of the chat for which the gift is used to set a theme; 0 if none or the gift isn't owned by the current user + UsedThemeChatId int64 `json:"used_theme_chat_id"` + // Identifier of the user or the chat to which the upgraded gift was assigned from blockchain; may be null if none or unknown + HostId MessageSender `json:"host_id"` + // Identifier of the user or the chat that owns the upgraded gift; may be null if none or unknown + OwnerId MessageSender `json:"owner_id"` + // Address of the gift NFT owner in TON blockchain; may be empty if none. Append the address to getOption("ton_blockchain_explorer_url") to get a link with information about the address + OwnerAddress string `json:"owner_address"` + // Name of the owner for the case when owner identifier and address aren't known + OwnerName string `json:"owner_name"` + // Address of the gift NFT in TON blockchain; may be empty if none. Append the address to getOption("ton_blockchain_explorer_url") to get a link with information about the address + GiftAddress string `json:"gift_address"` + // Model of the upgraded gift + Model *UpgradedGiftModel `json:"model"` + // Symbol of the upgraded gift + Symbol *UpgradedGiftSymbol `json:"symbol"` + // Backdrop of the upgraded gift + Backdrop *UpgradedGiftBackdrop `json:"backdrop"` + // Information about the originally sent gift; may be null if unknown + OriginalDetails *UpgradedGiftOriginalDetails `json:"original_details"` + // Colors that can be set for user's name, background of empty chat photo, replies to messages and link previews; may be null if none or unknown + Colors *UpgradedGiftColors `json:"colors"` + // Resale parameters of the gift; may be null if resale isn't possible + ResaleParameters *GiftResaleParameters `json:"resale_parameters"` + // True, if an offer to purchase the gift can be sent using sendGiftPurchaseOffer + CanSendPurchaseOffer bool `json:"can_send_purchase_offer"` + // Probability that the gift adds to the chance of successful crafting of a new gift; 0 if the gift can't be used for crafting + CraftProbabilityPerMille int32 `json:"craft_probability_per_mille"` + // ISO 4217 currency code of the currency in which value of the gift is represented; may be empty if unavailable + ValueCurrency string `json:"value_currency"` + // Estimated value of the gift; in the smallest units of the currency; 0 if unavailable + ValueAmount int64 `json:"value_amount"` + // Estimated value of the gift in USD; in USD cents; 0 if unavailable + ValueUsdAmount int64 `json:"value_usd_amount"` +} + +func (entity *UpgradedGift) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpgradedGift + + return json.Marshal((*stub)(entity)) +} + +func (*UpgradedGift) GetClass() string { + return ClassUpgradedGift +} + +func (*UpgradedGift) GetType() string { + return TypeUpgradedGift +} + +func (upgradedGift *UpgradedGift) UnmarshalJSON(data []byte) error { + var tmp struct { + Id JsonInt64 `json:"id"` + RegularGiftId JsonInt64 `json:"regular_gift_id"` + PublisherChatId int64 `json:"publisher_chat_id"` + Title string `json:"title"` + Name string `json:"name"` + Number int32 `json:"number"` + TotalUpgradedCount int32 `json:"total_upgraded_count"` + MaxUpgradedCount int32 `json:"max_upgraded_count"` + IsBurned bool `json:"is_burned"` + IsCrafted bool `json:"is_crafted"` + IsPremium bool `json:"is_premium"` + IsThemeAvailable bool `json:"is_theme_available"` + UsedThemeChatId int64 `json:"used_theme_chat_id"` + HostId json.RawMessage `json:"host_id"` + OwnerId json.RawMessage `json:"owner_id"` + OwnerAddress string `json:"owner_address"` + OwnerName string `json:"owner_name"` + GiftAddress string `json:"gift_address"` + Model *UpgradedGiftModel `json:"model"` + Symbol *UpgradedGiftSymbol `json:"symbol"` + Backdrop *UpgradedGiftBackdrop `json:"backdrop"` + OriginalDetails *UpgradedGiftOriginalDetails `json:"original_details"` + Colors *UpgradedGiftColors `json:"colors"` + ResaleParameters *GiftResaleParameters `json:"resale_parameters"` + CanSendPurchaseOffer bool `json:"can_send_purchase_offer"` + CraftProbabilityPerMille int32 `json:"craft_probability_per_mille"` + ValueCurrency string `json:"value_currency"` + ValueAmount int64 `json:"value_amount"` + ValueUsdAmount int64 `json:"value_usd_amount"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + upgradedGift.Id = tmp.Id + upgradedGift.RegularGiftId = tmp.RegularGiftId + upgradedGift.PublisherChatId = tmp.PublisherChatId + upgradedGift.Title = tmp.Title + upgradedGift.Name = tmp.Name + upgradedGift.Number = tmp.Number + upgradedGift.TotalUpgradedCount = tmp.TotalUpgradedCount + upgradedGift.MaxUpgradedCount = tmp.MaxUpgradedCount + upgradedGift.IsBurned = tmp.IsBurned + upgradedGift.IsCrafted = tmp.IsCrafted + upgradedGift.IsPremium = tmp.IsPremium + upgradedGift.IsThemeAvailable = tmp.IsThemeAvailable + upgradedGift.UsedThemeChatId = tmp.UsedThemeChatId + upgradedGift.OwnerAddress = tmp.OwnerAddress + upgradedGift.OwnerName = tmp.OwnerName + upgradedGift.GiftAddress = tmp.GiftAddress + upgradedGift.Model = tmp.Model + upgradedGift.Symbol = tmp.Symbol + upgradedGift.Backdrop = tmp.Backdrop + upgradedGift.OriginalDetails = tmp.OriginalDetails + upgradedGift.Colors = tmp.Colors + upgradedGift.ResaleParameters = tmp.ResaleParameters + upgradedGift.CanSendPurchaseOffer = tmp.CanSendPurchaseOffer + upgradedGift.CraftProbabilityPerMille = tmp.CraftProbabilityPerMille + upgradedGift.ValueCurrency = tmp.ValueCurrency + upgradedGift.ValueAmount = tmp.ValueAmount + upgradedGift.ValueUsdAmount = tmp.ValueUsdAmount + + fieldHostId, _ := UnmarshalMessageSender(tmp.HostId) + upgradedGift.HostId = fieldHostId + + fieldOwnerId, _ := UnmarshalMessageSender(tmp.OwnerId) + upgradedGift.OwnerId = fieldOwnerId + + return nil +} + +// Contains information about value of an upgraded gift +type UpgradedGiftValueInfo struct { + meta + // ISO 4217 currency code of the currency in which the prices are represented + Currency string `json:"currency"` + // Estimated value of the gift; in the smallest units of the currency + Value int64 `json:"value"` + // True, if the value is calculated as average value of similar sold gifts. Otherwise, it is based on the sale price of the gift + IsValueAverage bool `json:"is_value_average"` + // Point in time (Unix timestamp) when the corresponding regular gift was originally purchased + InitialSaleDate int32 `json:"initial_sale_date"` + // The Telegram Star amount that was paid for the gift + InitialSaleStarCount int64 `json:"initial_sale_star_count"` + // Initial price of the gift; in the smallest units of the currency + InitialSalePrice int64 `json:"initial_sale_price"` + // Point in time (Unix timestamp) when the upgraded gift was purchased last time; 0 if never + LastSaleDate int32 `json:"last_sale_date"` + // Last purchase price of the gift; in the smallest units of the currency; 0 if the gift has never been resold + LastSalePrice int64 `json:"last_sale_price"` + // True, if the last sale was completed on Fragment + IsLastSaleOnFragment bool `json:"is_last_sale_on_fragment"` + // The current minimum price of gifts upgraded from the same gift; in the smallest units of the currency; 0 if there are no such gifts + MinimumPrice int64 `json:"minimum_price"` + // The average sale price in the last month of gifts upgraded from the same gift; in the smallest units of the currency; 0 if there were no such sales + AverageSalePrice int64 `json:"average_sale_price"` + // Number of gifts upgraded from the same gift being resold on Telegram + TelegramListedGiftCount int32 `json:"telegram_listed_gift_count"` + // Number of gifts upgraded from the same gift being resold on Fragment + FragmentListedGiftCount int32 `json:"fragment_listed_gift_count"` + // The HTTPS link to the Fragment for the gift; may be empty if there are no such gifts being sold on Fragment + FragmentUrl string `json:"fragment_url"` +} + +func (entity *UpgradedGiftValueInfo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpgradedGiftValueInfo + + return json.Marshal((*stub)(entity)) +} + +func (*UpgradedGiftValueInfo) GetClass() string { + return ClassUpgradedGiftValueInfo +} + +func (*UpgradedGiftValueInfo) GetType() string { + return TypeUpgradedGiftValueInfo +} + +// Contains result of gift upgrading +type UpgradeGiftResult struct { + meta + // The upgraded gift + Gift *UpgradedGift `json:"gift"` + // Unique identifier of the received gift for the current user + ReceivedGiftId string `json:"received_gift_id"` + // True, if the gift is displayed on the user's or the channel's profile page + IsSaved bool `json:"is_saved"` + // True, if the gift can be transferred to another owner + CanBeTransferred bool `json:"can_be_transferred"` + // Number of Telegram Stars that must be paid to transfer the upgraded gift + TransferStarCount int64 `json:"transfer_star_count"` + // Number of Telegram Stars that must be paid to drop original details of the upgraded gift; 0 if not available + DropOriginalDetailsStarCount int64 `json:"drop_original_details_star_count"` + // Point in time (Unix timestamp) when the gift can be transferred to another owner; can be in the past; 0 if the gift can be transferred immediately or transfer isn't possible + NextTransferDate int32 `json:"next_transfer_date"` + // Point in time (Unix timestamp) when the gift can be resold to another user; can be in the past; 0 if the gift can't be resold; only for the receiver of the gift + NextResaleDate int32 `json:"next_resale_date"` + // Point in time (Unix timestamp) when the gift can be transferred to the TON blockchain as an NFT; can be in the past + ExportDate int32 `json:"export_date"` +} + +func (entity *UpgradeGiftResult) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpgradeGiftResult + + return json.Marshal((*stub)(entity)) +} + +func (*UpgradeGiftResult) GetClass() string { + return ClassUpgradeGiftResult +} + +func (*UpgradeGiftResult) GetType() string { + return TypeUpgradeGiftResult +} + +// Crafting was successful +type CraftGiftResultSuccess struct { + meta + // The created gift + Gift *UpgradedGift `json:"gift"` + // Unique identifier of the received gift for the current user + ReceivedGiftId string `json:"received_gift_id"` +} + +func (entity *CraftGiftResultSuccess) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub CraftGiftResultSuccess + + return json.Marshal((*stub)(entity)) +} + +func (*CraftGiftResultSuccess) GetClass() string { + return ClassCraftGiftResult +} + +func (*CraftGiftResultSuccess) GetType() string { + return TypeCraftGiftResultSuccess +} + +func (*CraftGiftResultSuccess) CraftGiftResultType() string { + return TypeCraftGiftResultSuccess +} + +// Crafting isn't possible because one of the gifts can't be used for crafting yet +type CraftGiftResultTooEarly struct { + meta + // Time left before the gift can be used for crafting + RetryAfter int32 `json:"retry_after"` +} + +func (entity *CraftGiftResultTooEarly) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub CraftGiftResultTooEarly + + return json.Marshal((*stub)(entity)) +} + +func (*CraftGiftResultTooEarly) GetClass() string { + return ClassCraftGiftResult +} + +func (*CraftGiftResultTooEarly) GetType() string { + return TypeCraftGiftResultTooEarly +} + +func (*CraftGiftResultTooEarly) CraftGiftResultType() string { + return TypeCraftGiftResultTooEarly +} + +// Crafting isn't possible because one of the gifts isn't suitable for crafting +type CraftGiftResultInvalidGift struct{ + meta +} + +func (entity *CraftGiftResultInvalidGift) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub CraftGiftResultInvalidGift + + return json.Marshal((*stub)(entity)) +} + +func (*CraftGiftResultInvalidGift) GetClass() string { + return ClassCraftGiftResult +} + +func (*CraftGiftResultInvalidGift) GetType() string { + return TypeCraftGiftResultInvalidGift +} + +func (*CraftGiftResultInvalidGift) CraftGiftResultType() string { + return TypeCraftGiftResultInvalidGift +} + +// Crafting has failed +type CraftGiftResultFail struct{ + meta +} + +func (entity *CraftGiftResultFail) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub CraftGiftResultFail + + return json.Marshal((*stub)(entity)) +} + +func (*CraftGiftResultFail) GetClass() string { + return ClassCraftGiftResult +} + +func (*CraftGiftResultFail) GetType() string { + return TypeCraftGiftResultFail +} + +func (*CraftGiftResultFail) CraftGiftResultType() string { + return TypeCraftGiftResultFail +} + +// Describes a gift that is available for purchase +type AvailableGift struct { + meta + // The gift + Gift *Gift `json:"gift"` + // Number of gifts that are available for resale + ResaleCount int32 `json:"resale_count"` + // The minimum price for the gifts available for resale in Telegram Star equivalent; 0 if there are no such gifts + MinResaleStarCount int64 `json:"min_resale_star_count"` + // The title of the upgraded gift; empty if the gift isn't available for resale + Title string `json:"title"` +} + +func (entity *AvailableGift) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub AvailableGift + + return json.Marshal((*stub)(entity)) +} + +func (*AvailableGift) GetClass() string { + return ClassAvailableGift +} + +func (*AvailableGift) GetType() string { + return TypeAvailableGift +} + +// Contains a list of gifts that can be sent to another user or channel chat +type AvailableGifts struct { + meta + // The list of gifts + Gifts []*AvailableGift `json:"gifts"` +} + +func (entity *AvailableGifts) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub AvailableGifts + + return json.Marshal((*stub)(entity)) +} + +func (*AvailableGifts) GetClass() string { + return ClassAvailableGifts +} + +func (*AvailableGifts) GetType() string { + return TypeAvailableGifts +} + +// Describes a price required to pay to upgrade a gift +type GiftUpgradePrice struct { + meta + // Point in time (Unix timestamp) when the price will be in effect + Date int32 `json:"date"` + // The Telegram Star amount required to pay to upgrade the gift + StarCount int64 `json:"star_count"` +} + +func (entity *GiftUpgradePrice) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub GiftUpgradePrice + + return json.Marshal((*stub)(entity)) +} + +func (*GiftUpgradePrice) GetClass() string { + return ClassGiftUpgradePrice +} + +func (*GiftUpgradePrice) GetType() string { + return TypeGiftUpgradePrice +} + +// Identifier of a gift model +type UpgradedGiftAttributeIdModel struct { + meta + // Identifier of the sticker representing the model + StickerId JsonInt64 `json:"sticker_id"` +} + +func (entity *UpgradedGiftAttributeIdModel) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpgradedGiftAttributeIdModel + + return json.Marshal((*stub)(entity)) +} + +func (*UpgradedGiftAttributeIdModel) GetClass() string { + return ClassUpgradedGiftAttributeId +} + +func (*UpgradedGiftAttributeIdModel) GetType() string { + return TypeUpgradedGiftAttributeIdModel +} + +func (*UpgradedGiftAttributeIdModel) UpgradedGiftAttributeIdType() string { + return TypeUpgradedGiftAttributeIdModel +} + +// Identifier of a gift symbol +type UpgradedGiftAttributeIdSymbol struct { + meta + // Identifier of the sticker representing the symbol + StickerId JsonInt64 `json:"sticker_id"` +} + +func (entity *UpgradedGiftAttributeIdSymbol) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpgradedGiftAttributeIdSymbol + + return json.Marshal((*stub)(entity)) +} + +func (*UpgradedGiftAttributeIdSymbol) GetClass() string { + return ClassUpgradedGiftAttributeId +} + +func (*UpgradedGiftAttributeIdSymbol) GetType() string { + return TypeUpgradedGiftAttributeIdSymbol +} + +func (*UpgradedGiftAttributeIdSymbol) UpgradedGiftAttributeIdType() string { + return TypeUpgradedGiftAttributeIdSymbol +} + +// Identifier of a gift backdrop +type UpgradedGiftAttributeIdBackdrop struct { + meta + // Identifier of the backdrop + BackdropId int32 `json:"backdrop_id"` +} + +func (entity *UpgradedGiftAttributeIdBackdrop) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpgradedGiftAttributeIdBackdrop + + return json.Marshal((*stub)(entity)) +} + +func (*UpgradedGiftAttributeIdBackdrop) GetClass() string { + return ClassUpgradedGiftAttributeId +} + +func (*UpgradedGiftAttributeIdBackdrop) GetType() string { + return TypeUpgradedGiftAttributeIdBackdrop +} + +func (*UpgradedGiftAttributeIdBackdrop) UpgradedGiftAttributeIdType() string { + return TypeUpgradedGiftAttributeIdBackdrop +} + +// Describes a model of an upgraded gift with the number of gifts found +type UpgradedGiftModelCount struct { + meta + // The model + Model *UpgradedGiftModel `json:"model"` + // Total number of gifts with the model + TotalCount int32 `json:"total_count"` +} + +func (entity *UpgradedGiftModelCount) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpgradedGiftModelCount + + return json.Marshal((*stub)(entity)) +} + +func (*UpgradedGiftModelCount) GetClass() string { + return ClassUpgradedGiftModelCount +} + +func (*UpgradedGiftModelCount) GetType() string { + return TypeUpgradedGiftModelCount +} + +// Describes a symbol shown on the pattern of an upgraded gift +type UpgradedGiftSymbolCount struct { + meta + // The symbol + Symbol *UpgradedGiftSymbol `json:"symbol"` + // Total number of gifts with the symbol + TotalCount int32 `json:"total_count"` +} + +func (entity *UpgradedGiftSymbolCount) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpgradedGiftSymbolCount + + return json.Marshal((*stub)(entity)) +} + +func (*UpgradedGiftSymbolCount) GetClass() string { + return ClassUpgradedGiftSymbolCount +} + +func (*UpgradedGiftSymbolCount) GetType() string { + return TypeUpgradedGiftSymbolCount +} + +// Describes a backdrop of an upgraded gift +type UpgradedGiftBackdropCount struct { + meta + // The backdrop + Backdrop *UpgradedGiftBackdrop `json:"backdrop"` + // Total number of gifts with the symbol + TotalCount int32 `json:"total_count"` +} + +func (entity *UpgradedGiftBackdropCount) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpgradedGiftBackdropCount + + return json.Marshal((*stub)(entity)) +} + +func (*UpgradedGiftBackdropCount) GetClass() string { + return ClassUpgradedGiftBackdropCount +} + +func (*UpgradedGiftBackdropCount) GetType() string { + return TypeUpgradedGiftBackdropCount +} + +// The gifts will be sorted by their price from the lowest to the highest +type GiftForResaleOrderPrice struct{ + meta +} + +func (entity *GiftForResaleOrderPrice) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub GiftForResaleOrderPrice + + return json.Marshal((*stub)(entity)) +} + +func (*GiftForResaleOrderPrice) GetClass() string { + return ClassGiftForResaleOrder +} + +func (*GiftForResaleOrderPrice) GetType() string { + return TypeGiftForResaleOrderPrice +} + +func (*GiftForResaleOrderPrice) GiftForResaleOrderType() string { + return TypeGiftForResaleOrderPrice +} + +// The gifts will be sorted by the last date when their price was changed from the newest to the oldest +type GiftForResaleOrderPriceChangeDate struct{ + meta +} + +func (entity *GiftForResaleOrderPriceChangeDate) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub GiftForResaleOrderPriceChangeDate + + return json.Marshal((*stub)(entity)) +} + +func (*GiftForResaleOrderPriceChangeDate) GetClass() string { + return ClassGiftForResaleOrder +} + +func (*GiftForResaleOrderPriceChangeDate) GetType() string { + return TypeGiftForResaleOrderPriceChangeDate +} + +func (*GiftForResaleOrderPriceChangeDate) GiftForResaleOrderType() string { + return TypeGiftForResaleOrderPriceChangeDate +} + +// The gifts will be sorted by their number from the smallest to the largest +type GiftForResaleOrderNumber struct{ + meta +} + +func (entity *GiftForResaleOrderNumber) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub GiftForResaleOrderNumber + + return json.Marshal((*stub)(entity)) +} + +func (*GiftForResaleOrderNumber) GetClass() string { + return ClassGiftForResaleOrder +} + +func (*GiftForResaleOrderNumber) GetType() string { + return TypeGiftForResaleOrderNumber +} + +func (*GiftForResaleOrderNumber) GiftForResaleOrderType() string { + return TypeGiftForResaleOrderNumber +} + +// Describes a gift available for resale +type GiftForResale struct { + meta + // The gift + Gift *UpgradedGift `json:"gift"` + // Unique identifier of the received gift for the current user; only for the gifts owned by the current user + ReceivedGiftId string `json:"received_gift_id"` +} + +func (entity *GiftForResale) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub GiftForResale + + return json.Marshal((*stub)(entity)) +} + +func (*GiftForResale) GetClass() string { + return ClassGiftForResale +} + +func (*GiftForResale) GetType() string { + return TypeGiftForResale +} + +// Describes gifts available for resale +type GiftsForResale struct { + meta + // Total number of gifts found + TotalCount int32 `json:"total_count"` + // The gifts + Gifts []*GiftForResale `json:"gifts"` + // Available models; for searchGiftsForResale requests without offset and attributes only + Models []*UpgradedGiftModelCount `json:"models"` + // Available symbols; for searchGiftsForResale requests without offset and attributes only + Symbols []*UpgradedGiftSymbolCount `json:"symbols"` + // Available backdrops; for searchGiftsForResale requests without offset and attributes only + Backdrops []*UpgradedGiftBackdropCount `json:"backdrops"` + // The offset for the next request. If empty, then there are no more results + NextOffset string `json:"next_offset"` +} + +func (entity *GiftsForResale) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub GiftsForResale + + return json.Marshal((*stub)(entity)) +} + +func (*GiftsForResale) GetClass() string { + return ClassGiftsForResale +} + +func (*GiftsForResale) GetType() string { + return TypeGiftsForResale +} + +// Operation was successfully completed +type GiftResaleResultOk struct { + meta + // Unique identifier of the received gift; only for the gifts sent to the current user + ReceivedGiftId string `json:"received_gift_id"` +} + +func (entity *GiftResaleResultOk) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub GiftResaleResultOk + + return json.Marshal((*stub)(entity)) +} + +func (*GiftResaleResultOk) GetClass() string { + return ClassGiftResaleResult +} + +func (*GiftResaleResultOk) GetType() string { + return TypeGiftResaleResultOk +} + +func (*GiftResaleResultOk) GiftResaleResultType() string { + return TypeGiftResaleResultOk +} + +// Operation has failed, because price has increased. If the price has decreased, then the buying will succeed anyway +type GiftResaleResultPriceIncreased struct { + meta + // New price for the gift + Price GiftResalePrice `json:"price"` +} + +func (entity *GiftResaleResultPriceIncreased) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub GiftResaleResultPriceIncreased + + return json.Marshal((*stub)(entity)) +} + +func (*GiftResaleResultPriceIncreased) GetClass() string { + return ClassGiftResaleResult +} + +func (*GiftResaleResultPriceIncreased) GetType() string { + return TypeGiftResaleResultPriceIncreased +} + +func (*GiftResaleResultPriceIncreased) GiftResaleResultType() string { + return TypeGiftResaleResultPriceIncreased +} + +func (giftResaleResultPriceIncreased *GiftResaleResultPriceIncreased) UnmarshalJSON(data []byte) error { + var tmp struct { + Price json.RawMessage `json:"price"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldPrice, _ := UnmarshalGiftResalePrice(tmp.Price) + giftResaleResultPriceIncreased.Price = fieldPrice + + return nil +} + +// Regular gift +type SentGiftRegular struct { + meta + // The gift + Gift *Gift `json:"gift"` +} + +func (entity *SentGiftRegular) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SentGiftRegular + + return json.Marshal((*stub)(entity)) +} + +func (*SentGiftRegular) GetClass() string { + return ClassSentGift +} + +func (*SentGiftRegular) GetType() string { + return TypeSentGiftRegular +} + +func (*SentGiftRegular) SentGiftType() string { + return TypeSentGiftRegular +} + +// Upgraded gift +type SentGiftUpgraded struct { + meta + // The gift + Gift *UpgradedGift `json:"gift"` +} + +func (entity *SentGiftUpgraded) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SentGiftUpgraded + + return json.Marshal((*stub)(entity)) +} + +func (*SentGiftUpgraded) GetClass() string { + return ClassSentGift +} + +func (*SentGiftUpgraded) GetType() string { + return TypeSentGiftUpgraded +} + +func (*SentGiftUpgraded) SentGiftType() string { + return TypeSentGiftUpgraded +} + +// Represents a gift received by a user or a chat +type ReceivedGift struct { + meta + // Unique identifier of the received gift for the current user; only for the receiver of the gift + ReceivedGiftId string `json:"received_gift_id"` + // Identifier of a user or a chat that sent the gift; may be null if unknown + SenderId MessageSender `json:"sender_id"` + // Message added to the gift + Text *FormattedText `json:"text"` + // Unique number of the gift among gifts upgraded from the same gift after upgrade; 0 if yet unassigned + UniqueGiftNumber int32 `json:"unique_gift_number"` + // True, if the sender and gift text are shown only to the gift receiver; otherwise, everyone are able to see them + IsPrivate bool `json:"is_private"` + // True, if the gift is displayed on the chat's profile page; only for the receiver of the gift + IsSaved bool `json:"is_saved"` + // True, if the gift is pinned to the top of the chat's profile page + IsPinned bool `json:"is_pinned"` + // True, if the gift is a regular gift that can be upgraded to a unique gift; only for the receiver of the gift + CanBeUpgraded bool `json:"can_be_upgraded"` + // True, if the gift is an upgraded gift that can be transferred to another owner; only for the receiver of the gift + CanBeTransferred bool `json:"can_be_transferred"` + // True, if the gift was refunded and isn't available anymore + WasRefunded bool `json:"was_refunded"` + // Point in time (Unix timestamp) when the gift was sent + Date int32 `json:"date"` + // The gift + Gift SentGift `json:"gift"` + // Identifiers of collections to which the gift is added; only for the receiver of the gift + CollectionIds []int32 `json:"collection_ids"` + // Number of Telegram Stars that can be claimed by the receiver instead of the regular gift; 0 if the gift can't be sold by the current user + SellStarCount int64 `json:"sell_star_count"` + // Number of Telegram Stars that were paid by the sender for the ability to upgrade the gift + PrepaidUpgradeStarCount int64 `json:"prepaid_upgrade_star_count"` + // True, if the upgrade was bought after the gift was sent. In this case, prepaid upgrade cost must not be added to the gift cost + IsUpgradeSeparate bool `json:"is_upgrade_separate"` + // Number of Telegram Stars that must be paid to transfer the upgraded gift; only for the receiver of the gift + TransferStarCount int64 `json:"transfer_star_count"` + // Number of Telegram Stars that must be paid to drop original details of the upgraded gift; 0 if not available; only for the receiver of the gift + DropOriginalDetailsStarCount int64 `json:"drop_original_details_star_count"` + // Point in time (Unix timestamp) when the gift can be transferred to another owner; can be in the past; 0 if the gift can be transferred immediately or transfer isn't possible; only for the receiver of the gift + NextTransferDate int32 `json:"next_transfer_date"` + // Point in time (Unix timestamp) when the gift can be resold to another user; can be in the past; 0 if the gift can't be resold; only for the receiver of the gift + NextResaleDate int32 `json:"next_resale_date"` + // Point in time (Unix timestamp) when the upgraded gift can be transferred to the TON blockchain as an NFT; can be in the past; 0 if NFT export isn't possible; only for the receiver of the gift + ExportDate int32 `json:"export_date"` + // If non-empty, then the user can pay for an upgrade of the gift using buyGiftUpgrade + PrepaidUpgradeHash string `json:"prepaid_upgrade_hash"` + // Point in time (Unix timestamp) when the gift can be used to craft another gift can be in the past; only for the receiver of the gift + CraftDate int32 `json:"craft_date"` +} + +func (entity *ReceivedGift) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ReceivedGift + + return json.Marshal((*stub)(entity)) +} + +func (*ReceivedGift) GetClass() string { + return ClassReceivedGift +} + +func (*ReceivedGift) GetType() string { + return TypeReceivedGift +} + +func (receivedGift *ReceivedGift) UnmarshalJSON(data []byte) error { + var tmp struct { + ReceivedGiftId string `json:"received_gift_id"` + SenderId json.RawMessage `json:"sender_id"` + Text *FormattedText `json:"text"` + UniqueGiftNumber int32 `json:"unique_gift_number"` + IsPrivate bool `json:"is_private"` + IsSaved bool `json:"is_saved"` + IsPinned bool `json:"is_pinned"` + CanBeUpgraded bool `json:"can_be_upgraded"` + CanBeTransferred bool `json:"can_be_transferred"` + WasRefunded bool `json:"was_refunded"` + Date int32 `json:"date"` + Gift json.RawMessage `json:"gift"` + CollectionIds []int32 `json:"collection_ids"` + SellStarCount int64 `json:"sell_star_count"` + PrepaidUpgradeStarCount int64 `json:"prepaid_upgrade_star_count"` + IsUpgradeSeparate bool `json:"is_upgrade_separate"` + TransferStarCount int64 `json:"transfer_star_count"` + DropOriginalDetailsStarCount int64 `json:"drop_original_details_star_count"` + NextTransferDate int32 `json:"next_transfer_date"` + NextResaleDate int32 `json:"next_resale_date"` + ExportDate int32 `json:"export_date"` + PrepaidUpgradeHash string `json:"prepaid_upgrade_hash"` + CraftDate int32 `json:"craft_date"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + receivedGift.ReceivedGiftId = tmp.ReceivedGiftId + receivedGift.Text = tmp.Text + receivedGift.UniqueGiftNumber = tmp.UniqueGiftNumber + receivedGift.IsPrivate = tmp.IsPrivate + receivedGift.IsSaved = tmp.IsSaved + receivedGift.IsPinned = tmp.IsPinned + receivedGift.CanBeUpgraded = tmp.CanBeUpgraded + receivedGift.CanBeTransferred = tmp.CanBeTransferred + receivedGift.WasRefunded = tmp.WasRefunded + receivedGift.Date = tmp.Date + receivedGift.CollectionIds = tmp.CollectionIds + receivedGift.SellStarCount = tmp.SellStarCount + receivedGift.PrepaidUpgradeStarCount = tmp.PrepaidUpgradeStarCount + receivedGift.IsUpgradeSeparate = tmp.IsUpgradeSeparate + receivedGift.TransferStarCount = tmp.TransferStarCount + receivedGift.DropOriginalDetailsStarCount = tmp.DropOriginalDetailsStarCount + receivedGift.NextTransferDate = tmp.NextTransferDate + receivedGift.NextResaleDate = tmp.NextResaleDate + receivedGift.ExportDate = tmp.ExportDate + receivedGift.PrepaidUpgradeHash = tmp.PrepaidUpgradeHash + receivedGift.CraftDate = tmp.CraftDate + + fieldSenderId, _ := UnmarshalMessageSender(tmp.SenderId) + receivedGift.SenderId = fieldSenderId + + fieldGift, _ := UnmarshalSentGift(tmp.Gift) + receivedGift.Gift = fieldGift + + return nil +} + +// Represents a list of gifts received by a user or a chat +type ReceivedGifts struct { + meta + // The total number of received gifts + TotalCount int32 `json:"total_count"` + // The list of gifts + Gifts []*ReceivedGift `json:"gifts"` + // True, if notifications about new gifts of the owner are enabled + AreNotificationsEnabled bool `json:"are_notifications_enabled"` + // The offset for the next request. If empty, then there are no more results + NextOffset string `json:"next_offset"` +} + +func (entity *ReceivedGifts) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ReceivedGifts + + return json.Marshal((*stub)(entity)) +} + +func (*ReceivedGifts) GetClass() string { + return ClassReceivedGifts +} + +func (*ReceivedGifts) GetType() string { + return TypeReceivedGifts +} + +// Describes chance of the crafted gift to have the backdrop or symbol of one of the original gifts +type AttributeCraftPersistenceProbability struct { + meta + // The 4 numbers that describe probability of the craft result to have the same attribute as one of the original gifts if 1, 2, 3, or 4 gifts with the attribute are used in the craft. Each number represents the number of crafted gifts with the original attribute per 1000 successful craftings + PersistenceChancePerMille []int32 `json:"persistence_chance_per_mille"` +} + +func (entity *AttributeCraftPersistenceProbability) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub AttributeCraftPersistenceProbability + + return json.Marshal((*stub)(entity)) +} + +func (*AttributeCraftPersistenceProbability) GetClass() string { + return ClassAttributeCraftPersistenceProbability +} + +func (*AttributeCraftPersistenceProbability) GetType() string { + return TypeAttributeCraftPersistenceProbability +} + +// Represents a list of gifts received by a user or a chat +type GiftsForCrafting struct { + meta + // The total number of received gifts + TotalCount int32 `json:"total_count"` + // The list of gifts + Gifts []*ReceivedGift `json:"gifts"` + // The 4 objects that describe probabilities of the crafted gift to have the backdrop or symbol of one of the original gifts for the cases when 1, 2, 3 or 4 gifts are used in the craft correspondingly + AttributePersistenceProbabilities []*AttributeCraftPersistenceProbability `json:"attribute_persistence_probabilities"` + // The offset for the next request. If empty, then there are no more results + NextOffset string `json:"next_offset"` +} + +func (entity *GiftsForCrafting) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub GiftsForCrafting + + return json.Marshal((*stub)(entity)) +} + +func (*GiftsForCrafting) GetClass() string { + return ClassGiftsForCrafting +} + +func (*GiftsForCrafting) GetType() string { + return TypeGiftsForCrafting +} + +// Contains examples of possible upgraded gifts for the given regular gift +type GiftUpgradePreview struct { + meta + // Examples of possible models that can be chosen for the gift after upgrade + Models []*UpgradedGiftModel `json:"models"` + // Examples of possible symbols that can be chosen for the gift after upgrade + Symbols []*UpgradedGiftSymbol `json:"symbols"` + // Examples of possible backdrops that can be chosen for the gift after upgrade + Backdrops []*UpgradedGiftBackdrop `json:"backdrops"` + // Examples of price for gift upgrade from the maximum price to the minimum price + Prices []*GiftUpgradePrice `json:"prices"` + // Next changes for the price for gift upgrade with more granularity than in prices + NextPrices []*GiftUpgradePrice `json:"next_prices"` +} + +func (entity *GiftUpgradePreview) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub GiftUpgradePreview + + return json.Marshal((*stub)(entity)) +} + +func (*GiftUpgradePreview) GetClass() string { + return ClassGiftUpgradePreview +} + +func (*GiftUpgradePreview) GetType() string { + return TypeGiftUpgradePreview +} + +// Contains all possible variants of upgraded gifts for the given regular gift +type GiftUpgradeVariants struct { + meta + // Models that can be chosen for the gift after upgrade + Models []*UpgradedGiftModel `json:"models"` + // Symbols that can be chosen for the gift after upgrade + Symbols []*UpgradedGiftSymbol `json:"symbols"` + // Backdrops that can be chosen for the gift after upgrade + Backdrops []*UpgradedGiftBackdrop `json:"backdrops"` +} + +func (entity *GiftUpgradeVariants) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub GiftUpgradeVariants + + return json.Marshal((*stub)(entity)) +} + +func (*GiftUpgradeVariants) GetClass() string { + return ClassGiftUpgradeVariants +} + +func (*GiftUpgradeVariants) GetType() string { + return TypeGiftUpgradeVariants +} + +// Describes a bid in an auction +type AuctionBid struct { + meta + // The number of Telegram Stars that were put in the bid + StarCount int64 `json:"star_count"` + // Point in time (Unix timestamp) when the bid was made + BidDate int32 `json:"bid_date"` + // Position of the bid in the list of all bids + Position int32 `json:"position"` +} + +func (entity *AuctionBid) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub AuctionBid + + return json.Marshal((*stub)(entity)) +} + +func (*AuctionBid) GetClass() string { + return ClassAuctionBid +} + +func (*AuctionBid) GetType() string { + return TypeAuctionBid +} + +// Describes a bid of the current user in an auction +type UserAuctionBid struct { + meta + // The number of Telegram Stars that were put in the bid + StarCount int64 `json:"star_count"` + // Point in time (Unix timestamp) when the bid was made + BidDate int32 `json:"bid_date"` + // The minimum number of Telegram Stars that can be put for the next bid + NextBidStarCount int64 `json:"next_bid_star_count"` + // Identifier of the user or the chat that will receive the auctioned item. If the auction is opened in context of another user or chat, then a warning is supposed to be shown to the current user + OwnerId MessageSender `json:"owner_id"` + // True, if the bid was returned to the user, because it was outbid and can't win anymore + WasReturned bool `json:"was_returned"` +} + +func (entity *UserAuctionBid) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UserAuctionBid + + return json.Marshal((*stub)(entity)) +} + +func (*UserAuctionBid) GetClass() string { + return ClassUserAuctionBid +} + +func (*UserAuctionBid) GetType() string { + return TypeUserAuctionBid +} + +func (userAuctionBid *UserAuctionBid) UnmarshalJSON(data []byte) error { + var tmp struct { + StarCount int64 `json:"star_count"` + BidDate int32 `json:"bid_date"` + NextBidStarCount int64 `json:"next_bid_star_count"` + OwnerId json.RawMessage `json:"owner_id"` + WasReturned bool `json:"was_returned"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + userAuctionBid.StarCount = tmp.StarCount + userAuctionBid.BidDate = tmp.BidDate + userAuctionBid.NextBidStarCount = tmp.NextBidStarCount + userAuctionBid.WasReturned = tmp.WasReturned + + fieldOwnerId, _ := UnmarshalMessageSender(tmp.OwnerId) + userAuctionBid.OwnerId = fieldOwnerId + + return nil +} + +// Describes a round of an auction +type AuctionRound struct { + meta + // 1-based number of the round + Number int32 `json:"number"` + // Duration of the round, in seconds + Duration int32 `json:"duration"` + // The number of seconds for which the round will be extended if there are changes in the top winners + ExtendTime int32 `json:"extend_time"` + // The number of top winners who trigger round extension if changed + TopWinnerCount int32 `json:"top_winner_count"` +} + +func (entity *AuctionRound) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub AuctionRound + + return json.Marshal((*stub)(entity)) +} + +func (*AuctionRound) GetClass() string { + return ClassAuctionRound +} + +func (*AuctionRound) GetType() string { + return TypeAuctionRound +} + +// Contains information about an ongoing or scheduled auction +type AuctionStateActive struct { + meta + // Point in time (Unix timestamp) when the auction started or will start + StartDate int32 `json:"start_date"` + // Point in time (Unix timestamp) when the auction will be ended + EndDate int32 `json:"end_date"` + // The minimum possible bid in the auction in Telegram Stars + MinBid int64 `json:"min_bid"` + // A sparse list of bids that were made in the auction + BidLevels []*AuctionBid `json:"bid_levels"` + // User identifiers of at most 3 users with the biggest bids + TopBidderUserIds []int64 `json:"top_bidder_user_ids"` + // Rounds of the auction in which their duration or extension rules are changed + Rounds []*AuctionRound `json:"rounds"` + // Point in time (Unix timestamp) when the current round will end + CurrentRoundEndDate int32 `json:"current_round_end_date"` + // 1-based number of the current round + CurrentRoundNumber int32 `json:"current_round_number"` + // The total number of rounds + TotalRoundCount int32 `json:"total_round_count"` + // The number of items that were purchased on the auction by all users + DistributedItemCount int32 `json:"distributed_item_count"` + // The number of items that have to be distributed on the auction + LeftItemCount int32 `json:"left_item_count"` + // The number of items that were purchased by the current user on the auction + AcquiredItemCount int32 `json:"acquired_item_count"` + // Bid of the current user in the auction; may be null if none + UserBid *UserAuctionBid `json:"user_bid"` +} + +func (entity *AuctionStateActive) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub AuctionStateActive + + return json.Marshal((*stub)(entity)) +} + +func (*AuctionStateActive) GetClass() string { + return ClassAuctionState +} + +func (*AuctionStateActive) GetType() string { + return TypeAuctionStateActive +} + +func (*AuctionStateActive) AuctionStateType() string { + return TypeAuctionStateActive +} + +// Contains information about a finished auction +type AuctionStateFinished struct { + meta + // Point in time (Unix timestamp) when the auction started + StartDate int32 `json:"start_date"` + // Point in time (Unix timestamp) when the auction will be ended + EndDate int32 `json:"end_date"` + // Average price of bought items in Telegram Stars + AveragePrice int64 `json:"average_price"` + // The number of items that were purchased by the current user on the auction + AcquiredItemCount int32 `json:"acquired_item_count"` + // Number of items from the auction being resold on Telegram + TelegramListedItemCount int32 `json:"telegram_listed_item_count"` + // Number of items from the auction being resold on Fragment + FragmentListedItemCount int32 `json:"fragment_listed_item_count"` + // The HTTPS link to the Fragment for the resold items; may be empty if there are no such items being sold on Fragment + FragmentUrl string `json:"fragment_url"` +} + +func (entity *AuctionStateFinished) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub AuctionStateFinished + + return json.Marshal((*stub)(entity)) +} + +func (*AuctionStateFinished) GetClass() string { + return ClassAuctionState +} + +func (*AuctionStateFinished) GetType() string { + return TypeAuctionStateFinished +} + +func (*AuctionStateFinished) AuctionStateType() string { + return TypeAuctionStateFinished +} + +// Represent auction state of a gift +type GiftAuctionState struct { + meta + // The gift + Gift *Gift `json:"gift"` + // Auction state of the gift + State AuctionState `json:"state"` +} + +func (entity *GiftAuctionState) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub GiftAuctionState + + return json.Marshal((*stub)(entity)) +} + +func (*GiftAuctionState) GetClass() string { + return ClassGiftAuctionState +} + +func (*GiftAuctionState) GetType() string { + return TypeGiftAuctionState +} + +func (giftAuctionState *GiftAuctionState) UnmarshalJSON(data []byte) error { + var tmp struct { + Gift *Gift `json:"gift"` + State json.RawMessage `json:"state"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + giftAuctionState.Gift = tmp.Gift + + fieldState, _ := UnmarshalAuctionState(tmp.State) + giftAuctionState.State = fieldState + + return nil +} + +// Represents a gift that was acquired by the current user on an auction +type GiftAuctionAcquiredGift struct { + meta + // Receiver of the gift + ReceiverId MessageSender `json:"receiver_id"` + // Point in time (Unix timestamp) when the gift was acquired + Date int32 `json:"date"` + // The number of Telegram Stars that were paid for the gift + StarCount int64 `json:"star_count"` + // Identifier of the auction round in which the gift was acquired + AuctionRoundNumber int32 `json:"auction_round_number"` + // Position of the user in the round among all auction participants + AuctionRoundPosition int32 `json:"auction_round_position"` + // Unique number of the gift among gifts upgraded from the same gift after upgrade; 0 if yet unassigned + UniqueGiftNumber int32 `json:"unique_gift_number"` + // Message added to the gift + Text *FormattedText `json:"text"` + // True, if the sender and gift text are shown only to the gift receiver; otherwise, everyone will be able to see them + IsPrivate bool `json:"is_private"` +} + +func (entity *GiftAuctionAcquiredGift) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub GiftAuctionAcquiredGift + + return json.Marshal((*stub)(entity)) +} + +func (*GiftAuctionAcquiredGift) GetClass() string { + return ClassGiftAuctionAcquiredGift +} + +func (*GiftAuctionAcquiredGift) GetType() string { + return TypeGiftAuctionAcquiredGift +} + +func (giftAuctionAcquiredGift *GiftAuctionAcquiredGift) UnmarshalJSON(data []byte) error { + var tmp struct { + ReceiverId json.RawMessage `json:"receiver_id"` + Date int32 `json:"date"` + StarCount int64 `json:"star_count"` + AuctionRoundNumber int32 `json:"auction_round_number"` + AuctionRoundPosition int32 `json:"auction_round_position"` + UniqueGiftNumber int32 `json:"unique_gift_number"` + Text *FormattedText `json:"text"` + IsPrivate bool `json:"is_private"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + giftAuctionAcquiredGift.Date = tmp.Date + giftAuctionAcquiredGift.StarCount = tmp.StarCount + giftAuctionAcquiredGift.AuctionRoundNumber = tmp.AuctionRoundNumber + giftAuctionAcquiredGift.AuctionRoundPosition = tmp.AuctionRoundPosition + giftAuctionAcquiredGift.UniqueGiftNumber = tmp.UniqueGiftNumber + giftAuctionAcquiredGift.Text = tmp.Text + giftAuctionAcquiredGift.IsPrivate = tmp.IsPrivate + + fieldReceiverId, _ := UnmarshalMessageSender(tmp.ReceiverId) + giftAuctionAcquiredGift.ReceiverId = fieldReceiverId + + return nil +} + +// Represents a list of gifts that were acquired by the current user on an auction +type GiftAuctionAcquiredGifts struct { + meta + // The list of acquired gifts + Gifts []*GiftAuctionAcquiredGift `json:"gifts"` +} + +func (entity *GiftAuctionAcquiredGifts) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub GiftAuctionAcquiredGifts + + return json.Marshal((*stub)(entity)) +} + +func (*GiftAuctionAcquiredGifts) GetClass() string { + return ClassGiftAuctionAcquiredGifts +} + +func (*GiftAuctionAcquiredGifts) GetType() string { + return TypeGiftAuctionAcquiredGifts +} + +// The transaction is incoming and increases the amount of owned currency +type TransactionDirectionIncoming struct{ + meta +} + +func (entity *TransactionDirectionIncoming) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TransactionDirectionIncoming + + return json.Marshal((*stub)(entity)) +} + +func (*TransactionDirectionIncoming) GetClass() string { + return ClassTransactionDirection +} + +func (*TransactionDirectionIncoming) GetType() string { + return TypeTransactionDirectionIncoming +} + +func (*TransactionDirectionIncoming) TransactionDirectionType() string { + return TypeTransactionDirectionIncoming +} + +// The transaction is outgoing and decreases the amount of owned currency +type TransactionDirectionOutgoing struct{ + meta +} + +func (entity *TransactionDirectionOutgoing) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TransactionDirectionOutgoing + + return json.Marshal((*stub)(entity)) +} + +func (*TransactionDirectionOutgoing) GetClass() string { + return ClassTransactionDirection +} + +func (*TransactionDirectionOutgoing) GetType() string { + return TypeTransactionDirectionOutgoing +} + +func (*TransactionDirectionOutgoing) TransactionDirectionType() string { + return TypeTransactionDirectionOutgoing +} + +// The transaction is a deposit of Telegram Stars from the Premium bot; relevant for regular users only +type StarTransactionTypePremiumBotDeposit struct{ + meta +} + +func (entity *StarTransactionTypePremiumBotDeposit) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarTransactionTypePremiumBotDeposit + + return json.Marshal((*stub)(entity)) +} + +func (*StarTransactionTypePremiumBotDeposit) GetClass() string { + return ClassStarTransactionType +} + +func (*StarTransactionTypePremiumBotDeposit) GetType() string { + return TypeStarTransactionTypePremiumBotDeposit +} + +func (*StarTransactionTypePremiumBotDeposit) StarTransactionTypeType() string { + return TypeStarTransactionTypePremiumBotDeposit +} + +// The transaction is a deposit of Telegram Stars from App Store; relevant for regular users only +type StarTransactionTypeAppStoreDeposit struct{ + meta +} + +func (entity *StarTransactionTypeAppStoreDeposit) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarTransactionTypeAppStoreDeposit + + return json.Marshal((*stub)(entity)) +} + +func (*StarTransactionTypeAppStoreDeposit) GetClass() string { + return ClassStarTransactionType +} + +func (*StarTransactionTypeAppStoreDeposit) GetType() string { + return TypeStarTransactionTypeAppStoreDeposit +} + +func (*StarTransactionTypeAppStoreDeposit) StarTransactionTypeType() string { + return TypeStarTransactionTypeAppStoreDeposit +} + +// The transaction is a deposit of Telegram Stars from Google Play; relevant for regular users only +type StarTransactionTypeGooglePlayDeposit struct{ + meta +} + +func (entity *StarTransactionTypeGooglePlayDeposit) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarTransactionTypeGooglePlayDeposit + + return json.Marshal((*stub)(entity)) +} + +func (*StarTransactionTypeGooglePlayDeposit) GetClass() string { + return ClassStarTransactionType +} + +func (*StarTransactionTypeGooglePlayDeposit) GetType() string { + return TypeStarTransactionTypeGooglePlayDeposit +} + +func (*StarTransactionTypeGooglePlayDeposit) StarTransactionTypeType() string { + return TypeStarTransactionTypeGooglePlayDeposit +} + +// The transaction is a deposit of Telegram Stars from Fragment; relevant for regular users and bots only +type StarTransactionTypeFragmentDeposit struct{ + meta +} + +func (entity *StarTransactionTypeFragmentDeposit) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarTransactionTypeFragmentDeposit + + return json.Marshal((*stub)(entity)) +} + +func (*StarTransactionTypeFragmentDeposit) GetClass() string { + return ClassStarTransactionType +} + +func (*StarTransactionTypeFragmentDeposit) GetType() string { + return TypeStarTransactionTypeFragmentDeposit +} + +func (*StarTransactionTypeFragmentDeposit) StarTransactionTypeType() string { + return TypeStarTransactionTypeFragmentDeposit +} + +// The transaction is a deposit of Telegram Stars by another user; relevant for regular users only +type StarTransactionTypeUserDeposit struct { + meta + // Identifier of the user who gifted Telegram Stars; 0 if the user was anonymous + UserId int64 `json:"user_id"` + // The sticker to be shown in the transaction information; may be null if unknown + Sticker *Sticker `json:"sticker"` +} + +func (entity *StarTransactionTypeUserDeposit) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarTransactionTypeUserDeposit + + return json.Marshal((*stub)(entity)) +} + +func (*StarTransactionTypeUserDeposit) GetClass() string { + return ClassStarTransactionType +} + +func (*StarTransactionTypeUserDeposit) GetType() string { + return TypeStarTransactionTypeUserDeposit +} + +func (*StarTransactionTypeUserDeposit) StarTransactionTypeType() string { + return TypeStarTransactionTypeUserDeposit +} + +// The transaction is a deposit of Telegram Stars from a giveaway; relevant for regular users only +type StarTransactionTypeGiveawayDeposit struct { + meta + // Identifier of a supergroup or a channel chat that created the giveaway + ChatId int64 `json:"chat_id"` + // Identifier of the message with the giveaway; may be 0 or an identifier of a deleted message + GiveawayMessageId int64 `json:"giveaway_message_id"` +} + +func (entity *StarTransactionTypeGiveawayDeposit) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarTransactionTypeGiveawayDeposit + + return json.Marshal((*stub)(entity)) +} + +func (*StarTransactionTypeGiveawayDeposit) GetClass() string { + return ClassStarTransactionType +} + +func (*StarTransactionTypeGiveawayDeposit) GetType() string { + return TypeStarTransactionTypeGiveawayDeposit +} + +func (*StarTransactionTypeGiveawayDeposit) StarTransactionTypeType() string { + return TypeStarTransactionTypeGiveawayDeposit +} + +// The transaction is a withdrawal of earned Telegram Stars to Fragment; relevant for regular users, bots, supergroup and channel chats only +type StarTransactionTypeFragmentWithdrawal struct { + meta + // State of the withdrawal; may be null for refunds from Fragment + WithdrawalState RevenueWithdrawalState `json:"withdrawal_state"` +} + +func (entity *StarTransactionTypeFragmentWithdrawal) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarTransactionTypeFragmentWithdrawal + + return json.Marshal((*stub)(entity)) +} + +func (*StarTransactionTypeFragmentWithdrawal) GetClass() string { + return ClassStarTransactionType +} + +func (*StarTransactionTypeFragmentWithdrawal) GetType() string { + return TypeStarTransactionTypeFragmentWithdrawal +} + +func (*StarTransactionTypeFragmentWithdrawal) StarTransactionTypeType() string { + return TypeStarTransactionTypeFragmentWithdrawal +} + +func (starTransactionTypeFragmentWithdrawal *StarTransactionTypeFragmentWithdrawal) UnmarshalJSON(data []byte) error { + var tmp struct { + WithdrawalState json.RawMessage `json:"withdrawal_state"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldWithdrawalState, _ := UnmarshalRevenueWithdrawalState(tmp.WithdrawalState) + starTransactionTypeFragmentWithdrawal.WithdrawalState = fieldWithdrawalState + + return nil +} + +// The transaction is a withdrawal of earned Telegram Stars to Telegram Ad platform; relevant for bots and channel chats only +type StarTransactionTypeTelegramAdsWithdrawal struct{ + meta +} + +func (entity *StarTransactionTypeTelegramAdsWithdrawal) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarTransactionTypeTelegramAdsWithdrawal + + return json.Marshal((*stub)(entity)) +} + +func (*StarTransactionTypeTelegramAdsWithdrawal) GetClass() string { + return ClassStarTransactionType +} + +func (*StarTransactionTypeTelegramAdsWithdrawal) GetType() string { + return TypeStarTransactionTypeTelegramAdsWithdrawal +} + +func (*StarTransactionTypeTelegramAdsWithdrawal) StarTransactionTypeType() string { + return TypeStarTransactionTypeTelegramAdsWithdrawal +} + +// The transaction is a payment for Telegram API usage; relevant for bots only +type StarTransactionTypeTelegramApiUsage struct { + meta + // The number of billed requests + RequestCount int32 `json:"request_count"` +} + +func (entity *StarTransactionTypeTelegramApiUsage) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarTransactionTypeTelegramApiUsage + + return json.Marshal((*stub)(entity)) +} + +func (*StarTransactionTypeTelegramApiUsage) GetClass() string { + return ClassStarTransactionType +} + +func (*StarTransactionTypeTelegramApiUsage) GetType() string { + return TypeStarTransactionTypeTelegramApiUsage +} + +func (*StarTransactionTypeTelegramApiUsage) StarTransactionTypeType() string { + return TypeStarTransactionTypeTelegramApiUsage +} + +// The transaction is a purchase of paid media from a bot or a business account by the current user; relevant for regular users only +type StarTransactionTypeBotPaidMediaPurchase struct { + meta + // Identifier of the bot or the business account user who sent the paid media + UserId int64 `json:"user_id"` + // The bought media if the transaction wasn't refunded + Media []PaidMedia `json:"media"` +} + +func (entity *StarTransactionTypeBotPaidMediaPurchase) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarTransactionTypeBotPaidMediaPurchase + + return json.Marshal((*stub)(entity)) +} + +func (*StarTransactionTypeBotPaidMediaPurchase) GetClass() string { + return ClassStarTransactionType +} + +func (*StarTransactionTypeBotPaidMediaPurchase) GetType() string { + return TypeStarTransactionTypeBotPaidMediaPurchase +} + +func (*StarTransactionTypeBotPaidMediaPurchase) StarTransactionTypeType() string { + return TypeStarTransactionTypeBotPaidMediaPurchase +} + +func (starTransactionTypeBotPaidMediaPurchase *StarTransactionTypeBotPaidMediaPurchase) UnmarshalJSON(data []byte) error { + var tmp struct { + UserId int64 `json:"user_id"` + Media []json.RawMessage `json:"media"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + starTransactionTypeBotPaidMediaPurchase.UserId = tmp.UserId + + fieldMedia, _ := UnmarshalListOfPaidMedia(tmp.Media) + starTransactionTypeBotPaidMediaPurchase.Media = fieldMedia + + return nil +} + +// The transaction is a sale of paid media by the bot or a business account managed by the bot; relevant for bots only +type StarTransactionTypeBotPaidMediaSale struct { + meta + // Identifier of the user who bought the media + UserId int64 `json:"user_id"` + // The bought media + Media []PaidMedia `json:"media"` + // Bot-provided payload + Payload string `json:"payload"` + // Information about the affiliate which received commission from the transaction; may be null if none + Affiliate *AffiliateInfo `json:"affiliate"` +} + +func (entity *StarTransactionTypeBotPaidMediaSale) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarTransactionTypeBotPaidMediaSale + + return json.Marshal((*stub)(entity)) +} + +func (*StarTransactionTypeBotPaidMediaSale) GetClass() string { + return ClassStarTransactionType +} + +func (*StarTransactionTypeBotPaidMediaSale) GetType() string { + return TypeStarTransactionTypeBotPaidMediaSale +} + +func (*StarTransactionTypeBotPaidMediaSale) StarTransactionTypeType() string { + return TypeStarTransactionTypeBotPaidMediaSale +} + +func (starTransactionTypeBotPaidMediaSale *StarTransactionTypeBotPaidMediaSale) UnmarshalJSON(data []byte) error { + var tmp struct { + UserId int64 `json:"user_id"` + Media []json.RawMessage `json:"media"` + Payload string `json:"payload"` + Affiliate *AffiliateInfo `json:"affiliate"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + starTransactionTypeBotPaidMediaSale.UserId = tmp.UserId + starTransactionTypeBotPaidMediaSale.Payload = tmp.Payload + starTransactionTypeBotPaidMediaSale.Affiliate = tmp.Affiliate + + fieldMedia, _ := UnmarshalListOfPaidMedia(tmp.Media) + starTransactionTypeBotPaidMediaSale.Media = fieldMedia + + return nil +} + +// The transaction is a purchase of paid media from a channel by the current user; relevant for regular users only +type StarTransactionTypeChannelPaidMediaPurchase struct { + meta + // Identifier of the channel chat that sent the paid media + ChatId int64 `json:"chat_id"` + // Identifier of the corresponding message with paid media; may be 0 or an identifier of a deleted message + MessageId int64 `json:"message_id"` + // The bought media if the transaction wasn't refunded + Media []PaidMedia `json:"media"` +} + +func (entity *StarTransactionTypeChannelPaidMediaPurchase) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarTransactionTypeChannelPaidMediaPurchase + + return json.Marshal((*stub)(entity)) +} + +func (*StarTransactionTypeChannelPaidMediaPurchase) GetClass() string { + return ClassStarTransactionType +} + +func (*StarTransactionTypeChannelPaidMediaPurchase) GetType() string { + return TypeStarTransactionTypeChannelPaidMediaPurchase +} + +func (*StarTransactionTypeChannelPaidMediaPurchase) StarTransactionTypeType() string { + return TypeStarTransactionTypeChannelPaidMediaPurchase +} + +func (starTransactionTypeChannelPaidMediaPurchase *StarTransactionTypeChannelPaidMediaPurchase) UnmarshalJSON(data []byte) error { + var tmp struct { + ChatId int64 `json:"chat_id"` + MessageId int64 `json:"message_id"` + Media []json.RawMessage `json:"media"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + starTransactionTypeChannelPaidMediaPurchase.ChatId = tmp.ChatId + starTransactionTypeChannelPaidMediaPurchase.MessageId = tmp.MessageId + + fieldMedia, _ := UnmarshalListOfPaidMedia(tmp.Media) + starTransactionTypeChannelPaidMediaPurchase.Media = fieldMedia + + return nil +} + +// The transaction is a sale of paid media by the channel chat; relevant for channel chats only +type StarTransactionTypeChannelPaidMediaSale struct { + meta + // Identifier of the user who bought the media + UserId int64 `json:"user_id"` + // Identifier of the corresponding message with paid media; may be 0 or an identifier of a deleted message + MessageId int64 `json:"message_id"` + // The bought media + Media []PaidMedia `json:"media"` +} + +func (entity *StarTransactionTypeChannelPaidMediaSale) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarTransactionTypeChannelPaidMediaSale + + return json.Marshal((*stub)(entity)) +} + +func (*StarTransactionTypeChannelPaidMediaSale) GetClass() string { + return ClassStarTransactionType +} + +func (*StarTransactionTypeChannelPaidMediaSale) GetType() string { + return TypeStarTransactionTypeChannelPaidMediaSale +} + +func (*StarTransactionTypeChannelPaidMediaSale) StarTransactionTypeType() string { + return TypeStarTransactionTypeChannelPaidMediaSale +} + +func (starTransactionTypeChannelPaidMediaSale *StarTransactionTypeChannelPaidMediaSale) UnmarshalJSON(data []byte) error { + var tmp struct { + UserId int64 `json:"user_id"` + MessageId int64 `json:"message_id"` + Media []json.RawMessage `json:"media"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + starTransactionTypeChannelPaidMediaSale.UserId = tmp.UserId + starTransactionTypeChannelPaidMediaSale.MessageId = tmp.MessageId + + fieldMedia, _ := UnmarshalListOfPaidMedia(tmp.Media) + starTransactionTypeChannelPaidMediaSale.Media = fieldMedia + + return nil +} + +// The transaction is a purchase of a product from a bot or a business account by the current user; relevant for regular users only +type StarTransactionTypeBotInvoicePurchase struct { + meta + // Identifier of the bot or the business account user who created the invoice + UserId int64 `json:"user_id"` + // Information about the bought product + ProductInfo *ProductInfo `json:"product_info"` +} + +func (entity *StarTransactionTypeBotInvoicePurchase) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarTransactionTypeBotInvoicePurchase + + return json.Marshal((*stub)(entity)) +} + +func (*StarTransactionTypeBotInvoicePurchase) GetClass() string { + return ClassStarTransactionType +} + +func (*StarTransactionTypeBotInvoicePurchase) GetType() string { + return TypeStarTransactionTypeBotInvoicePurchase +} + +func (*StarTransactionTypeBotInvoicePurchase) StarTransactionTypeType() string { + return TypeStarTransactionTypeBotInvoicePurchase +} + +// The transaction is a sale of a product by the bot; relevant for bots only +type StarTransactionTypeBotInvoiceSale struct { + meta + // Identifier of the user who bought the product + UserId int64 `json:"user_id"` + // Information about the bought product + ProductInfo *ProductInfo `json:"product_info"` + // Invoice payload + InvoicePayload []byte `json:"invoice_payload"` + // Information about the affiliate which received commission from the transaction; may be null if none + Affiliate *AffiliateInfo `json:"affiliate"` +} + +func (entity *StarTransactionTypeBotInvoiceSale) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarTransactionTypeBotInvoiceSale + + return json.Marshal((*stub)(entity)) +} + +func (*StarTransactionTypeBotInvoiceSale) GetClass() string { + return ClassStarTransactionType +} + +func (*StarTransactionTypeBotInvoiceSale) GetType() string { + return TypeStarTransactionTypeBotInvoiceSale +} + +func (*StarTransactionTypeBotInvoiceSale) StarTransactionTypeType() string { + return TypeStarTransactionTypeBotInvoiceSale +} + +// The transaction is a purchase of a subscription from a bot or a business account by the current user; relevant for regular users only +type StarTransactionTypeBotSubscriptionPurchase struct { + meta + // Identifier of the bot or the business account user who created the subscription link + UserId int64 `json:"user_id"` + // The number of seconds between consecutive Telegram Star debitings + SubscriptionPeriod int32 `json:"subscription_period"` + // Information about the bought subscription + ProductInfo *ProductInfo `json:"product_info"` +} + +func (entity *StarTransactionTypeBotSubscriptionPurchase) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarTransactionTypeBotSubscriptionPurchase + + return json.Marshal((*stub)(entity)) +} + +func (*StarTransactionTypeBotSubscriptionPurchase) GetClass() string { + return ClassStarTransactionType +} + +func (*StarTransactionTypeBotSubscriptionPurchase) GetType() string { + return TypeStarTransactionTypeBotSubscriptionPurchase +} + +func (*StarTransactionTypeBotSubscriptionPurchase) StarTransactionTypeType() string { + return TypeStarTransactionTypeBotSubscriptionPurchase +} + +// The transaction is a sale of a subscription by the bot; relevant for bots only +type StarTransactionTypeBotSubscriptionSale struct { + meta + // Identifier of the user who bought the subscription + UserId int64 `json:"user_id"` + // The number of seconds between consecutive Telegram Star debitings + SubscriptionPeriod int32 `json:"subscription_period"` + // Information about the bought subscription + ProductInfo *ProductInfo `json:"product_info"` + // Invoice payload + InvoicePayload []byte `json:"invoice_payload"` + // Information about the affiliate which received commission from the transaction; may be null if none + Affiliate *AffiliateInfo `json:"affiliate"` +} + +func (entity *StarTransactionTypeBotSubscriptionSale) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarTransactionTypeBotSubscriptionSale + + return json.Marshal((*stub)(entity)) +} + +func (*StarTransactionTypeBotSubscriptionSale) GetClass() string { + return ClassStarTransactionType +} + +func (*StarTransactionTypeBotSubscriptionSale) GetType() string { + return TypeStarTransactionTypeBotSubscriptionSale +} + +func (*StarTransactionTypeBotSubscriptionSale) StarTransactionTypeType() string { + return TypeStarTransactionTypeBotSubscriptionSale +} + +// The transaction is a purchase of a subscription to a channel chat by the current user; relevant for regular users only +type StarTransactionTypeChannelSubscriptionPurchase struct { + meta + // Identifier of the channel chat that created the subscription + ChatId int64 `json:"chat_id"` + // The number of seconds between consecutive Telegram Star debitings + SubscriptionPeriod int32 `json:"subscription_period"` +} + +func (entity *StarTransactionTypeChannelSubscriptionPurchase) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarTransactionTypeChannelSubscriptionPurchase + + return json.Marshal((*stub)(entity)) +} + +func (*StarTransactionTypeChannelSubscriptionPurchase) GetClass() string { + return ClassStarTransactionType +} + +func (*StarTransactionTypeChannelSubscriptionPurchase) GetType() string { + return TypeStarTransactionTypeChannelSubscriptionPurchase +} + +func (*StarTransactionTypeChannelSubscriptionPurchase) StarTransactionTypeType() string { + return TypeStarTransactionTypeChannelSubscriptionPurchase +} + +// The transaction is a sale of a subscription by the channel chat; relevant for channel chats only +type StarTransactionTypeChannelSubscriptionSale struct { + meta + // Identifier of the user who bought the subscription + UserId int64 `json:"user_id"` + // The number of seconds between consecutive Telegram Star debitings + SubscriptionPeriod int32 `json:"subscription_period"` +} + +func (entity *StarTransactionTypeChannelSubscriptionSale) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarTransactionTypeChannelSubscriptionSale + + return json.Marshal((*stub)(entity)) +} + +func (*StarTransactionTypeChannelSubscriptionSale) GetClass() string { + return ClassStarTransactionType +} + +func (*StarTransactionTypeChannelSubscriptionSale) GetType() string { + return TypeStarTransactionTypeChannelSubscriptionSale +} + +func (*StarTransactionTypeChannelSubscriptionSale) StarTransactionTypeType() string { + return TypeStarTransactionTypeChannelSubscriptionSale +} + +// The transaction is a bid on a gift auction; relevant for regular users only +type StarTransactionTypeGiftAuctionBid struct { + meta + // Identifier of the user who will receive the gift + OwnerId MessageSender `json:"owner_id"` + // The gift + Gift *Gift `json:"gift"` +} + +func (entity *StarTransactionTypeGiftAuctionBid) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarTransactionTypeGiftAuctionBid + + return json.Marshal((*stub)(entity)) +} + +func (*StarTransactionTypeGiftAuctionBid) GetClass() string { + return ClassStarTransactionType +} + +func (*StarTransactionTypeGiftAuctionBid) GetType() string { + return TypeStarTransactionTypeGiftAuctionBid +} + +func (*StarTransactionTypeGiftAuctionBid) StarTransactionTypeType() string { + return TypeStarTransactionTypeGiftAuctionBid +} + +func (starTransactionTypeGiftAuctionBid *StarTransactionTypeGiftAuctionBid) UnmarshalJSON(data []byte) error { + var tmp struct { + OwnerId json.RawMessage `json:"owner_id"` + Gift *Gift `json:"gift"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + starTransactionTypeGiftAuctionBid.Gift = tmp.Gift + + fieldOwnerId, _ := UnmarshalMessageSender(tmp.OwnerId) + starTransactionTypeGiftAuctionBid.OwnerId = fieldOwnerId + + return nil +} + +// The transaction is a purchase of a regular gift; relevant for regular users and bots only +type StarTransactionTypeGiftPurchase struct { + meta + // Identifier of the user or the channel that received the gift + OwnerId MessageSender `json:"owner_id"` + // The gift + Gift *Gift `json:"gift"` +} + +func (entity *StarTransactionTypeGiftPurchase) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarTransactionTypeGiftPurchase + + return json.Marshal((*stub)(entity)) +} + +func (*StarTransactionTypeGiftPurchase) GetClass() string { + return ClassStarTransactionType +} + +func (*StarTransactionTypeGiftPurchase) GetType() string { + return TypeStarTransactionTypeGiftPurchase +} + +func (*StarTransactionTypeGiftPurchase) StarTransactionTypeType() string { + return TypeStarTransactionTypeGiftPurchase +} + +func (starTransactionTypeGiftPurchase *StarTransactionTypeGiftPurchase) UnmarshalJSON(data []byte) error { + var tmp struct { + OwnerId json.RawMessage `json:"owner_id"` + Gift *Gift `json:"gift"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + starTransactionTypeGiftPurchase.Gift = tmp.Gift + + fieldOwnerId, _ := UnmarshalMessageSender(tmp.OwnerId) + starTransactionTypeGiftPurchase.OwnerId = fieldOwnerId + + return nil +} + +// The transaction is an offer of gift purchase; relevant for regular users only +type StarTransactionTypeGiftPurchaseOffer struct { + meta + // The gift + Gift *UpgradedGift `json:"gift"` +} + +func (entity *StarTransactionTypeGiftPurchaseOffer) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarTransactionTypeGiftPurchaseOffer + + return json.Marshal((*stub)(entity)) +} + +func (*StarTransactionTypeGiftPurchaseOffer) GetClass() string { + return ClassStarTransactionType +} + +func (*StarTransactionTypeGiftPurchaseOffer) GetType() string { + return TypeStarTransactionTypeGiftPurchaseOffer +} + +func (*StarTransactionTypeGiftPurchaseOffer) StarTransactionTypeType() string { + return TypeStarTransactionTypeGiftPurchaseOffer +} + +// The transaction is a transfer of an upgraded gift; relevant for regular users only +type StarTransactionTypeGiftTransfer struct { + meta + // Identifier of the user or the channel that received the gift + OwnerId MessageSender `json:"owner_id"` + // The gift + Gift *UpgradedGift `json:"gift"` +} + +func (entity *StarTransactionTypeGiftTransfer) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarTransactionTypeGiftTransfer + + return json.Marshal((*stub)(entity)) +} + +func (*StarTransactionTypeGiftTransfer) GetClass() string { + return ClassStarTransactionType +} + +func (*StarTransactionTypeGiftTransfer) GetType() string { + return TypeStarTransactionTypeGiftTransfer +} + +func (*StarTransactionTypeGiftTransfer) StarTransactionTypeType() string { + return TypeStarTransactionTypeGiftTransfer +} + +func (starTransactionTypeGiftTransfer *StarTransactionTypeGiftTransfer) UnmarshalJSON(data []byte) error { + var tmp struct { + OwnerId json.RawMessage `json:"owner_id"` + Gift *UpgradedGift `json:"gift"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + starTransactionTypeGiftTransfer.Gift = tmp.Gift + + fieldOwnerId, _ := UnmarshalMessageSender(tmp.OwnerId) + starTransactionTypeGiftTransfer.OwnerId = fieldOwnerId + + return nil +} + +// The transaction is a drop of original details of an upgraded gift; relevant for regular users only +type StarTransactionTypeGiftOriginalDetailsDrop struct { + meta + // Identifier of the user or the channel that owns the gift + OwnerId MessageSender `json:"owner_id"` + // The gift + Gift *UpgradedGift `json:"gift"` +} + +func (entity *StarTransactionTypeGiftOriginalDetailsDrop) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarTransactionTypeGiftOriginalDetailsDrop + + return json.Marshal((*stub)(entity)) +} + +func (*StarTransactionTypeGiftOriginalDetailsDrop) GetClass() string { + return ClassStarTransactionType +} + +func (*StarTransactionTypeGiftOriginalDetailsDrop) GetType() string { + return TypeStarTransactionTypeGiftOriginalDetailsDrop +} + +func (*StarTransactionTypeGiftOriginalDetailsDrop) StarTransactionTypeType() string { + return TypeStarTransactionTypeGiftOriginalDetailsDrop +} + +func (starTransactionTypeGiftOriginalDetailsDrop *StarTransactionTypeGiftOriginalDetailsDrop) UnmarshalJSON(data []byte) error { + var tmp struct { + OwnerId json.RawMessage `json:"owner_id"` + Gift *UpgradedGift `json:"gift"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + starTransactionTypeGiftOriginalDetailsDrop.Gift = tmp.Gift + + fieldOwnerId, _ := UnmarshalMessageSender(tmp.OwnerId) + starTransactionTypeGiftOriginalDetailsDrop.OwnerId = fieldOwnerId + + return nil +} + +// The transaction is a sale of a received gift; relevant for regular users and channel chats only +type StarTransactionTypeGiftSale struct { + meta + // Identifier of the user who sent the gift + UserId int64 `json:"user_id"` + // The gift + Gift *Gift `json:"gift"` +} + +func (entity *StarTransactionTypeGiftSale) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarTransactionTypeGiftSale + + return json.Marshal((*stub)(entity)) +} + +func (*StarTransactionTypeGiftSale) GetClass() string { + return ClassStarTransactionType +} + +func (*StarTransactionTypeGiftSale) GetType() string { + return TypeStarTransactionTypeGiftSale +} + +func (*StarTransactionTypeGiftSale) StarTransactionTypeType() string { + return TypeStarTransactionTypeGiftSale +} + +// The transaction is an upgrade of a gift; relevant for regular users only +type StarTransactionTypeGiftUpgrade struct { + meta + // Identifier of the user who initially sent the gift + UserId int64 `json:"user_id"` + // The upgraded gift + Gift *UpgradedGift `json:"gift"` +} + +func (entity *StarTransactionTypeGiftUpgrade) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarTransactionTypeGiftUpgrade + + return json.Marshal((*stub)(entity)) +} + +func (*StarTransactionTypeGiftUpgrade) GetClass() string { + return ClassStarTransactionType +} + +func (*StarTransactionTypeGiftUpgrade) GetType() string { + return TypeStarTransactionTypeGiftUpgrade +} + +func (*StarTransactionTypeGiftUpgrade) StarTransactionTypeType() string { + return TypeStarTransactionTypeGiftUpgrade +} + +// The transaction is a purchase of an upgrade of a gift owned by another user or channel; relevant for regular users only +type StarTransactionTypeGiftUpgradePurchase struct { + meta + // Owner of the upgraded gift + OwnerId MessageSender `json:"owner_id"` + // The gift + Gift *Gift `json:"gift"` +} + +func (entity *StarTransactionTypeGiftUpgradePurchase) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarTransactionTypeGiftUpgradePurchase + + return json.Marshal((*stub)(entity)) +} + +func (*StarTransactionTypeGiftUpgradePurchase) GetClass() string { + return ClassStarTransactionType +} + +func (*StarTransactionTypeGiftUpgradePurchase) GetType() string { + return TypeStarTransactionTypeGiftUpgradePurchase +} + +func (*StarTransactionTypeGiftUpgradePurchase) StarTransactionTypeType() string { + return TypeStarTransactionTypeGiftUpgradePurchase +} + +func (starTransactionTypeGiftUpgradePurchase *StarTransactionTypeGiftUpgradePurchase) UnmarshalJSON(data []byte) error { + var tmp struct { + OwnerId json.RawMessage `json:"owner_id"` + Gift *Gift `json:"gift"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + starTransactionTypeGiftUpgradePurchase.Gift = tmp.Gift + + fieldOwnerId, _ := UnmarshalMessageSender(tmp.OwnerId) + starTransactionTypeGiftUpgradePurchase.OwnerId = fieldOwnerId + + return nil +} + +// The transaction is a purchase of an upgraded gift for some user or channel; relevant for regular users only +type StarTransactionTypeUpgradedGiftPurchase struct { + meta + // Identifier of the user who sold the gift + UserId int64 `json:"user_id"` + // The gift + Gift *UpgradedGift `json:"gift"` +} + +func (entity *StarTransactionTypeUpgradedGiftPurchase) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarTransactionTypeUpgradedGiftPurchase + + return json.Marshal((*stub)(entity)) +} + +func (*StarTransactionTypeUpgradedGiftPurchase) GetClass() string { + return ClassStarTransactionType +} + +func (*StarTransactionTypeUpgradedGiftPurchase) GetType() string { + return TypeStarTransactionTypeUpgradedGiftPurchase +} + +func (*StarTransactionTypeUpgradedGiftPurchase) StarTransactionTypeType() string { + return TypeStarTransactionTypeUpgradedGiftPurchase +} + +// The transaction is a sale of an upgraded gift; relevant for regular users only +type StarTransactionTypeUpgradedGiftSale struct { + meta + // Identifier of the user who bought the gift + UserId int64 `json:"user_id"` + // The gift + Gift *UpgradedGift `json:"gift"` + // The number of Telegram Stars received by the Telegram for each 1000 Telegram Stars received by the seller of the gift + CommissionPerMille int32 `json:"commission_per_mille"` + // The Telegram Star amount that was received by Telegram; can be negative for refunds + CommissionStarAmount *StarAmount `json:"commission_star_amount"` + // True, if the gift was sold through a purchase offer + ViaOffer bool `json:"via_offer"` +} + +func (entity *StarTransactionTypeUpgradedGiftSale) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarTransactionTypeUpgradedGiftSale + + return json.Marshal((*stub)(entity)) +} + +func (*StarTransactionTypeUpgradedGiftSale) GetClass() string { + return ClassStarTransactionType +} + +func (*StarTransactionTypeUpgradedGiftSale) GetType() string { + return TypeStarTransactionTypeUpgradedGiftSale +} + +func (*StarTransactionTypeUpgradedGiftSale) StarTransactionTypeType() string { + return TypeStarTransactionTypeUpgradedGiftSale +} + +// The transaction is a sending of a paid reaction to a message in a channel chat by the current user; relevant for regular users only +type StarTransactionTypeChannelPaidReactionSend struct { + meta + // Identifier of the channel chat + ChatId int64 `json:"chat_id"` + // Identifier of the reacted message; may be 0 or an identifier of a deleted message + MessageId int64 `json:"message_id"` +} + +func (entity *StarTransactionTypeChannelPaidReactionSend) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarTransactionTypeChannelPaidReactionSend + + return json.Marshal((*stub)(entity)) +} + +func (*StarTransactionTypeChannelPaidReactionSend) GetClass() string { + return ClassStarTransactionType +} + +func (*StarTransactionTypeChannelPaidReactionSend) GetType() string { + return TypeStarTransactionTypeChannelPaidReactionSend +} + +func (*StarTransactionTypeChannelPaidReactionSend) StarTransactionTypeType() string { + return TypeStarTransactionTypeChannelPaidReactionSend +} + +// The transaction is a receiving of a paid reaction to a message by the channel chat; relevant for channel chats only +type StarTransactionTypeChannelPaidReactionReceive struct { + meta + // Identifier of the user who added the paid reaction + UserId int64 `json:"user_id"` + // Identifier of the reacted message; may be 0 or an identifier of a deleted message + MessageId int64 `json:"message_id"` +} + +func (entity *StarTransactionTypeChannelPaidReactionReceive) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarTransactionTypeChannelPaidReactionReceive + + return json.Marshal((*stub)(entity)) +} + +func (*StarTransactionTypeChannelPaidReactionReceive) GetClass() string { + return ClassStarTransactionType +} + +func (*StarTransactionTypeChannelPaidReactionReceive) GetType() string { + return TypeStarTransactionTypeChannelPaidReactionReceive +} + +func (*StarTransactionTypeChannelPaidReactionReceive) StarTransactionTypeType() string { + return TypeStarTransactionTypeChannelPaidReactionReceive +} + +// The transaction is a receiving of a commission from an affiliate program; relevant for regular users, bots and channel chats only +type StarTransactionTypeAffiliateProgramCommission struct { + meta + // Identifier of the chat that created the affiliate program + ChatId int64 `json:"chat_id"` + // The number of Telegram Stars received by the affiliate for each 1000 Telegram Stars received by the program owner + CommissionPerMille int32 `json:"commission_per_mille"` +} + +func (entity *StarTransactionTypeAffiliateProgramCommission) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarTransactionTypeAffiliateProgramCommission + + return json.Marshal((*stub)(entity)) +} + +func (*StarTransactionTypeAffiliateProgramCommission) GetClass() string { + return ClassStarTransactionType +} + +func (*StarTransactionTypeAffiliateProgramCommission) GetType() string { + return TypeStarTransactionTypeAffiliateProgramCommission +} + +func (*StarTransactionTypeAffiliateProgramCommission) StarTransactionTypeType() string { + return TypeStarTransactionTypeAffiliateProgramCommission +} + +// The transaction is a sending of a paid message; relevant for regular users only +type StarTransactionTypePaidMessageSend struct { + meta + // Identifier of the chat that received the payment + ChatId int64 `json:"chat_id"` + // Number of sent paid messages + MessageCount int32 `json:"message_count"` +} + +func (entity *StarTransactionTypePaidMessageSend) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarTransactionTypePaidMessageSend + + return json.Marshal((*stub)(entity)) +} + +func (*StarTransactionTypePaidMessageSend) GetClass() string { + return ClassStarTransactionType +} + +func (*StarTransactionTypePaidMessageSend) GetType() string { + return TypeStarTransactionTypePaidMessageSend +} + +func (*StarTransactionTypePaidMessageSend) StarTransactionTypeType() string { + return TypeStarTransactionTypePaidMessageSend +} + +// The transaction is a receiving of a paid message; relevant for regular users, supergroup and channel chats only +type StarTransactionTypePaidMessageReceive struct { + meta + // Identifier of the sender of the message + SenderId MessageSender `json:"sender_id"` + // Number of received paid messages + MessageCount int32 `json:"message_count"` + // The number of Telegram Stars received by the Telegram for each 1000 Telegram Stars paid for message sending + CommissionPerMille int32 `json:"commission_per_mille"` + // The Telegram Star amount that was received by Telegram; can be negative for refunds + CommissionStarAmount *StarAmount `json:"commission_star_amount"` +} + +func (entity *StarTransactionTypePaidMessageReceive) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarTransactionTypePaidMessageReceive + + return json.Marshal((*stub)(entity)) +} + +func (*StarTransactionTypePaidMessageReceive) GetClass() string { + return ClassStarTransactionType +} + +func (*StarTransactionTypePaidMessageReceive) GetType() string { + return TypeStarTransactionTypePaidMessageReceive +} + +func (*StarTransactionTypePaidMessageReceive) StarTransactionTypeType() string { + return TypeStarTransactionTypePaidMessageReceive +} + +func (starTransactionTypePaidMessageReceive *StarTransactionTypePaidMessageReceive) UnmarshalJSON(data []byte) error { + var tmp struct { + SenderId json.RawMessage `json:"sender_id"` + MessageCount int32 `json:"message_count"` + CommissionPerMille int32 `json:"commission_per_mille"` + CommissionStarAmount *StarAmount `json:"commission_star_amount"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + starTransactionTypePaidMessageReceive.MessageCount = tmp.MessageCount + starTransactionTypePaidMessageReceive.CommissionPerMille = tmp.CommissionPerMille + starTransactionTypePaidMessageReceive.CommissionStarAmount = tmp.CommissionStarAmount + + fieldSenderId, _ := UnmarshalMessageSender(tmp.SenderId) + starTransactionTypePaidMessageReceive.SenderId = fieldSenderId + + return nil +} + +// The transaction is a sending of a paid group call message; relevant for regular users only +type StarTransactionTypePaidGroupCallMessageSend struct { + meta + // Identifier of the chat that received the payment + ChatId int64 `json:"chat_id"` +} + +func (entity *StarTransactionTypePaidGroupCallMessageSend) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarTransactionTypePaidGroupCallMessageSend + + return json.Marshal((*stub)(entity)) +} + +func (*StarTransactionTypePaidGroupCallMessageSend) GetClass() string { + return ClassStarTransactionType +} + +func (*StarTransactionTypePaidGroupCallMessageSend) GetType() string { + return TypeStarTransactionTypePaidGroupCallMessageSend +} + +func (*StarTransactionTypePaidGroupCallMessageSend) StarTransactionTypeType() string { + return TypeStarTransactionTypePaidGroupCallMessageSend +} + +// The transaction is a receiving of a paid group call message; relevant for regular users and channel chats only +type StarTransactionTypePaidGroupCallMessageReceive struct { + meta + // Identifier of the sender of the message + SenderId MessageSender `json:"sender_id"` + // The number of Telegram Stars received by the Telegram for each 1000 Telegram Stars paid for message sending + CommissionPerMille int32 `json:"commission_per_mille"` + // The Telegram Star amount that was received by Telegram; can be negative for refunds + CommissionStarAmount *StarAmount `json:"commission_star_amount"` +} + +func (entity *StarTransactionTypePaidGroupCallMessageReceive) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarTransactionTypePaidGroupCallMessageReceive + + return json.Marshal((*stub)(entity)) +} + +func (*StarTransactionTypePaidGroupCallMessageReceive) GetClass() string { + return ClassStarTransactionType +} + +func (*StarTransactionTypePaidGroupCallMessageReceive) GetType() string { + return TypeStarTransactionTypePaidGroupCallMessageReceive +} + +func (*StarTransactionTypePaidGroupCallMessageReceive) StarTransactionTypeType() string { + return TypeStarTransactionTypePaidGroupCallMessageReceive +} + +func (starTransactionTypePaidGroupCallMessageReceive *StarTransactionTypePaidGroupCallMessageReceive) UnmarshalJSON(data []byte) error { + var tmp struct { + SenderId json.RawMessage `json:"sender_id"` + CommissionPerMille int32 `json:"commission_per_mille"` + CommissionStarAmount *StarAmount `json:"commission_star_amount"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + starTransactionTypePaidGroupCallMessageReceive.CommissionPerMille = tmp.CommissionPerMille + starTransactionTypePaidGroupCallMessageReceive.CommissionStarAmount = tmp.CommissionStarAmount + + fieldSenderId, _ := UnmarshalMessageSender(tmp.SenderId) + starTransactionTypePaidGroupCallMessageReceive.SenderId = fieldSenderId + + return nil +} + +// The transaction is a sending of a paid group reaction; relevant for regular users only +type StarTransactionTypePaidGroupCallReactionSend struct { + meta + // Identifier of the chat that received the payment + ChatId int64 `json:"chat_id"` +} + +func (entity *StarTransactionTypePaidGroupCallReactionSend) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarTransactionTypePaidGroupCallReactionSend + + return json.Marshal((*stub)(entity)) +} + +func (*StarTransactionTypePaidGroupCallReactionSend) GetClass() string { + return ClassStarTransactionType +} + +func (*StarTransactionTypePaidGroupCallReactionSend) GetType() string { + return TypeStarTransactionTypePaidGroupCallReactionSend +} + +func (*StarTransactionTypePaidGroupCallReactionSend) StarTransactionTypeType() string { + return TypeStarTransactionTypePaidGroupCallReactionSend +} + +// The transaction is a receiving of a paid group call reaction; relevant for regular users and channel chats only +type StarTransactionTypePaidGroupCallReactionReceive struct { + meta + // Identifier of the sender of the reaction + SenderId MessageSender `json:"sender_id"` + // The number of Telegram Stars received by the Telegram for each 1000 Telegram Stars paid for reaction sending + CommissionPerMille int32 `json:"commission_per_mille"` + // The Telegram Star amount that was received by Telegram; can be negative for refunds + CommissionStarAmount *StarAmount `json:"commission_star_amount"` +} + +func (entity *StarTransactionTypePaidGroupCallReactionReceive) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarTransactionTypePaidGroupCallReactionReceive + + return json.Marshal((*stub)(entity)) +} + +func (*StarTransactionTypePaidGroupCallReactionReceive) GetClass() string { + return ClassStarTransactionType +} + +func (*StarTransactionTypePaidGroupCallReactionReceive) GetType() string { + return TypeStarTransactionTypePaidGroupCallReactionReceive +} + +func (*StarTransactionTypePaidGroupCallReactionReceive) StarTransactionTypeType() string { + return TypeStarTransactionTypePaidGroupCallReactionReceive +} + +func (starTransactionTypePaidGroupCallReactionReceive *StarTransactionTypePaidGroupCallReactionReceive) UnmarshalJSON(data []byte) error { + var tmp struct { + SenderId json.RawMessage `json:"sender_id"` + CommissionPerMille int32 `json:"commission_per_mille"` + CommissionStarAmount *StarAmount `json:"commission_star_amount"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + starTransactionTypePaidGroupCallReactionReceive.CommissionPerMille = tmp.CommissionPerMille + starTransactionTypePaidGroupCallReactionReceive.CommissionStarAmount = tmp.CommissionStarAmount + + fieldSenderId, _ := UnmarshalMessageSender(tmp.SenderId) + starTransactionTypePaidGroupCallReactionReceive.SenderId = fieldSenderId + + return nil +} + +// The transaction is a payment for a suggested post; relevant for regular users only +type StarTransactionTypeSuggestedPostPaymentSend struct { + meta + // Identifier of the channel chat that posted the post + ChatId int64 `json:"chat_id"` +} + +func (entity *StarTransactionTypeSuggestedPostPaymentSend) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarTransactionTypeSuggestedPostPaymentSend + + return json.Marshal((*stub)(entity)) +} + +func (*StarTransactionTypeSuggestedPostPaymentSend) GetClass() string { + return ClassStarTransactionType +} + +func (*StarTransactionTypeSuggestedPostPaymentSend) GetType() string { + return TypeStarTransactionTypeSuggestedPostPaymentSend +} + +func (*StarTransactionTypeSuggestedPostPaymentSend) StarTransactionTypeType() string { + return TypeStarTransactionTypeSuggestedPostPaymentSend +} + +// The transaction is a receiving of a payment for a suggested post by the channel chat; relevant for channel chats only +type StarTransactionTypeSuggestedPostPaymentReceive struct { + meta + // Identifier of the user who paid for the suggested post + UserId int64 `json:"user_id"` +} + +func (entity *StarTransactionTypeSuggestedPostPaymentReceive) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarTransactionTypeSuggestedPostPaymentReceive + + return json.Marshal((*stub)(entity)) +} + +func (*StarTransactionTypeSuggestedPostPaymentReceive) GetClass() string { + return ClassStarTransactionType +} + +func (*StarTransactionTypeSuggestedPostPaymentReceive) GetType() string { + return TypeStarTransactionTypeSuggestedPostPaymentReceive +} + +func (*StarTransactionTypeSuggestedPostPaymentReceive) StarTransactionTypeType() string { + return TypeStarTransactionTypeSuggestedPostPaymentReceive +} + +// The transaction is a purchase of Telegram Premium subscription; relevant for regular users and bots only +type StarTransactionTypePremiumPurchase struct { + meta + // Identifier of the user who received the Telegram Premium subscription + UserId int64 `json:"user_id"` + // Number of months the Telegram Premium subscription will be active + MonthCount int32 `json:"month_count"` + // A sticker to be shown in the transaction information; may be null if unknown + Sticker *Sticker `json:"sticker"` +} + +func (entity *StarTransactionTypePremiumPurchase) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarTransactionTypePremiumPurchase + + return json.Marshal((*stub)(entity)) +} + +func (*StarTransactionTypePremiumPurchase) GetClass() string { + return ClassStarTransactionType +} + +func (*StarTransactionTypePremiumPurchase) GetType() string { + return TypeStarTransactionTypePremiumPurchase +} + +func (*StarTransactionTypePremiumPurchase) StarTransactionTypeType() string { + return TypeStarTransactionTypePremiumPurchase +} + +// The transaction is a transfer of Telegram Stars to a business bot; relevant for regular users only +type StarTransactionTypeBusinessBotTransferSend struct { + meta + // Identifier of the bot that received Telegram Stars + UserId int64 `json:"user_id"` +} + +func (entity *StarTransactionTypeBusinessBotTransferSend) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarTransactionTypeBusinessBotTransferSend + + return json.Marshal((*stub)(entity)) +} + +func (*StarTransactionTypeBusinessBotTransferSend) GetClass() string { + return ClassStarTransactionType +} + +func (*StarTransactionTypeBusinessBotTransferSend) GetType() string { + return TypeStarTransactionTypeBusinessBotTransferSend +} + +func (*StarTransactionTypeBusinessBotTransferSend) StarTransactionTypeType() string { + return TypeStarTransactionTypeBusinessBotTransferSend +} + +// The transaction is a transfer of Telegram Stars from a business account; relevant for bots only +type StarTransactionTypeBusinessBotTransferReceive struct { + meta + // Identifier of the user who sent Telegram Stars + UserId int64 `json:"user_id"` +} + +func (entity *StarTransactionTypeBusinessBotTransferReceive) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarTransactionTypeBusinessBotTransferReceive + + return json.Marshal((*stub)(entity)) +} + +func (*StarTransactionTypeBusinessBotTransferReceive) GetClass() string { + return ClassStarTransactionType +} + +func (*StarTransactionTypeBusinessBotTransferReceive) GetType() string { + return TypeStarTransactionTypeBusinessBotTransferReceive +} + +func (*StarTransactionTypeBusinessBotTransferReceive) StarTransactionTypeType() string { + return TypeStarTransactionTypeBusinessBotTransferReceive +} + +// The transaction is a payment for search of posts in public Telegram channels; relevant for regular users only +type StarTransactionTypePublicPostSearch struct{ + meta +} + +func (entity *StarTransactionTypePublicPostSearch) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarTransactionTypePublicPostSearch + + return json.Marshal((*stub)(entity)) +} + +func (*StarTransactionTypePublicPostSearch) GetClass() string { + return ClassStarTransactionType +} + +func (*StarTransactionTypePublicPostSearch) GetType() string { + return TypeStarTransactionTypePublicPostSearch +} + +func (*StarTransactionTypePublicPostSearch) StarTransactionTypeType() string { + return TypeStarTransactionTypePublicPostSearch +} + +// The transaction is a transaction of an unsupported type +type StarTransactionTypeUnsupported struct{ + meta +} + +func (entity *StarTransactionTypeUnsupported) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarTransactionTypeUnsupported + + return json.Marshal((*stub)(entity)) +} + +func (*StarTransactionTypeUnsupported) GetClass() string { + return ClassStarTransactionType +} + +func (*StarTransactionTypeUnsupported) GetType() string { + return TypeStarTransactionTypeUnsupported +} + +func (*StarTransactionTypeUnsupported) StarTransactionTypeType() string { + return TypeStarTransactionTypeUnsupported +} + +// Represents a transaction changing the amount of owned Telegram Stars +type StarTransaction struct { + meta + // Unique identifier of the transaction + Id string `json:"id"` + // The amount of added owned Telegram Stars; negative for outgoing transactions + StarAmount *StarAmount `json:"star_amount"` + // True, if the transaction is a refund of a previous transaction + IsRefund bool `json:"is_refund"` + // Point in time (Unix timestamp) when the transaction was completed + Date int32 `json:"date"` + // Type of the transaction + Type StarTransactionType `json:"type"` +} + +func (entity *StarTransaction) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarTransaction + + return json.Marshal((*stub)(entity)) +} + +func (*StarTransaction) GetClass() string { + return ClassStarTransaction +} + +func (*StarTransaction) GetType() string { + return TypeStarTransaction +} + +func (starTransaction *StarTransaction) UnmarshalJSON(data []byte) error { + var tmp struct { + Id string `json:"id"` + StarAmount *StarAmount `json:"star_amount"` + IsRefund bool `json:"is_refund"` + Date int32 `json:"date"` + Type json.RawMessage `json:"type"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + starTransaction.Id = tmp.Id + starTransaction.StarAmount = tmp.StarAmount + starTransaction.IsRefund = tmp.IsRefund + starTransaction.Date = tmp.Date + + fieldType, _ := UnmarshalStarTransactionType(tmp.Type) + starTransaction.Type = fieldType + + return nil +} + +// Represents a list of Telegram Star transactions +type StarTransactions struct { + meta + // The amount of owned Telegram Stars + StarAmount *StarAmount `json:"star_amount"` + // List of transactions with Telegram Stars + Transactions []*StarTransaction `json:"transactions"` + // The offset for the next request. If empty, then there are no more results + NextOffset string `json:"next_offset"` +} + +func (entity *StarTransactions) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarTransactions + + return json.Marshal((*stub)(entity)) +} + +func (*StarTransactions) GetClass() string { + return ClassStarTransactions +} + +func (*StarTransactions) GetType() string { + return TypeStarTransactions +} + +// The transaction is a deposit of Toncoins from Fragment +type TonTransactionTypeFragmentDeposit struct { + meta + // True, if the transaction is a gift from another user + IsGift bool `json:"is_gift"` + // The sticker to be shown in the transaction information; may be null if unknown + Sticker *Sticker `json:"sticker"` +} + +func (entity *TonTransactionTypeFragmentDeposit) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TonTransactionTypeFragmentDeposit + + return json.Marshal((*stub)(entity)) +} + +func (*TonTransactionTypeFragmentDeposit) GetClass() string { + return ClassTonTransactionType +} + +func (*TonTransactionTypeFragmentDeposit) GetType() string { + return TypeTonTransactionTypeFragmentDeposit +} + +func (*TonTransactionTypeFragmentDeposit) TonTransactionTypeType() string { + return TypeTonTransactionTypeFragmentDeposit +} + +// The transaction is a withdrawal of earned Toncoins to Fragment +type TonTransactionTypeFragmentWithdrawal struct { + meta + // State of the withdrawal; may be null for refunds from Fragment + WithdrawalState RevenueWithdrawalState `json:"withdrawal_state"` +} + +func (entity *TonTransactionTypeFragmentWithdrawal) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TonTransactionTypeFragmentWithdrawal + + return json.Marshal((*stub)(entity)) +} + +func (*TonTransactionTypeFragmentWithdrawal) GetClass() string { + return ClassTonTransactionType +} + +func (*TonTransactionTypeFragmentWithdrawal) GetType() string { + return TypeTonTransactionTypeFragmentWithdrawal +} + +func (*TonTransactionTypeFragmentWithdrawal) TonTransactionTypeType() string { + return TypeTonTransactionTypeFragmentWithdrawal +} + +func (tonTransactionTypeFragmentWithdrawal *TonTransactionTypeFragmentWithdrawal) UnmarshalJSON(data []byte) error { + var tmp struct { + WithdrawalState json.RawMessage `json:"withdrawal_state"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldWithdrawalState, _ := UnmarshalRevenueWithdrawalState(tmp.WithdrawalState) + tonTransactionTypeFragmentWithdrawal.WithdrawalState = fieldWithdrawalState + + return nil +} + +// The transaction is a payment for a suggested post +type TonTransactionTypeSuggestedPostPayment struct { + meta + // Identifier of the channel chat that posted the post + ChatId int64 `json:"chat_id"` +} + +func (entity *TonTransactionTypeSuggestedPostPayment) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TonTransactionTypeSuggestedPostPayment + + return json.Marshal((*stub)(entity)) +} + +func (*TonTransactionTypeSuggestedPostPayment) GetClass() string { + return ClassTonTransactionType +} + +func (*TonTransactionTypeSuggestedPostPayment) GetType() string { + return TypeTonTransactionTypeSuggestedPostPayment +} + +func (*TonTransactionTypeSuggestedPostPayment) TonTransactionTypeType() string { + return TypeTonTransactionTypeSuggestedPostPayment +} + +// The transaction is an offer of gift purchase +type TonTransactionTypeGiftPurchaseOffer struct { + meta + // The gift + Gift *UpgradedGift `json:"gift"` +} + +func (entity *TonTransactionTypeGiftPurchaseOffer) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TonTransactionTypeGiftPurchaseOffer + + return json.Marshal((*stub)(entity)) +} + +func (*TonTransactionTypeGiftPurchaseOffer) GetClass() string { + return ClassTonTransactionType +} + +func (*TonTransactionTypeGiftPurchaseOffer) GetType() string { + return TypeTonTransactionTypeGiftPurchaseOffer +} + +func (*TonTransactionTypeGiftPurchaseOffer) TonTransactionTypeType() string { + return TypeTonTransactionTypeGiftPurchaseOffer +} + +// The transaction is a purchase of an upgraded gift for some user or channel +type TonTransactionTypeUpgradedGiftPurchase struct { + meta + // Identifier of the user who sold the gift + UserId int64 `json:"user_id"` + // The gift + Gift *UpgradedGift `json:"gift"` +} + +func (entity *TonTransactionTypeUpgradedGiftPurchase) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TonTransactionTypeUpgradedGiftPurchase + + return json.Marshal((*stub)(entity)) +} + +func (*TonTransactionTypeUpgradedGiftPurchase) GetClass() string { + return ClassTonTransactionType +} + +func (*TonTransactionTypeUpgradedGiftPurchase) GetType() string { + return TypeTonTransactionTypeUpgradedGiftPurchase +} + +func (*TonTransactionTypeUpgradedGiftPurchase) TonTransactionTypeType() string { + return TypeTonTransactionTypeUpgradedGiftPurchase +} + +// The transaction is a sale of an upgraded gift +type TonTransactionTypeUpgradedGiftSale struct { + meta + // Identifier of the user who bought the gift + UserId int64 `json:"user_id"` + // The gift + Gift *UpgradedGift `json:"gift"` + // The number of Toncoins received by the Telegram for each 1000 Toncoins received by the seller of the gift + CommissionPerMille int32 `json:"commission_per_mille"` + // The Toncoin amount that was received by the Telegram; in the smallest units of the currency + CommissionToncoinAmount int64 `json:"commission_toncoin_amount"` + // True, if the gift was sold through a purchase offer + ViaOffer bool `json:"via_offer"` +} + +func (entity *TonTransactionTypeUpgradedGiftSale) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TonTransactionTypeUpgradedGiftSale + + return json.Marshal((*stub)(entity)) +} + +func (*TonTransactionTypeUpgradedGiftSale) GetClass() string { + return ClassTonTransactionType +} + +func (*TonTransactionTypeUpgradedGiftSale) GetType() string { + return TypeTonTransactionTypeUpgradedGiftSale +} + +func (*TonTransactionTypeUpgradedGiftSale) TonTransactionTypeType() string { + return TypeTonTransactionTypeUpgradedGiftSale +} + +// The transaction is a payment for stake dice throw +type TonTransactionTypeStakeDiceStake struct{ + meta +} + +func (entity *TonTransactionTypeStakeDiceStake) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TonTransactionTypeStakeDiceStake + + return json.Marshal((*stub)(entity)) +} + +func (*TonTransactionTypeStakeDiceStake) GetClass() string { + return ClassTonTransactionType +} + +func (*TonTransactionTypeStakeDiceStake) GetType() string { + return TypeTonTransactionTypeStakeDiceStake +} + +func (*TonTransactionTypeStakeDiceStake) TonTransactionTypeType() string { + return TypeTonTransactionTypeStakeDiceStake +} + +// The transaction is a payment for successful stake dice throw +type TonTransactionTypeStakeDicePayout struct{ + meta +} + +func (entity *TonTransactionTypeStakeDicePayout) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TonTransactionTypeStakeDicePayout + + return json.Marshal((*stub)(entity)) +} + +func (*TonTransactionTypeStakeDicePayout) GetClass() string { + return ClassTonTransactionType +} + +func (*TonTransactionTypeStakeDicePayout) GetType() string { + return TypeTonTransactionTypeStakeDicePayout +} + +func (*TonTransactionTypeStakeDicePayout) TonTransactionTypeType() string { + return TypeTonTransactionTypeStakeDicePayout +} + +// The transaction is a transaction of an unsupported type +type TonTransactionTypeUnsupported struct{ + meta +} + +func (entity *TonTransactionTypeUnsupported) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TonTransactionTypeUnsupported + + return json.Marshal((*stub)(entity)) +} + +func (*TonTransactionTypeUnsupported) GetClass() string { + return ClassTonTransactionType +} + +func (*TonTransactionTypeUnsupported) GetType() string { + return TypeTonTransactionTypeUnsupported +} + +func (*TonTransactionTypeUnsupported) TonTransactionTypeType() string { + return TypeTonTransactionTypeUnsupported +} + +// Represents a transaction changing the amount of owned Toncoins +type TonTransaction struct { + meta + // Unique identifier of the transaction + Id string `json:"id"` + // The amount of added owned Toncoins; negative for outgoing transactions + TonAmount int64 `json:"ton_amount"` + // True, if the transaction is a refund of a previous transaction + IsRefund bool `json:"is_refund"` + // Point in time (Unix timestamp) when the transaction was completed + Date int32 `json:"date"` + // Type of the transaction + Type TonTransactionType `json:"type"` +} + +func (entity *TonTransaction) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TonTransaction + + return json.Marshal((*stub)(entity)) +} + +func (*TonTransaction) GetClass() string { + return ClassTonTransaction +} + +func (*TonTransaction) GetType() string { + return TypeTonTransaction +} + +func (tonTransaction *TonTransaction) UnmarshalJSON(data []byte) error { + var tmp struct { + Id string `json:"id"` + TonAmount int64 `json:"ton_amount"` + IsRefund bool `json:"is_refund"` + Date int32 `json:"date"` + Type json.RawMessage `json:"type"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + tonTransaction.Id = tmp.Id + tonTransaction.TonAmount = tmp.TonAmount + tonTransaction.IsRefund = tmp.IsRefund + tonTransaction.Date = tmp.Date + + fieldType, _ := UnmarshalTonTransactionType(tmp.Type) + tonTransaction.Type = fieldType + + return nil +} + +// Represents a list of Toncoin transactions +type TonTransactions struct { + meta + // The total amount of owned Toncoins + TonAmount int64 `json:"ton_amount"` + // List of Toncoin transactions + Transactions []*TonTransaction `json:"transactions"` + // The offset for the next request. If empty, then there are no more results + NextOffset string `json:"next_offset"` +} + +func (entity *TonTransactions) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TonTransactions + + return json.Marshal((*stub)(entity)) +} + +func (*TonTransactions) GetClass() string { + return ClassTonTransactions +} + +func (*TonTransactions) GetType() string { + return TypeTonTransactions +} + +// The chat has an active live story +type ActiveStoryStateLive struct { + meta + // Identifier of the active live story + StoryId int32 `json:"story_id"` +} + +func (entity *ActiveStoryStateLive) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ActiveStoryStateLive + + return json.Marshal((*stub)(entity)) +} + +func (*ActiveStoryStateLive) GetClass() string { + return ClassActiveStoryState +} + +func (*ActiveStoryStateLive) GetType() string { + return TypeActiveStoryStateLive +} + +func (*ActiveStoryStateLive) ActiveStoryStateType() string { + return TypeActiveStoryStateLive +} + +// The chat has some unread active stories +type ActiveStoryStateUnread struct{ + meta +} + +func (entity *ActiveStoryStateUnread) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ActiveStoryStateUnread + + return json.Marshal((*stub)(entity)) +} + +func (*ActiveStoryStateUnread) GetClass() string { + return ClassActiveStoryState +} + +func (*ActiveStoryStateUnread) GetType() string { + return TypeActiveStoryStateUnread +} + +func (*ActiveStoryStateUnread) ActiveStoryStateType() string { + return TypeActiveStoryStateUnread +} + +// The chat has active stories, all of which were read +type ActiveStoryStateRead struct{ + meta +} + +func (entity *ActiveStoryStateRead) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ActiveStoryStateRead + + return json.Marshal((*stub)(entity)) +} + +func (*ActiveStoryStateRead) GetClass() string { + return ClassActiveStoryState +} + +func (*ActiveStoryStateRead) GetType() string { + return TypeActiveStoryStateRead +} + +func (*ActiveStoryStateRead) ActiveStoryStateType() string { + return TypeActiveStoryStateRead +} + +// The user is eligible for the giveaway +type GiveawayParticipantStatusEligible struct{ + meta +} + +func (entity *GiveawayParticipantStatusEligible) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub GiveawayParticipantStatusEligible + + return json.Marshal((*stub)(entity)) +} + +func (*GiveawayParticipantStatusEligible) GetClass() string { + return ClassGiveawayParticipantStatus +} + +func (*GiveawayParticipantStatusEligible) GetType() string { + return TypeGiveawayParticipantStatusEligible +} + +func (*GiveawayParticipantStatusEligible) GiveawayParticipantStatusType() string { + return TypeGiveawayParticipantStatusEligible +} + +// The user participates in the giveaway +type GiveawayParticipantStatusParticipating struct{ + meta +} + +func (entity *GiveawayParticipantStatusParticipating) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub GiveawayParticipantStatusParticipating + + return json.Marshal((*stub)(entity)) +} + +func (*GiveawayParticipantStatusParticipating) GetClass() string { + return ClassGiveawayParticipantStatus +} + +func (*GiveawayParticipantStatusParticipating) GetType() string { + return TypeGiveawayParticipantStatusParticipating +} + +func (*GiveawayParticipantStatusParticipating) GiveawayParticipantStatusType() string { + return TypeGiveawayParticipantStatusParticipating +} + +// The user can't participate in the giveaway, because they have already been member of the chat +type GiveawayParticipantStatusAlreadyWasMember struct { + meta + // Point in time (Unix timestamp) when the user joined the chat + JoinedChatDate int32 `json:"joined_chat_date"` +} + +func (entity *GiveawayParticipantStatusAlreadyWasMember) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub GiveawayParticipantStatusAlreadyWasMember + + return json.Marshal((*stub)(entity)) +} + +func (*GiveawayParticipantStatusAlreadyWasMember) GetClass() string { + return ClassGiveawayParticipantStatus +} + +func (*GiveawayParticipantStatusAlreadyWasMember) GetType() string { + return TypeGiveawayParticipantStatusAlreadyWasMember +} + +func (*GiveawayParticipantStatusAlreadyWasMember) GiveawayParticipantStatusType() string { + return TypeGiveawayParticipantStatusAlreadyWasMember +} + +// The user can't participate in the giveaway, because they are an administrator in one of the chats that created the giveaway +type GiveawayParticipantStatusAdministrator struct { + meta + // Identifier of the chat administered by the user + ChatId int64 `json:"chat_id"` +} + +func (entity *GiveawayParticipantStatusAdministrator) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub GiveawayParticipantStatusAdministrator + + return json.Marshal((*stub)(entity)) +} + +func (*GiveawayParticipantStatusAdministrator) GetClass() string { + return ClassGiveawayParticipantStatus +} + +func (*GiveawayParticipantStatusAdministrator) GetType() string { + return TypeGiveawayParticipantStatusAdministrator +} + +func (*GiveawayParticipantStatusAdministrator) GiveawayParticipantStatusType() string { + return TypeGiveawayParticipantStatusAdministrator +} + +// The user can't participate in the giveaway, because they phone number is from a disallowed country +type GiveawayParticipantStatusDisallowedCountry struct { + meta + // A two-letter ISO 3166-1 alpha-2 country code of the user's country + UserCountryCode string `json:"user_country_code"` +} + +func (entity *GiveawayParticipantStatusDisallowedCountry) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub GiveawayParticipantStatusDisallowedCountry + + return json.Marshal((*stub)(entity)) +} + +func (*GiveawayParticipantStatusDisallowedCountry) GetClass() string { + return ClassGiveawayParticipantStatus +} + +func (*GiveawayParticipantStatusDisallowedCountry) GetType() string { + return TypeGiveawayParticipantStatusDisallowedCountry +} + +func (*GiveawayParticipantStatusDisallowedCountry) GiveawayParticipantStatusType() string { + return TypeGiveawayParticipantStatusDisallowedCountry +} + +// Describes an ongoing giveaway +type GiveawayInfoOngoing struct { + meta + // Point in time (Unix timestamp) when the giveaway was created + CreationDate int32 `json:"creation_date"` + // Status of the current user in the giveaway + Status GiveawayParticipantStatus `json:"status"` + // True, if the giveaway has ended and results are being prepared + IsEnded bool `json:"is_ended"` +} + +func (entity *GiveawayInfoOngoing) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub GiveawayInfoOngoing + + return json.Marshal((*stub)(entity)) +} + +func (*GiveawayInfoOngoing) GetClass() string { + return ClassGiveawayInfo +} + +func (*GiveawayInfoOngoing) GetType() string { + return TypeGiveawayInfoOngoing +} + +func (*GiveawayInfoOngoing) GiveawayInfoType() string { + return TypeGiveawayInfoOngoing +} + +func (giveawayInfoOngoing *GiveawayInfoOngoing) UnmarshalJSON(data []byte) error { + var tmp struct { + CreationDate int32 `json:"creation_date"` + Status json.RawMessage `json:"status"` + IsEnded bool `json:"is_ended"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + giveawayInfoOngoing.CreationDate = tmp.CreationDate + giveawayInfoOngoing.IsEnded = tmp.IsEnded + + fieldStatus, _ := UnmarshalGiveawayParticipantStatus(tmp.Status) + giveawayInfoOngoing.Status = fieldStatus + + return nil +} + +// Describes a completed giveaway +type GiveawayInfoCompleted struct { + meta + // Point in time (Unix timestamp) when the giveaway was created + CreationDate int32 `json:"creation_date"` + // Point in time (Unix timestamp) when the winners were selected. May be bigger than winners selection date specified in parameters of the giveaway + ActualWinnersSelectionDate int32 `json:"actual_winners_selection_date"` + // True, if the giveaway was canceled and was fully refunded + WasRefunded bool `json:"was_refunded"` + // True, if the current user is a winner of the giveaway + IsWinner bool `json:"is_winner"` + // Number of winners in the giveaway + WinnerCount int32 `json:"winner_count"` + // Number of winners, which activated their gift codes; for Telegram Premium giveaways only + ActivationCount int32 `json:"activation_count"` + // Telegram Premium gift code that was received by the current user; empty if the user isn't a winner in the giveaway or the giveaway isn't a Telegram Premium giveaway + GiftCode string `json:"gift_code"` + // The Telegram Star amount won by the current user; 0 if the user isn't a winner in the giveaway or the giveaway isn't a Telegram Star giveaway + WonStarCount int64 `json:"won_star_count"` +} + +func (entity *GiveawayInfoCompleted) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub GiveawayInfoCompleted + + return json.Marshal((*stub)(entity)) +} + +func (*GiveawayInfoCompleted) GetClass() string { + return ClassGiveawayInfo +} + +func (*GiveawayInfoCompleted) GetType() string { + return TypeGiveawayInfoCompleted +} + +func (*GiveawayInfoCompleted) GiveawayInfoType() string { + return TypeGiveawayInfoCompleted +} + +// The giveaway sends Telegram Premium subscriptions to the winners +type GiveawayPrizePremium struct { + meta + // Number of months the Telegram Premium subscription will be active after code activation + MonthCount int32 `json:"month_count"` +} + +func (entity *GiveawayPrizePremium) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub GiveawayPrizePremium + + return json.Marshal((*stub)(entity)) +} + +func (*GiveawayPrizePremium) GetClass() string { + return ClassGiveawayPrize +} + +func (*GiveawayPrizePremium) GetType() string { + return TypeGiveawayPrizePremium +} + +func (*GiveawayPrizePremium) GiveawayPrizeType() string { + return TypeGiveawayPrizePremium +} + +// The giveaway sends Telegram Stars to the winners +type GiveawayPrizeStars struct { + meta + // Number of Telegram Stars that will be shared by all winners + StarCount int64 `json:"star_count"` +} + +func (entity *GiveawayPrizeStars) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub GiveawayPrizeStars + + return json.Marshal((*stub)(entity)) +} + +func (*GiveawayPrizeStars) GetClass() string { + return ClassGiveawayPrize +} + +func (*GiveawayPrizeStars) GetType() string { + return TypeGiveawayPrizeStars +} + +func (*GiveawayPrizeStars) GiveawayPrizeType() string { + return TypeGiveawayPrizeStars +} + +// Contains information about supported accent color for user/chat name, background of empty chat photo, replies to messages and link previews +type AccentColor struct { + meta + // Accent color identifier + Id int32 `json:"id"` + // Identifier of a built-in color to use in places, where only one color is needed; 0-6 + BuiltInAccentColorId int32 `json:"built_in_accent_color_id"` + // The list of 1-3 colors in RGB format, describing the accent color, as expected to be shown in light themes + LightThemeColors []int32 `json:"light_theme_colors"` + // The list of 1-3 colors in RGB format, describing the accent color, as expected to be shown in dark themes + DarkThemeColors []int32 `json:"dark_theme_colors"` + // The minimum chat boost level required to use the color in a channel chat + MinChannelChatBoostLevel int32 `json:"min_channel_chat_boost_level"` +} + +func (entity *AccentColor) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub AccentColor + + return json.Marshal((*stub)(entity)) +} + +func (*AccentColor) GetClass() string { + return ClassAccentColor +} + +func (*AccentColor) GetType() string { + return TypeAccentColor +} + +// Contains information about supported accent colors for user profile photo background in RGB format +type ProfileAccentColors struct { + meta + // The list of 1-2 colors in RGB format, describing the colors, as expected to be shown in the color palette settings + PaletteColors []int32 `json:"palette_colors"` + // The list of 1-2 colors in RGB format, describing the colors, as expected to be used for the profile photo background + BackgroundColors []int32 `json:"background_colors"` + // The list of 2 colors in RGB format, describing the colors of the gradient to be used for the unread active story indicator around profile photo + StoryColors []int32 `json:"story_colors"` +} + +func (entity *ProfileAccentColors) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ProfileAccentColors + + return json.Marshal((*stub)(entity)) +} + +func (*ProfileAccentColors) GetClass() string { + return ClassProfileAccentColors +} + +func (*ProfileAccentColors) GetType() string { + return TypeProfileAccentColors +} + +// Contains information about supported accent color for user profile photo background +type ProfileAccentColor struct { + meta + // Profile accent color identifier + Id int32 `json:"id"` + // Accent colors expected to be used in light themes + LightThemeColors *ProfileAccentColors `json:"light_theme_colors"` + // Accent colors expected to be used in dark themes + DarkThemeColors *ProfileAccentColors `json:"dark_theme_colors"` + // The minimum chat boost level required to use the color in a supergroup chat + MinSupergroupChatBoostLevel int32 `json:"min_supergroup_chat_boost_level"` + // The minimum chat boost level required to use the color in a channel chat + MinChannelChatBoostLevel int32 `json:"min_channel_chat_boost_level"` +} + +func (entity *ProfileAccentColor) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ProfileAccentColor + + return json.Marshal((*stub)(entity)) +} + +func (*ProfileAccentColor) GetClass() string { + return ClassProfileAccentColor +} + +func (*ProfileAccentColor) GetType() string { + return TypeProfileAccentColor +} + +// Contains description of user rating +type UserRating struct { + meta + // The level of the user; may be negative + Level int32 `json:"level"` + // True, if the maximum level is reached + IsMaximumLevelReached bool `json:"is_maximum_level_reached"` + // Numerical value of the rating + Rating int64 `json:"rating"` + // The rating required for the current level + CurrentLevelRating int64 `json:"current_level_rating"` + // The rating required for the next level; 0 if the maximum level is reached + NextLevelRating int64 `json:"next_level_rating"` +} + +func (entity *UserRating) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UserRating + + return json.Marshal((*stub)(entity)) +} + +func (*UserRating) GetClass() string { + return ClassUserRating +} + +func (*UserRating) GetType() string { + return TypeUserRating +} + +// Contains information about restrictions that must be applied to a chat or a message +type RestrictionInfo struct { + meta + // A human-readable description of the reason why access to the content must be restricted. If empty, then the content can be accessed, but may be covered by hidden with 18+ spoiler anyway + RestrictionReason string `json:"restriction_reason"` + // True, if media content of the messages must be hidden with 18+ spoiler. Use value of the option "can_ignore_sensitive_content_restrictions" to check whether the current user can ignore the restriction. If age verification parameters were received in updateAgeVerificationParameters, then the user must complete age verification to ignore the restriction. Set the option "ignore_sensitive_content_restrictions" to true if the user passes age verification + HasSensitiveContent bool `json:"has_sensitive_content"` +} + +func (entity *RestrictionInfo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub RestrictionInfo + + return json.Marshal((*stub)(entity)) +} + +func (*RestrictionInfo) GetClass() string { + return ClassRestrictionInfo +} + +func (*RestrictionInfo) GetType() string { + return TypeRestrictionInfo +} + +// A custom emoji set as emoji status +type EmojiStatusTypeCustomEmoji struct { + meta + // Identifier of the custom emoji in stickerFormatTgs format + CustomEmojiId JsonInt64 `json:"custom_emoji_id"` +} + +func (entity *EmojiStatusTypeCustomEmoji) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub EmojiStatusTypeCustomEmoji + + return json.Marshal((*stub)(entity)) +} + +func (*EmojiStatusTypeCustomEmoji) GetClass() string { + return ClassEmojiStatusType +} + +func (*EmojiStatusTypeCustomEmoji) GetType() string { + return TypeEmojiStatusTypeCustomEmoji +} + +func (*EmojiStatusTypeCustomEmoji) EmojiStatusTypeType() string { + return TypeEmojiStatusTypeCustomEmoji +} + +// An upgraded gift set as emoji status +type EmojiStatusTypeUpgradedGift struct { + meta + // Identifier of the upgraded gift + UpgradedGiftId JsonInt64 `json:"upgraded_gift_id"` + // The title of the upgraded gift + GiftTitle string `json:"gift_title"` + // Unique name of the upgraded gift that can be used with internalLinkTypeUpgradedGift + GiftName string `json:"gift_name"` + // Custom emoji identifier of the model of the upgraded gift + ModelCustomEmojiId JsonInt64 `json:"model_custom_emoji_id"` + // Custom emoji identifier of the symbol of the upgraded gift + SymbolCustomEmojiId JsonInt64 `json:"symbol_custom_emoji_id"` + // Colors of the backdrop of the upgraded gift + BackdropColors *UpgradedGiftBackdropColors `json:"backdrop_colors"` +} + +func (entity *EmojiStatusTypeUpgradedGift) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub EmojiStatusTypeUpgradedGift + + return json.Marshal((*stub)(entity)) +} + +func (*EmojiStatusTypeUpgradedGift) GetClass() string { + return ClassEmojiStatusType +} + +func (*EmojiStatusTypeUpgradedGift) GetType() string { + return TypeEmojiStatusTypeUpgradedGift +} + +func (*EmojiStatusTypeUpgradedGift) EmojiStatusTypeType() string { + return TypeEmojiStatusTypeUpgradedGift +} + +// Describes an emoji to be shown instead of the Telegram Premium badge +type EmojiStatus struct { + meta + // Type of the emoji status + Type EmojiStatusType `json:"type"` + // Point in time (Unix timestamp) when the status will expire; 0 if never + ExpirationDate int32 `json:"expiration_date"` +} + +func (entity *EmojiStatus) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub EmojiStatus + + return json.Marshal((*stub)(entity)) +} + +func (*EmojiStatus) GetClass() string { + return ClassEmojiStatus +} + +func (*EmojiStatus) GetType() string { + return TypeEmojiStatus +} + +func (emojiStatus *EmojiStatus) UnmarshalJSON(data []byte) error { + var tmp struct { + Type json.RawMessage `json:"type"` + ExpirationDate int32 `json:"expiration_date"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + emojiStatus.ExpirationDate = tmp.ExpirationDate + + fieldType, _ := UnmarshalEmojiStatusType(tmp.Type) + emojiStatus.Type = fieldType + + return nil +} + +// Contains a list of emoji statuses +type EmojiStatuses struct { + meta + // The list of emoji statuses identifiers + EmojiStatuses []*EmojiStatus `json:"emoji_statuses"` +} + +func (entity *EmojiStatuses) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub EmojiStatuses + + return json.Marshal((*stub)(entity)) +} + +func (*EmojiStatuses) GetClass() string { + return ClassEmojiStatuses +} + +func (*EmojiStatuses) GetType() string { + return TypeEmojiStatuses +} + +// Contains a list of custom emoji identifiers for emoji statuses +type EmojiStatusCustomEmojis struct { + meta + // The list of custom emoji identifiers + CustomEmojiIds []JsonInt64 `json:"custom_emoji_ids"` +} + +func (entity *EmojiStatusCustomEmojis) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub EmojiStatusCustomEmojis + + return json.Marshal((*stub)(entity)) +} + +func (*EmojiStatusCustomEmojis) GetClass() string { + return ClassEmojiStatusCustomEmojis +} + +func (*EmojiStatusCustomEmojis) GetType() string { + return TypeEmojiStatusCustomEmojis +} + +// Describes usernames assigned to a user, a supergroup, or a channel +type Usernames struct { + meta + // List of active usernames; the first one must be shown as the primary username. The order of active usernames can be changed with reorderActiveUsernames, reorderBotActiveUsernames or reorderSupergroupActiveUsernames + ActiveUsernames []string `json:"active_usernames"` + // List of currently disabled usernames; the username can be activated with toggleUsernameIsActive, toggleBotUsernameIsActive, or toggleSupergroupUsernameIsActive + DisabledUsernames []string `json:"disabled_usernames"` + // Active or disabled username, which may be changed with setUsername or setSupergroupUsername + EditableUsername string `json:"editable_username"` + // Collectible usernames that were purchased at https://fragment.com and can be passed to getCollectibleItemInfo for more details + CollectibleUsernames []string `json:"collectible_usernames"` +} + +func (entity *Usernames) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub Usernames + + return json.Marshal((*stub)(entity)) +} + +func (*Usernames) GetClass() string { + return ClassUsernames +} + +func (*Usernames) GetType() string { + return TypeUsernames +} + +// Represents a user +type User struct { + meta + // User identifier + Id int64 `json:"id"` + // User access hash + AccessHash JsonInt64 `json:"access_hash"` + // First name of the user + FirstName string `json:"first_name"` + // Last name of the user + LastName string `json:"last_name"` + // Usernames of the user; may be null + Usernames *Usernames `json:"usernames"` + // Phone number of the user + PhoneNumber string `json:"phone_number"` + // Current online status of the user + Status UserStatus `json:"status"` + // Profile photo of the user; may be null + ProfilePhoto *ProfilePhoto `json:"profile_photo"` + // Identifier of the accent color for name, and backgrounds of profile photo, reply header, and link preview + AccentColorId int32 `json:"accent_color_id"` + // Identifier of a custom emoji to be shown on the reply header and link preview background; 0 if none + BackgroundCustomEmojiId JsonInt64 `json:"background_custom_emoji_id"` + // Color scheme based on an upgraded gift to be used for the user instead of accent_color_id and background_custom_emoji_id; may be null if none + UpgradedGiftColors *UpgradedGiftColors `json:"upgraded_gift_colors"` + // Identifier of the accent color for the user's profile; -1 if none + ProfileAccentColorId int32 `json:"profile_accent_color_id"` + // Identifier of a custom emoji to be shown on the background of the user's profile; 0 if none + ProfileBackgroundCustomEmojiId JsonInt64 `json:"profile_background_custom_emoji_id"` + // Emoji status to be shown instead of the default Telegram Premium badge; may be null + EmojiStatus *EmojiStatus `json:"emoji_status"` + // The user is a contact of the current user + IsContact bool `json:"is_contact"` + // The user is a contact of the current user and the current user is a contact of the user + IsMutualContact bool `json:"is_mutual_contact"` + // The user is a close friend of the current user; implies that the user is a contact + IsCloseFriend bool `json:"is_close_friend"` + // Information about verification status of the user; may be null if none + VerificationStatus *VerificationStatus `json:"verification_status"` + // True, if the user is a Telegram Premium user + IsPremium bool `json:"is_premium"` + // True, if the user is Telegram support account + IsSupport bool `json:"is_support"` + // Information about restrictions that must be applied to the corresponding private chat; may be null if none + RestrictionInfo *RestrictionInfo `json:"restriction_info"` + // State of active stories of the user; may be null if the user has no active stories + ActiveStoryState ActiveStoryState `json:"active_story_state"` + // True, if the user may restrict new chats with non-contacts. Use canSendMessageToUser to check whether the current user can message the user or try to create a chat with them + RestrictsNewChats bool `json:"restricts_new_chats"` + // Number of Telegram Stars that must be paid by general user for each sent message to the user. If positive and userFullInfo is unknown, use canSendMessageToUser to check whether the current user must pay + PaidMessageStarCount int64 `json:"paid_message_star_count"` + // If false, the user is inaccessible, and the only information known about the user is inside this class. Identifier of the user can't be passed to any method + HaveAccess bool `json:"have_access"` + // Type of the user + Type UserType `json:"type"` + // IETF language tag of the user's language; only available to bots + LanguageCode string `json:"language_code"` + // True, if the user added the current bot to attachment menu; only available to bots + AddedToAttachmentMenu bool `json:"added_to_attachment_menu"` +} + +func (entity *User) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub User + + return json.Marshal((*stub)(entity)) +} + +func (*User) GetClass() string { + return ClassUser +} + +func (*User) GetType() string { + return TypeUser +} + +func (user *User) UnmarshalJSON(data []byte) error { + var tmp struct { + Id int64 `json:"id"` + AccessHash JsonInt64 `json:"access_hash"` + FirstName string `json:"first_name"` + LastName string `json:"last_name"` + Usernames *Usernames `json:"usernames"` + PhoneNumber string `json:"phone_number"` + Status json.RawMessage `json:"status"` + ProfilePhoto *ProfilePhoto `json:"profile_photo"` + AccentColorId int32 `json:"accent_color_id"` + BackgroundCustomEmojiId JsonInt64 `json:"background_custom_emoji_id"` + UpgradedGiftColors *UpgradedGiftColors `json:"upgraded_gift_colors"` + ProfileAccentColorId int32 `json:"profile_accent_color_id"` + ProfileBackgroundCustomEmojiId JsonInt64 `json:"profile_background_custom_emoji_id"` + EmojiStatus *EmojiStatus `json:"emoji_status"` + IsContact bool `json:"is_contact"` + IsMutualContact bool `json:"is_mutual_contact"` + IsCloseFriend bool `json:"is_close_friend"` + VerificationStatus *VerificationStatus `json:"verification_status"` + IsPremium bool `json:"is_premium"` + IsSupport bool `json:"is_support"` + RestrictionInfo *RestrictionInfo `json:"restriction_info"` + ActiveStoryState json.RawMessage `json:"active_story_state"` + RestrictsNewChats bool `json:"restricts_new_chats"` + PaidMessageStarCount int64 `json:"paid_message_star_count"` + HaveAccess bool `json:"have_access"` + Type json.RawMessage `json:"type"` + LanguageCode string `json:"language_code"` + AddedToAttachmentMenu bool `json:"added_to_attachment_menu"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + user.Id = tmp.Id + user.AccessHash = tmp.AccessHash + user.FirstName = tmp.FirstName + user.LastName = tmp.LastName + user.Usernames = tmp.Usernames + user.PhoneNumber = tmp.PhoneNumber + user.ProfilePhoto = tmp.ProfilePhoto + user.AccentColorId = tmp.AccentColorId + user.BackgroundCustomEmojiId = tmp.BackgroundCustomEmojiId + user.UpgradedGiftColors = tmp.UpgradedGiftColors + user.ProfileAccentColorId = tmp.ProfileAccentColorId + user.ProfileBackgroundCustomEmojiId = tmp.ProfileBackgroundCustomEmojiId + user.EmojiStatus = tmp.EmojiStatus + user.IsContact = tmp.IsContact + user.IsMutualContact = tmp.IsMutualContact + user.IsCloseFriend = tmp.IsCloseFriend + user.VerificationStatus = tmp.VerificationStatus + user.IsPremium = tmp.IsPremium + user.IsSupport = tmp.IsSupport + user.RestrictionInfo = tmp.RestrictionInfo + user.RestrictsNewChats = tmp.RestrictsNewChats + user.PaidMessageStarCount = tmp.PaidMessageStarCount + user.HaveAccess = tmp.HaveAccess + user.LanguageCode = tmp.LanguageCode + user.AddedToAttachmentMenu = tmp.AddedToAttachmentMenu + + fieldStatus, _ := UnmarshalUserStatus(tmp.Status) + user.Status = fieldStatus + + fieldActiveStoryState, _ := UnmarshalActiveStoryState(tmp.ActiveStoryState) + user.ActiveStoryState = fieldActiveStoryState + + fieldType, _ := UnmarshalUserType(tmp.Type) + user.Type = fieldType + + return nil +} + +// Contains information about a bot +type BotInfo struct { + meta + // The text that is shown on the bot's profile page and is sent together with the link when users share the bot + ShortDescription string `json:"short_description"` + // The text shown in the chat with the bot if the chat is empty + Description string `json:"description"` + // Photo shown in the chat with the bot if the chat is empty; may be null + Photo *Photo `json:"photo"` + // Animation shown in the chat with the bot if the chat is empty; may be null + Animation *Animation `json:"animation"` + // Information about a button to show instead of the bot commands menu button; may be null if ordinary bot commands menu must be shown + MenuButton *BotMenuButton `json:"menu_button"` + // List of the bot commands + Commands []*BotCommand `json:"commands"` + // The HTTP link to the privacy policy of the bot. If empty, then /privacy command must be used if supported by the bot. If the command isn't supported, then https://telegram.org/privacy-tpa must be opened + PrivacyPolicyUrl string `json:"privacy_policy_url"` + // Default administrator rights for adding the bot to basic group and supergroup chats; may be null + DefaultGroupAdministratorRights *ChatAdministratorRights `json:"default_group_administrator_rights"` + // Default administrator rights for adding the bot to channels; may be null + DefaultChannelAdministratorRights *ChatAdministratorRights `json:"default_channel_administrator_rights"` + // Information about the affiliate program of the bot; may be null if none + AffiliateProgram *AffiliateProgramInfo `json:"affiliate_program"` + // Default light background color for bot Web Apps; -1 if not specified + WebAppBackgroundLightColor int32 `json:"web_app_background_light_color"` + // Default dark background color for bot Web Apps; -1 if not specified + WebAppBackgroundDarkColor int32 `json:"web_app_background_dark_color"` + // Default light header color for bot Web Apps; -1 if not specified + WebAppHeaderLightColor int32 `json:"web_app_header_light_color"` + // Default dark header color for bot Web Apps; -1 if not specified + WebAppHeaderDarkColor int32 `json:"web_app_header_dark_color"` + // Parameters of the verification that can be provided by the bot; may be null if none or the current user isn't the owner of the bot + VerificationParameters *BotVerificationParameters `json:"verification_parameters"` + // True, if the bot's revenue statistics are available to the current user + CanGetRevenueStatistics bool `json:"can_get_revenue_statistics"` + // True, if the bot can manage emoji status of the current user + CanManageEmojiStatus bool `json:"can_manage_emoji_status"` + // True, if the bot has media previews + HasMediaPreviews bool `json:"has_media_previews"` + // The internal link, which can be used to edit bot commands; may be null + EditCommandsLink InternalLinkType `json:"edit_commands_link"` + // The internal link, which can be used to edit bot description; may be null + EditDescriptionLink InternalLinkType `json:"edit_description_link"` + // The internal link, which can be used to edit the photo or animation shown in the chat with the bot if the chat is empty; may be null + EditDescriptionMediaLink InternalLinkType `json:"edit_description_media_link"` + // The internal link, which can be used to edit bot settings; may be null + EditSettingsLink InternalLinkType `json:"edit_settings_link"` +} + +func (entity *BotInfo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BotInfo + + return json.Marshal((*stub)(entity)) +} + +func (*BotInfo) GetClass() string { + return ClassBotInfo +} + +func (*BotInfo) GetType() string { + return TypeBotInfo +} + +func (botInfo *BotInfo) UnmarshalJSON(data []byte) error { + var tmp struct { + ShortDescription string `json:"short_description"` + Description string `json:"description"` + Photo *Photo `json:"photo"` + Animation *Animation `json:"animation"` + MenuButton *BotMenuButton `json:"menu_button"` + Commands []*BotCommand `json:"commands"` + PrivacyPolicyUrl string `json:"privacy_policy_url"` + DefaultGroupAdministratorRights *ChatAdministratorRights `json:"default_group_administrator_rights"` + DefaultChannelAdministratorRights *ChatAdministratorRights `json:"default_channel_administrator_rights"` + AffiliateProgram *AffiliateProgramInfo `json:"affiliate_program"` + WebAppBackgroundLightColor int32 `json:"web_app_background_light_color"` + WebAppBackgroundDarkColor int32 `json:"web_app_background_dark_color"` + WebAppHeaderLightColor int32 `json:"web_app_header_light_color"` + WebAppHeaderDarkColor int32 `json:"web_app_header_dark_color"` + VerificationParameters *BotVerificationParameters `json:"verification_parameters"` + CanGetRevenueStatistics bool `json:"can_get_revenue_statistics"` + CanManageEmojiStatus bool `json:"can_manage_emoji_status"` + HasMediaPreviews bool `json:"has_media_previews"` + EditCommandsLink json.RawMessage `json:"edit_commands_link"` + EditDescriptionLink json.RawMessage `json:"edit_description_link"` + EditDescriptionMediaLink json.RawMessage `json:"edit_description_media_link"` + EditSettingsLink json.RawMessage `json:"edit_settings_link"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + botInfo.ShortDescription = tmp.ShortDescription + botInfo.Description = tmp.Description + botInfo.Photo = tmp.Photo + botInfo.Animation = tmp.Animation + botInfo.MenuButton = tmp.MenuButton + botInfo.Commands = tmp.Commands + botInfo.PrivacyPolicyUrl = tmp.PrivacyPolicyUrl + botInfo.DefaultGroupAdministratorRights = tmp.DefaultGroupAdministratorRights + botInfo.DefaultChannelAdministratorRights = tmp.DefaultChannelAdministratorRights + botInfo.AffiliateProgram = tmp.AffiliateProgram + botInfo.WebAppBackgroundLightColor = tmp.WebAppBackgroundLightColor + botInfo.WebAppBackgroundDarkColor = tmp.WebAppBackgroundDarkColor + botInfo.WebAppHeaderLightColor = tmp.WebAppHeaderLightColor + botInfo.WebAppHeaderDarkColor = tmp.WebAppHeaderDarkColor + botInfo.VerificationParameters = tmp.VerificationParameters + botInfo.CanGetRevenueStatistics = tmp.CanGetRevenueStatistics + botInfo.CanManageEmojiStatus = tmp.CanManageEmojiStatus + botInfo.HasMediaPreviews = tmp.HasMediaPreviews + + fieldEditCommandsLink, _ := UnmarshalInternalLinkType(tmp.EditCommandsLink) + botInfo.EditCommandsLink = fieldEditCommandsLink + + fieldEditDescriptionLink, _ := UnmarshalInternalLinkType(tmp.EditDescriptionLink) + botInfo.EditDescriptionLink = fieldEditDescriptionLink + + fieldEditDescriptionMediaLink, _ := UnmarshalInternalLinkType(tmp.EditDescriptionMediaLink) + botInfo.EditDescriptionMediaLink = fieldEditDescriptionMediaLink + + fieldEditSettingsLink, _ := UnmarshalInternalLinkType(tmp.EditSettingsLink) + botInfo.EditSettingsLink = fieldEditSettingsLink + + return nil +} + +// Contains full information about a user +type UserFullInfo struct { + meta + // User profile photo set by the current user for the contact; may be null. If null and user.profile_photo is null, then the photo is empty; otherwise, it is unknown. If non-null, then it is the same photo as in user.profile_photo and chat.photo. This photo isn't returned in the list of user photos + PersonalPhoto *ChatPhoto `json:"personal_photo"` + // User profile photo; may be null. If null and user.profile_photo is null, then the photo is empty; otherwise, it is unknown. If non-null and personal_photo is null, then it is the same photo as in user.profile_photo and chat.photo + Photo *ChatPhoto `json:"photo"` + // User profile photo visible if the main photo is hidden by privacy settings; may be null. If null and user.profile_photo is null, then the photo is empty; otherwise, it is unknown. If non-null and both photo and personal_photo are null, then it is the same photo as in user.profile_photo and chat.photo. This photo isn't returned in the list of user photos + PublicPhoto *ChatPhoto `json:"public_photo"` + // Block list to which the user is added; may be null if none + BlockList BlockList `json:"block_list"` + // True, if the user can be called + CanBeCalled bool `json:"can_be_called"` + // True, if a video call can be created with the user + SupportsVideoCalls bool `json:"supports_video_calls"` + // True, if the user can't be called due to their privacy settings + HasPrivateCalls bool `json:"has_private_calls"` + // True, if the user can't be linked in forwarded messages due to their privacy settings + HasPrivateForwards bool `json:"has_private_forwards"` + // True, if voice and video notes can't be sent or forwarded to the user + HasRestrictedVoiceAndVideoNoteMessages bool `json:"has_restricted_voice_and_video_note_messages"` + // True, if the user has posted to profile stories + HasPostedToProfileStories bool `json:"has_posted_to_profile_stories"` + // True, if the user always enabled sponsored messages; known only for the current user + HasSponsoredMessagesEnabled bool `json:"has_sponsored_messages_enabled"` + // True, if the current user needs to explicitly allow to share their phone number with the user when the method addContact is used + NeedPhoneNumberPrivacyException bool `json:"need_phone_number_privacy_exception"` + // True, if the user set chat background for both chat users and it wasn't reverted yet + SetChatBackground bool `json:"set_chat_background"` + // A short user bio; may be null for bots + Bio *FormattedText `json:"bio"` + // Birthdate of the user; may be null if unknown + Birthdate *Birthdate `json:"birthdate"` + // Identifier of the personal chat of the user; 0 if none + PersonalChatId int64 `json:"personal_chat_id"` + // Number of saved to profile gifts for other users or the total number of received gifts for the current user + GiftCount int32 `json:"gift_count"` + // Number of group chats where both the other user and the current user are a member; 0 for the current user + GroupInCommonCount int32 `json:"group_in_common_count"` + // Number of Telegram Stars that must be paid by the user for each sent message to the current user + IncomingPaidMessageStarCount int64 `json:"incoming_paid_message_star_count"` + // Number of Telegram Stars that must be paid by the current user for each sent message to the user + OutgoingPaidMessageStarCount int64 `json:"outgoing_paid_message_star_count"` + // Settings for gift receiving for the user + GiftSettings *GiftSettings `json:"gift_settings"` + // Information about verification status of the user provided by a bot; may be null if none or unknown + BotVerification *BotVerification `json:"bot_verification"` + // The main tab chosen by the user; may be null if not chosen manually + MainProfileTab ProfileTab `json:"main_profile_tab"` + // The first audio file added to the user's profile; may be null if none + FirstProfileAudio *Audio `json:"first_profile_audio"` + // The current rating of the user; may be null if none + Rating *UserRating `json:"rating"` + // The rating of the user after the next change; may be null if the user isn't the current user or there are no pending rating changes + PendingRating *UserRating `json:"pending_rating"` + // Unix timestamp when rating of the user will change to pending_rating; 0 if the user isn't the current user or there are no pending rating changes + PendingRatingDate int32 `json:"pending_rating_date"` + // Note added to the user's contact; may be null if none + Note *FormattedText `json:"note"` + // Information about business settings for Telegram Business accounts; may be null if none + BusinessInfo *BusinessInfo `json:"business_info"` + // For bots, information about the bot; may be null if the user isn't a bot + BotInfo *BotInfo `json:"bot_info"` +} + +func (entity *UserFullInfo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UserFullInfo + + return json.Marshal((*stub)(entity)) +} + +func (*UserFullInfo) GetClass() string { + return ClassUserFullInfo +} + +func (*UserFullInfo) GetType() string { + return TypeUserFullInfo +} + +func (userFullInfo *UserFullInfo) UnmarshalJSON(data []byte) error { + var tmp struct { + PersonalPhoto *ChatPhoto `json:"personal_photo"` + Photo *ChatPhoto `json:"photo"` + PublicPhoto *ChatPhoto `json:"public_photo"` + BlockList json.RawMessage `json:"block_list"` + CanBeCalled bool `json:"can_be_called"` + SupportsVideoCalls bool `json:"supports_video_calls"` + HasPrivateCalls bool `json:"has_private_calls"` + HasPrivateForwards bool `json:"has_private_forwards"` + HasRestrictedVoiceAndVideoNoteMessages bool `json:"has_restricted_voice_and_video_note_messages"` + HasPostedToProfileStories bool `json:"has_posted_to_profile_stories"` + HasSponsoredMessagesEnabled bool `json:"has_sponsored_messages_enabled"` + NeedPhoneNumberPrivacyException bool `json:"need_phone_number_privacy_exception"` + SetChatBackground bool `json:"set_chat_background"` + Bio *FormattedText `json:"bio"` + Birthdate *Birthdate `json:"birthdate"` + PersonalChatId int64 `json:"personal_chat_id"` + GiftCount int32 `json:"gift_count"` + GroupInCommonCount int32 `json:"group_in_common_count"` + IncomingPaidMessageStarCount int64 `json:"incoming_paid_message_star_count"` + OutgoingPaidMessageStarCount int64 `json:"outgoing_paid_message_star_count"` + GiftSettings *GiftSettings `json:"gift_settings"` + BotVerification *BotVerification `json:"bot_verification"` + MainProfileTab json.RawMessage `json:"main_profile_tab"` + FirstProfileAudio *Audio `json:"first_profile_audio"` + Rating *UserRating `json:"rating"` + PendingRating *UserRating `json:"pending_rating"` + PendingRatingDate int32 `json:"pending_rating_date"` + Note *FormattedText `json:"note"` + BusinessInfo *BusinessInfo `json:"business_info"` + BotInfo *BotInfo `json:"bot_info"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + userFullInfo.PersonalPhoto = tmp.PersonalPhoto + userFullInfo.Photo = tmp.Photo + userFullInfo.PublicPhoto = tmp.PublicPhoto + userFullInfo.CanBeCalled = tmp.CanBeCalled + userFullInfo.SupportsVideoCalls = tmp.SupportsVideoCalls + userFullInfo.HasPrivateCalls = tmp.HasPrivateCalls + userFullInfo.HasPrivateForwards = tmp.HasPrivateForwards + userFullInfo.HasRestrictedVoiceAndVideoNoteMessages = tmp.HasRestrictedVoiceAndVideoNoteMessages + userFullInfo.HasPostedToProfileStories = tmp.HasPostedToProfileStories + userFullInfo.HasSponsoredMessagesEnabled = tmp.HasSponsoredMessagesEnabled + userFullInfo.NeedPhoneNumberPrivacyException = tmp.NeedPhoneNumberPrivacyException + userFullInfo.SetChatBackground = tmp.SetChatBackground + userFullInfo.Bio = tmp.Bio + userFullInfo.Birthdate = tmp.Birthdate + userFullInfo.PersonalChatId = tmp.PersonalChatId + userFullInfo.GiftCount = tmp.GiftCount + userFullInfo.GroupInCommonCount = tmp.GroupInCommonCount + userFullInfo.IncomingPaidMessageStarCount = tmp.IncomingPaidMessageStarCount + userFullInfo.OutgoingPaidMessageStarCount = tmp.OutgoingPaidMessageStarCount + userFullInfo.GiftSettings = tmp.GiftSettings + userFullInfo.BotVerification = tmp.BotVerification + userFullInfo.FirstProfileAudio = tmp.FirstProfileAudio + userFullInfo.Rating = tmp.Rating + userFullInfo.PendingRating = tmp.PendingRating + userFullInfo.PendingRatingDate = tmp.PendingRatingDate + userFullInfo.Note = tmp.Note + userFullInfo.BusinessInfo = tmp.BusinessInfo + userFullInfo.BotInfo = tmp.BotInfo + + fieldBlockList, _ := UnmarshalBlockList(tmp.BlockList) + userFullInfo.BlockList = fieldBlockList + + fieldMainProfileTab, _ := UnmarshalProfileTab(tmp.MainProfileTab) + userFullInfo.MainProfileTab = fieldMainProfileTab + + return nil +} + +// Represents a list of users +type Users struct { + meta + // Approximate total number of users found + TotalCount int32 `json:"total_count"` + // A list of user identifiers + UserIds []int64 `json:"user_ids"` +} + +func (entity *Users) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub Users + + return json.Marshal((*stub)(entity)) +} + +func (*Users) GetClass() string { + return ClassUsers +} + +func (*Users) GetType() string { + return TypeUsers +} + +// Represents a list of found users +type FoundUsers struct { + meta + // Identifiers of the found users + UserIds []int64 `json:"user_ids"` + // The offset for the next request. If empty, then there are no more results + NextOffset string `json:"next_offset"` +} + +func (entity *FoundUsers) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub FoundUsers + + return json.Marshal((*stub)(entity)) +} + +func (*FoundUsers) GetClass() string { + return ClassFoundUsers +} + +func (*FoundUsers) GetType() string { + return TypeFoundUsers +} + +// Contains information about a chat administrator +type ChatAdministrator struct { + meta + // User identifier of the administrator + UserId int64 `json:"user_id"` + // Custom title of the administrator + CustomTitle string `json:"custom_title"` + // True, if the user is the owner of the chat + IsOwner bool `json:"is_owner"` +} + +func (entity *ChatAdministrator) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatAdministrator + + return json.Marshal((*stub)(entity)) +} + +func (*ChatAdministrator) GetClass() string { + return ClassChatAdministrator +} + +func (*ChatAdministrator) GetType() string { + return TypeChatAdministrator +} + +// Represents a list of chat administrators +type ChatAdministrators struct { + meta + // A list of chat administrators + Administrators []*ChatAdministrator `json:"administrators"` +} + +func (entity *ChatAdministrators) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatAdministrators + + return json.Marshal((*stub)(entity)) +} + +func (*ChatAdministrators) GetClass() string { + return ClassChatAdministrators +} + +func (*ChatAdministrators) GetType() string { + return TypeChatAdministrators +} + +// The user is the owner of the chat and has all the administrator privileges +type ChatMemberStatusCreator struct { + meta + // A custom title of the owner; 0-16 characters without emoji; applicable to supergroups only + CustomTitle string `json:"custom_title"` + // True, if the creator isn't shown in the chat member list and sends messages anonymously; applicable to supergroups only + IsAnonymous bool `json:"is_anonymous"` + // True, if the user is a member of the chat + IsMember bool `json:"is_member"` +} + +func (entity *ChatMemberStatusCreator) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatMemberStatusCreator + + return json.Marshal((*stub)(entity)) +} + +func (*ChatMemberStatusCreator) GetClass() string { + return ClassChatMemberStatus +} + +func (*ChatMemberStatusCreator) GetType() string { + return TypeChatMemberStatusCreator +} + +func (*ChatMemberStatusCreator) ChatMemberStatusType() string { + return TypeChatMemberStatusCreator +} + +// The user is a member of the chat and has some additional privileges. In basic groups, administrators can edit and delete messages sent by others, add new members, ban unprivileged members, and manage video chats. In supergroups and channels, there are more detailed options for administrator privileges +type ChatMemberStatusAdministrator struct { + meta + // A custom title of the administrator; 0-16 characters without emoji; applicable to supergroups only + CustomTitle string `json:"custom_title"` + // True, if the current user can edit the administrator privileges for the called user + CanBeEdited bool `json:"can_be_edited"` + // Rights of the administrator + Rights *ChatAdministratorRights `json:"rights"` +} + +func (entity *ChatMemberStatusAdministrator) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatMemberStatusAdministrator + + return json.Marshal((*stub)(entity)) +} + +func (*ChatMemberStatusAdministrator) GetClass() string { + return ClassChatMemberStatus +} + +func (*ChatMemberStatusAdministrator) GetType() string { + return TypeChatMemberStatusAdministrator +} + +func (*ChatMemberStatusAdministrator) ChatMemberStatusType() string { + return TypeChatMemberStatusAdministrator +} + +// The user is a member of the chat, without any additional privileges or restrictions +type ChatMemberStatusMember struct { + meta + // Point in time (Unix timestamp) when the user will be removed from the chat because of the expired subscription; 0 if never. Ignored in setChatMemberStatus + MemberUntilDate int32 `json:"member_until_date"` +} + +func (entity *ChatMemberStatusMember) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatMemberStatusMember + + return json.Marshal((*stub)(entity)) +} + +func (*ChatMemberStatusMember) GetClass() string { + return ClassChatMemberStatus +} + +func (*ChatMemberStatusMember) GetType() string { + return TypeChatMemberStatusMember +} + +func (*ChatMemberStatusMember) ChatMemberStatusType() string { + return TypeChatMemberStatusMember +} + +// The user is under certain restrictions in the chat. Not supported in basic groups and channels +type ChatMemberStatusRestricted struct { + meta + // True, if the user is a member of the chat + IsMember bool `json:"is_member"` + // Point in time (Unix timestamp) when restrictions will be lifted from the user; 0 if never. If the user is restricted for more than 366 days or for less than 30 seconds from the current time, the user is considered to be restricted forever + RestrictedUntilDate int32 `json:"restricted_until_date"` + // User permissions in the chat + Permissions *ChatPermissions `json:"permissions"` +} + +func (entity *ChatMemberStatusRestricted) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatMemberStatusRestricted + + return json.Marshal((*stub)(entity)) +} + +func (*ChatMemberStatusRestricted) GetClass() string { + return ClassChatMemberStatus +} + +func (*ChatMemberStatusRestricted) GetType() string { + return TypeChatMemberStatusRestricted +} + +func (*ChatMemberStatusRestricted) ChatMemberStatusType() string { + return TypeChatMemberStatusRestricted +} + +// The user or the chat is not a chat member +type ChatMemberStatusLeft struct{ + meta +} + +func (entity *ChatMemberStatusLeft) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatMemberStatusLeft + + return json.Marshal((*stub)(entity)) +} + +func (*ChatMemberStatusLeft) GetClass() string { + return ClassChatMemberStatus +} + +func (*ChatMemberStatusLeft) GetType() string { + return TypeChatMemberStatusLeft +} + +func (*ChatMemberStatusLeft) ChatMemberStatusType() string { + return TypeChatMemberStatusLeft +} + +// The user or the chat was banned (and hence is not a member of the chat). Implies the user can't return to the chat, view messages, or be used as a participant identifier to join a video chat of the chat +type ChatMemberStatusBanned struct { + meta + // Point in time (Unix timestamp) when the user will be unbanned; 0 if never. If the user is banned for more than 366 days or for less than 30 seconds from the current time, the user is considered to be banned forever. Always 0 in basic groups + BannedUntilDate int32 `json:"banned_until_date"` +} + +func (entity *ChatMemberStatusBanned) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatMemberStatusBanned + + return json.Marshal((*stub)(entity)) +} + +func (*ChatMemberStatusBanned) GetClass() string { + return ClassChatMemberStatus +} + +func (*ChatMemberStatusBanned) GetType() string { + return TypeChatMemberStatusBanned +} + +func (*ChatMemberStatusBanned) ChatMemberStatusType() string { + return TypeChatMemberStatusBanned +} + +// Describes a user or a chat as a member of another chat +type ChatMember struct { + meta + // Identifier of the chat member. Currently, other chats can be only Left or Banned. Only supergroups and channels can have other chats as Left or Banned members and these chats must be supergroups or channels + MemberId MessageSender `json:"member_id"` + // Identifier of a user who invited/promoted/banned this member in the chat; 0 if unknown + InviterUserId int64 `json:"inviter_user_id"` + // Point in time (Unix timestamp) when the user joined/was promoted/was banned in the chat + JoinedChatDate int32 `json:"joined_chat_date"` + // Status of the member in the chat + Status ChatMemberStatus `json:"status"` +} + +func (entity *ChatMember) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatMember + + return json.Marshal((*stub)(entity)) +} + +func (*ChatMember) GetClass() string { + return ClassChatMember +} + +func (*ChatMember) GetType() string { + return TypeChatMember +} + +func (chatMember *ChatMember) UnmarshalJSON(data []byte) error { + var tmp struct { + MemberId json.RawMessage `json:"member_id"` + InviterUserId int64 `json:"inviter_user_id"` + JoinedChatDate int32 `json:"joined_chat_date"` + Status json.RawMessage `json:"status"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + chatMember.InviterUserId = tmp.InviterUserId + chatMember.JoinedChatDate = tmp.JoinedChatDate + + fieldMemberId, _ := UnmarshalMessageSender(tmp.MemberId) + chatMember.MemberId = fieldMemberId + + fieldStatus, _ := UnmarshalChatMemberStatus(tmp.Status) + chatMember.Status = fieldStatus + + return nil +} + +// Contains a list of chat members +type ChatMembers struct { + meta + // Approximate total number of chat members found + TotalCount int32 `json:"total_count"` + // A list of chat members + Members []*ChatMember `json:"members"` +} + +func (entity *ChatMembers) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatMembers + + return json.Marshal((*stub)(entity)) +} + +func (*ChatMembers) GetClass() string { + return ClassChatMembers +} + +func (*ChatMembers) GetType() string { + return TypeChatMembers +} + +// Returns contacts of the user +type ChatMembersFilterContacts struct{ + meta +} + +func (entity *ChatMembersFilterContacts) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatMembersFilterContacts + + return json.Marshal((*stub)(entity)) +} + +func (*ChatMembersFilterContacts) GetClass() string { + return ClassChatMembersFilter +} + +func (*ChatMembersFilterContacts) GetType() string { + return TypeChatMembersFilterContacts +} + +func (*ChatMembersFilterContacts) ChatMembersFilterType() string { + return TypeChatMembersFilterContacts +} + +// Returns the owner and administrators +type ChatMembersFilterAdministrators struct{ + meta +} + +func (entity *ChatMembersFilterAdministrators) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatMembersFilterAdministrators + + return json.Marshal((*stub)(entity)) +} + +func (*ChatMembersFilterAdministrators) GetClass() string { + return ClassChatMembersFilter +} + +func (*ChatMembersFilterAdministrators) GetType() string { + return TypeChatMembersFilterAdministrators +} + +func (*ChatMembersFilterAdministrators) ChatMembersFilterType() string { + return TypeChatMembersFilterAdministrators +} + +// Returns all chat members, including restricted chat members +type ChatMembersFilterMembers struct{ + meta +} + +func (entity *ChatMembersFilterMembers) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatMembersFilterMembers + + return json.Marshal((*stub)(entity)) +} + +func (*ChatMembersFilterMembers) GetClass() string { + return ClassChatMembersFilter +} + +func (*ChatMembersFilterMembers) GetType() string { + return TypeChatMembersFilterMembers +} + +func (*ChatMembersFilterMembers) ChatMembersFilterType() string { + return TypeChatMembersFilterMembers +} + +// Returns users which can be mentioned in the chat +type ChatMembersFilterMention struct { + meta + // Identifier of the topic in which the users will be mentioned; pass null if none + TopicId MessageTopic `json:"topic_id"` +} + +func (entity *ChatMembersFilterMention) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatMembersFilterMention + + return json.Marshal((*stub)(entity)) +} + +func (*ChatMembersFilterMention) GetClass() string { + return ClassChatMembersFilter +} + +func (*ChatMembersFilterMention) GetType() string { + return TypeChatMembersFilterMention +} + +func (*ChatMembersFilterMention) ChatMembersFilterType() string { + return TypeChatMembersFilterMention +} + +func (chatMembersFilterMention *ChatMembersFilterMention) UnmarshalJSON(data []byte) error { + var tmp struct { + TopicId json.RawMessage `json:"topic_id"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldTopicId, _ := UnmarshalMessageTopic(tmp.TopicId) + chatMembersFilterMention.TopicId = fieldTopicId + + return nil +} + +// Returns users under certain restrictions in the chat; can be used only by administrators in a supergroup +type ChatMembersFilterRestricted struct{ + meta +} + +func (entity *ChatMembersFilterRestricted) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatMembersFilterRestricted + + return json.Marshal((*stub)(entity)) +} + +func (*ChatMembersFilterRestricted) GetClass() string { + return ClassChatMembersFilter +} + +func (*ChatMembersFilterRestricted) GetType() string { + return TypeChatMembersFilterRestricted +} + +func (*ChatMembersFilterRestricted) ChatMembersFilterType() string { + return TypeChatMembersFilterRestricted +} + +// Returns users banned from the chat; can be used only by administrators in a supergroup or in a channel +type ChatMembersFilterBanned struct{ + meta +} + +func (entity *ChatMembersFilterBanned) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatMembersFilterBanned + + return json.Marshal((*stub)(entity)) +} + +func (*ChatMembersFilterBanned) GetClass() string { + return ClassChatMembersFilter +} + +func (*ChatMembersFilterBanned) GetType() string { + return TypeChatMembersFilterBanned +} + +func (*ChatMembersFilterBanned) ChatMembersFilterType() string { + return TypeChatMembersFilterBanned +} + +// Returns bot members of the chat +type ChatMembersFilterBots struct{ + meta +} + +func (entity *ChatMembersFilterBots) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatMembersFilterBots + + return json.Marshal((*stub)(entity)) +} + +func (*ChatMembersFilterBots) GetClass() string { + return ClassChatMembersFilter +} + +func (*ChatMembersFilterBots) GetType() string { + return TypeChatMembersFilterBots +} + +func (*ChatMembersFilterBots) ChatMembersFilterType() string { + return TypeChatMembersFilterBots +} + +// Returns recently active users in reverse chronological order +type SupergroupMembersFilterRecent struct{ + meta +} + +func (entity *SupergroupMembersFilterRecent) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SupergroupMembersFilterRecent + + return json.Marshal((*stub)(entity)) +} + +func (*SupergroupMembersFilterRecent) GetClass() string { + return ClassSupergroupMembersFilter +} + +func (*SupergroupMembersFilterRecent) GetType() string { + return TypeSupergroupMembersFilterRecent +} + +func (*SupergroupMembersFilterRecent) SupergroupMembersFilterType() string { + return TypeSupergroupMembersFilterRecent +} + +// Returns contacts of the user, which are members of the supergroup or channel +type SupergroupMembersFilterContacts struct { + meta + // Query to search for + Query string `json:"query"` +} + +func (entity *SupergroupMembersFilterContacts) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SupergroupMembersFilterContacts + + return json.Marshal((*stub)(entity)) +} + +func (*SupergroupMembersFilterContacts) GetClass() string { + return ClassSupergroupMembersFilter +} + +func (*SupergroupMembersFilterContacts) GetType() string { + return TypeSupergroupMembersFilterContacts +} + +func (*SupergroupMembersFilterContacts) SupergroupMembersFilterType() string { + return TypeSupergroupMembersFilterContacts +} + +// Returns the owner and administrators +type SupergroupMembersFilterAdministrators struct{ + meta +} + +func (entity *SupergroupMembersFilterAdministrators) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SupergroupMembersFilterAdministrators + + return json.Marshal((*stub)(entity)) +} + +func (*SupergroupMembersFilterAdministrators) GetClass() string { + return ClassSupergroupMembersFilter +} + +func (*SupergroupMembersFilterAdministrators) GetType() string { + return TypeSupergroupMembersFilterAdministrators +} + +func (*SupergroupMembersFilterAdministrators) SupergroupMembersFilterType() string { + return TypeSupergroupMembersFilterAdministrators +} + +// Used to search for supergroup or channel members via a (string) query +type SupergroupMembersFilterSearch struct { + meta + // Query to search for + Query string `json:"query"` +} + +func (entity *SupergroupMembersFilterSearch) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SupergroupMembersFilterSearch + + return json.Marshal((*stub)(entity)) +} + +func (*SupergroupMembersFilterSearch) GetClass() string { + return ClassSupergroupMembersFilter +} + +func (*SupergroupMembersFilterSearch) GetType() string { + return TypeSupergroupMembersFilterSearch +} + +func (*SupergroupMembersFilterSearch) SupergroupMembersFilterType() string { + return TypeSupergroupMembersFilterSearch +} + +// Returns restricted supergroup members; can be used only by administrators +type SupergroupMembersFilterRestricted struct { + meta + // Query to search for + Query string `json:"query"` +} + +func (entity *SupergroupMembersFilterRestricted) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SupergroupMembersFilterRestricted + + return json.Marshal((*stub)(entity)) +} + +func (*SupergroupMembersFilterRestricted) GetClass() string { + return ClassSupergroupMembersFilter +} + +func (*SupergroupMembersFilterRestricted) GetType() string { + return TypeSupergroupMembersFilterRestricted +} + +func (*SupergroupMembersFilterRestricted) SupergroupMembersFilterType() string { + return TypeSupergroupMembersFilterRestricted +} + +// Returns users banned from the supergroup or channel; can be used only by administrators +type SupergroupMembersFilterBanned struct { + meta + // Query to search for + Query string `json:"query"` +} + +func (entity *SupergroupMembersFilterBanned) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SupergroupMembersFilterBanned + + return json.Marshal((*stub)(entity)) +} + +func (*SupergroupMembersFilterBanned) GetClass() string { + return ClassSupergroupMembersFilter +} + +func (*SupergroupMembersFilterBanned) GetType() string { + return TypeSupergroupMembersFilterBanned +} + +func (*SupergroupMembersFilterBanned) SupergroupMembersFilterType() string { + return TypeSupergroupMembersFilterBanned +} + +// Returns users which can be mentioned in the supergroup +type SupergroupMembersFilterMention struct { + meta + // Query to search for + Query string `json:"query"` + // Identifier of the topic in which the users will be mentioned; pass null if none + TopicId MessageTopic `json:"topic_id"` +} + +func (entity *SupergroupMembersFilterMention) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SupergroupMembersFilterMention + + return json.Marshal((*stub)(entity)) +} + +func (*SupergroupMembersFilterMention) GetClass() string { + return ClassSupergroupMembersFilter +} + +func (*SupergroupMembersFilterMention) GetType() string { + return TypeSupergroupMembersFilterMention +} + +func (*SupergroupMembersFilterMention) SupergroupMembersFilterType() string { + return TypeSupergroupMembersFilterMention +} + +func (supergroupMembersFilterMention *SupergroupMembersFilterMention) UnmarshalJSON(data []byte) error { + var tmp struct { + Query string `json:"query"` + TopicId json.RawMessage `json:"topic_id"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + supergroupMembersFilterMention.Query = tmp.Query + + fieldTopicId, _ := UnmarshalMessageTopic(tmp.TopicId) + supergroupMembersFilterMention.TopicId = fieldTopicId + + return nil +} + +// Returns bot members of the supergroup or channel +type SupergroupMembersFilterBots struct{ + meta +} + +func (entity *SupergroupMembersFilterBots) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SupergroupMembersFilterBots + + return json.Marshal((*stub)(entity)) +} + +func (*SupergroupMembersFilterBots) GetClass() string { + return ClassSupergroupMembersFilter +} + +func (*SupergroupMembersFilterBots) GetType() string { + return TypeSupergroupMembersFilterBots +} + +func (*SupergroupMembersFilterBots) SupergroupMembersFilterType() string { + return TypeSupergroupMembersFilterBots +} + +// Contains a chat invite link +type ChatInviteLink struct { + meta + // Chat invite link + InviteLink string `json:"invite_link"` + // Name of the link + Name string `json:"name"` + // User identifier of an administrator created the link + CreatorUserId int64 `json:"creator_user_id"` + // Point in time (Unix timestamp) when the link was created + Date int32 `json:"date"` + // Point in time (Unix timestamp) when the link was last edited; 0 if never or unknown + EditDate int32 `json:"edit_date"` + // Point in time (Unix timestamp) when the link will expire; 0 if never + ExpirationDate int32 `json:"expiration_date"` + // Information about subscription plan that is applied to the users joining the chat by the link; may be null if the link doesn't require subscription + SubscriptionPricing *StarSubscriptionPricing `json:"subscription_pricing"` + // The maximum number of members, which can join the chat using the link simultaneously; 0 if not limited. Always 0 if the link requires approval + MemberLimit int32 `json:"member_limit"` + // Number of chat members, which joined the chat using the link + MemberCount int32 `json:"member_count"` + // Number of chat members, which joined the chat using the link, but have already left because of expired subscription; for subscription links only + ExpiredMemberCount int32 `json:"expired_member_count"` + // Number of pending join requests created using this link + PendingJoinRequestCount int32 `json:"pending_join_request_count"` + // True, if the link only creates join request. If true, total number of joining members will be unlimited + CreatesJoinRequest bool `json:"creates_join_request"` + // True, if the link is primary. Primary invite link can't have name, expiration date, or usage limit. There is exactly one primary invite link for each administrator with can_invite_users right at a given time + IsPrimary bool `json:"is_primary"` + // True, if the link was revoked + IsRevoked bool `json:"is_revoked"` +} + +func (entity *ChatInviteLink) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatInviteLink + + return json.Marshal((*stub)(entity)) +} + +func (*ChatInviteLink) GetClass() string { + return ClassChatInviteLink +} + +func (*ChatInviteLink) GetType() string { + return TypeChatInviteLink +} + +// Contains a list of chat invite links +type ChatInviteLinks struct { + meta + // Approximate total number of chat invite links found + TotalCount int32 `json:"total_count"` + // List of invite links + InviteLinks []*ChatInviteLink `json:"invite_links"` +} + +func (entity *ChatInviteLinks) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatInviteLinks + + return json.Marshal((*stub)(entity)) +} + +func (*ChatInviteLinks) GetClass() string { + return ClassChatInviteLinks +} + +func (*ChatInviteLinks) GetType() string { + return TypeChatInviteLinks +} + +// Describes a chat administrator with a number of active and revoked chat invite links +type ChatInviteLinkCount struct { + meta + // Administrator's user identifier + UserId int64 `json:"user_id"` + // Number of active invite links + InviteLinkCount int32 `json:"invite_link_count"` + // Number of revoked invite links + RevokedInviteLinkCount int32 `json:"revoked_invite_link_count"` +} + +func (entity *ChatInviteLinkCount) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatInviteLinkCount + + return json.Marshal((*stub)(entity)) +} + +func (*ChatInviteLinkCount) GetClass() string { + return ClassChatInviteLinkCount +} + +func (*ChatInviteLinkCount) GetType() string { + return TypeChatInviteLinkCount +} + +// Contains a list of chat invite link counts +type ChatInviteLinkCounts struct { + meta + // List of invite link counts + InviteLinkCounts []*ChatInviteLinkCount `json:"invite_link_counts"` +} + +func (entity *ChatInviteLinkCounts) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatInviteLinkCounts + + return json.Marshal((*stub)(entity)) +} + +func (*ChatInviteLinkCounts) GetClass() string { + return ClassChatInviteLinkCounts +} + +func (*ChatInviteLinkCounts) GetType() string { + return TypeChatInviteLinkCounts +} + +// Describes a chat member joined a chat via an invite link +type ChatInviteLinkMember struct { + meta + // User identifier + UserId int64 `json:"user_id"` + // Point in time (Unix timestamp) when the user joined the chat + JoinedChatDate int32 `json:"joined_chat_date"` + // True, if the user has joined the chat using an invite link for a chat folder + ViaChatFolderInviteLink bool `json:"via_chat_folder_invite_link"` + // User identifier of the chat administrator, approved user join request + ApproverUserId int64 `json:"approver_user_id"` +} + +func (entity *ChatInviteLinkMember) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatInviteLinkMember + + return json.Marshal((*stub)(entity)) +} + +func (*ChatInviteLinkMember) GetClass() string { + return ClassChatInviteLinkMember +} + +func (*ChatInviteLinkMember) GetType() string { + return TypeChatInviteLinkMember +} + +// Contains a list of chat members joined a chat via an invite link +type ChatInviteLinkMembers struct { + meta + // Approximate total number of chat members found + TotalCount int32 `json:"total_count"` + // List of chat members, joined a chat via an invite link + Members []*ChatInviteLinkMember `json:"members"` +} + +func (entity *ChatInviteLinkMembers) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatInviteLinkMembers + + return json.Marshal((*stub)(entity)) +} + +func (*ChatInviteLinkMembers) GetClass() string { + return ClassChatInviteLinkMembers +} + +func (*ChatInviteLinkMembers) GetType() string { + return TypeChatInviteLinkMembers +} + +// The link is an invite link for a basic group +type InviteLinkChatTypeBasicGroup struct{ + meta +} + +func (entity *InviteLinkChatTypeBasicGroup) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InviteLinkChatTypeBasicGroup + + return json.Marshal((*stub)(entity)) +} + +func (*InviteLinkChatTypeBasicGroup) GetClass() string { + return ClassInviteLinkChatType +} + +func (*InviteLinkChatTypeBasicGroup) GetType() string { + return TypeInviteLinkChatTypeBasicGroup +} + +func (*InviteLinkChatTypeBasicGroup) InviteLinkChatTypeType() string { + return TypeInviteLinkChatTypeBasicGroup +} + +// The link is an invite link for a supergroup +type InviteLinkChatTypeSupergroup struct{ + meta +} + +func (entity *InviteLinkChatTypeSupergroup) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InviteLinkChatTypeSupergroup + + return json.Marshal((*stub)(entity)) +} + +func (*InviteLinkChatTypeSupergroup) GetClass() string { + return ClassInviteLinkChatType +} + +func (*InviteLinkChatTypeSupergroup) GetType() string { + return TypeInviteLinkChatTypeSupergroup +} + +func (*InviteLinkChatTypeSupergroup) InviteLinkChatTypeType() string { + return TypeInviteLinkChatTypeSupergroup +} + +// The link is an invite link for a channel +type InviteLinkChatTypeChannel struct{ + meta +} + +func (entity *InviteLinkChatTypeChannel) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InviteLinkChatTypeChannel + + return json.Marshal((*stub)(entity)) +} + +func (*InviteLinkChatTypeChannel) GetClass() string { + return ClassInviteLinkChatType +} + +func (*InviteLinkChatTypeChannel) GetType() string { + return TypeInviteLinkChatTypeChannel +} + +func (*InviteLinkChatTypeChannel) InviteLinkChatTypeType() string { + return TypeInviteLinkChatTypeChannel +} + +// Contains information about subscription plan that must be paid by the user to use a chat invite link +type ChatInviteLinkSubscriptionInfo struct { + meta + // Information about subscription plan that must be paid by the user to use the link + Pricing *StarSubscriptionPricing `json:"pricing"` + // True, if the user has already paid for the subscription and can use joinChatByInviteLink to join the subscribed chat again + CanReuse bool `json:"can_reuse"` + // Identifier of the payment form to use for subscription payment; 0 if the subscription can't be paid + FormId JsonInt64 `json:"form_id"` +} + +func (entity *ChatInviteLinkSubscriptionInfo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatInviteLinkSubscriptionInfo + + return json.Marshal((*stub)(entity)) +} + +func (*ChatInviteLinkSubscriptionInfo) GetClass() string { + return ClassChatInviteLinkSubscriptionInfo +} + +func (*ChatInviteLinkSubscriptionInfo) GetType() string { + return TypeChatInviteLinkSubscriptionInfo +} + +// Contains information about a chat invite link +type ChatInviteLinkInfo struct { + meta + // Chat identifier of the invite link; 0 if the user has no access to the chat before joining + ChatId int64 `json:"chat_id"` + // If non-zero, the amount of time for which read access to the chat will remain available, in seconds + AccessibleFor int32 `json:"accessible_for"` + // Type of the chat + Type InviteLinkChatType `json:"type"` + // Title of the chat + Title string `json:"title"` + // Chat photo; may be null + Photo *ChatPhotoInfo `json:"photo"` + // Identifier of the accent color for chat title and background of chat photo + AccentColorId int32 `json:"accent_color_id"` + // Chat description + Description string `json:"description"` + // Number of members in the chat + MemberCount int32 `json:"member_count"` + // User identifiers of some chat members that may be known to the current user + MemberUserIds []int64 `json:"member_user_ids"` + // Information about subscription plan that must be paid by the user to use the link; may be null if the link doesn't require subscription + SubscriptionInfo *ChatInviteLinkSubscriptionInfo `json:"subscription_info"` + // True, if the link only creates join request + CreatesJoinRequest bool `json:"creates_join_request"` + // True, if the chat is a public supergroup or channel, i.e. it has a username or it is a location-based supergroup + IsPublic bool `json:"is_public"` + // Information about verification status of the chat; may be null if none + VerificationStatus *VerificationStatus `json:"verification_status"` +} + +func (entity *ChatInviteLinkInfo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatInviteLinkInfo + + return json.Marshal((*stub)(entity)) +} + +func (*ChatInviteLinkInfo) GetClass() string { + return ClassChatInviteLinkInfo +} + +func (*ChatInviteLinkInfo) GetType() string { + return TypeChatInviteLinkInfo +} + +func (chatInviteLinkInfo *ChatInviteLinkInfo) UnmarshalJSON(data []byte) error { + var tmp struct { + ChatId int64 `json:"chat_id"` + AccessibleFor int32 `json:"accessible_for"` + Type json.RawMessage `json:"type"` + Title string `json:"title"` + Photo *ChatPhotoInfo `json:"photo"` + AccentColorId int32 `json:"accent_color_id"` + Description string `json:"description"` + MemberCount int32 `json:"member_count"` + MemberUserIds []int64 `json:"member_user_ids"` + SubscriptionInfo *ChatInviteLinkSubscriptionInfo `json:"subscription_info"` + CreatesJoinRequest bool `json:"creates_join_request"` + IsPublic bool `json:"is_public"` + VerificationStatus *VerificationStatus `json:"verification_status"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + chatInviteLinkInfo.ChatId = tmp.ChatId + chatInviteLinkInfo.AccessibleFor = tmp.AccessibleFor + chatInviteLinkInfo.Title = tmp.Title + chatInviteLinkInfo.Photo = tmp.Photo + chatInviteLinkInfo.AccentColorId = tmp.AccentColorId + chatInviteLinkInfo.Description = tmp.Description + chatInviteLinkInfo.MemberCount = tmp.MemberCount + chatInviteLinkInfo.MemberUserIds = tmp.MemberUserIds + chatInviteLinkInfo.SubscriptionInfo = tmp.SubscriptionInfo + chatInviteLinkInfo.CreatesJoinRequest = tmp.CreatesJoinRequest + chatInviteLinkInfo.IsPublic = tmp.IsPublic + chatInviteLinkInfo.VerificationStatus = tmp.VerificationStatus + + fieldType, _ := UnmarshalInviteLinkChatType(tmp.Type) + chatInviteLinkInfo.Type = fieldType + + return nil +} + +// Describes a user who sent a join request and waits for administrator approval +type ChatJoinRequest struct { + meta + // User identifier + UserId int64 `json:"user_id"` + // Point in time (Unix timestamp) when the user sent the join request + Date int32 `json:"date"` + // A short bio of the user + Bio string `json:"bio"` +} + +func (entity *ChatJoinRequest) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatJoinRequest + + return json.Marshal((*stub)(entity)) +} + +func (*ChatJoinRequest) GetClass() string { + return ClassChatJoinRequest +} + +func (*ChatJoinRequest) GetType() string { + return TypeChatJoinRequest +} + +// Contains a list of requests to join a chat +type ChatJoinRequests struct { + meta + // Approximate total number of requests found + TotalCount int32 `json:"total_count"` + // List of the requests + Requests []*ChatJoinRequest `json:"requests"` +} + +func (entity *ChatJoinRequests) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatJoinRequests + + return json.Marshal((*stub)(entity)) +} + +func (*ChatJoinRequests) GetClass() string { + return ClassChatJoinRequests +} + +func (*ChatJoinRequests) GetType() string { + return TypeChatJoinRequests +} + +// Contains information about pending join requests for a chat +type ChatJoinRequestsInfo struct { + meta + // Total number of pending join requests + TotalCount int32 `json:"total_count"` + // Identifiers of at most 3 users sent the newest pending join requests + UserIds []int64 `json:"user_ids"` +} + +func (entity *ChatJoinRequestsInfo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatJoinRequestsInfo + + return json.Marshal((*stub)(entity)) +} + +func (*ChatJoinRequestsInfo) GetClass() string { + return ClassChatJoinRequestsInfo +} + +func (*ChatJoinRequestsInfo) GetType() string { + return TypeChatJoinRequestsInfo +} + +// Represents a basic group of 0-200 users (must be upgraded to a supergroup to accommodate more than 200 users) +type BasicGroup struct { + meta + // Group identifier + Id int64 `json:"id"` + // Number of members in the group + MemberCount int32 `json:"member_count"` + // Status of the current user in the group + Status ChatMemberStatus `json:"status"` + // True, if the group is active + IsActive bool `json:"is_active"` + // Identifier of the supergroup to which this group was upgraded; 0 if none + UpgradedToSupergroupId int64 `json:"upgraded_to_supergroup_id"` +} + +func (entity *BasicGroup) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BasicGroup + + return json.Marshal((*stub)(entity)) +} + +func (*BasicGroup) GetClass() string { + return ClassBasicGroup +} + +func (*BasicGroup) GetType() string { + return TypeBasicGroup +} + +func (basicGroup *BasicGroup) UnmarshalJSON(data []byte) error { + var tmp struct { + Id int64 `json:"id"` + MemberCount int32 `json:"member_count"` + Status json.RawMessage `json:"status"` + IsActive bool `json:"is_active"` + UpgradedToSupergroupId int64 `json:"upgraded_to_supergroup_id"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + basicGroup.Id = tmp.Id + basicGroup.MemberCount = tmp.MemberCount + basicGroup.IsActive = tmp.IsActive + basicGroup.UpgradedToSupergroupId = tmp.UpgradedToSupergroupId + + fieldStatus, _ := UnmarshalChatMemberStatus(tmp.Status) + basicGroup.Status = fieldStatus + + return nil +} + +// Contains full information about a basic group +type BasicGroupFullInfo struct { + meta + // Chat photo; may be null if empty or unknown. If non-null, then it is the same photo as in chat.photo + Photo *ChatPhoto `json:"photo"` + // Group description. Updated only after the basic group is opened + Description string `json:"description"` + // User identifier of the creator of the group; 0 if unknown + CreatorUserId int64 `json:"creator_user_id"` + // Group members + Members []*ChatMember `json:"members"` + // True, if non-administrators and non-bots can be hidden in responses to getSupergroupMembers and searchChatMembers for non-administrators after upgrading the basic group to a supergroup + CanHideMembers bool `json:"can_hide_members"` + // True, if aggressive anti-spam checks can be enabled or disabled in the supergroup after upgrading the basic group to a supergroup + CanToggleAggressiveAntiSpam bool `json:"can_toggle_aggressive_anti_spam"` + // Primary invite link for this group; may be null. For chat administrators with can_invite_users right only. Updated only after the basic group is opened + InviteLink *ChatInviteLink `json:"invite_link"` + // List of commands of bots in the group + BotCommands []*BotCommands `json:"bot_commands"` +} + +func (entity *BasicGroupFullInfo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BasicGroupFullInfo + + return json.Marshal((*stub)(entity)) +} + +func (*BasicGroupFullInfo) GetClass() string { + return ClassBasicGroupFullInfo +} + +func (*BasicGroupFullInfo) GetType() string { + return TypeBasicGroupFullInfo +} + +// Represents a supergroup or channel with zero or more members (subscribers in the case of channels). From the point of view of the system, a channel is a special kind of a supergroup: only administrators can post and see the list of members, and posts from all administrators use the name and photo of the channel instead of individual names and profile photos. Unlike supergroups, channels can have an unlimited number of subscribers +type Supergroup struct { + meta + // Supergroup or channel identifier + Id int64 `json:"id"` + // Supergroup or channel access hash + AccessHash JsonInt64 `json:"access_hash"` + // Usernames of the supergroup or channel; may be null + Usernames *Usernames `json:"usernames"` + // Point in time (Unix timestamp) when the current user joined, or the point in time when the supergroup or channel was created, in case the user is not a member + Date int32 `json:"date"` + // Status of the current user in the supergroup or channel; custom title will always be empty + Status ChatMemberStatus `json:"status"` + // Number of members in the supergroup or channel; 0 if unknown. Currently, it is guaranteed to be known only if the supergroup or channel was received through getChatSimilarChats, getChatsToPostStories, getCreatedPublicChats, getGroupsInCommon, getInactiveSupergroupChats, getRecommendedChats, getSuitableDiscussionChats, getUserPrivacySettingRules, getVideoChatAvailableParticipants, searchPublicChats, or in chatFolderInviteLinkInfo.missing_chat_ids, or in userFullInfo.personal_chat_id, or for chats with messages or stories from publicForwards and foundStories + MemberCount int32 `json:"member_count"` + // Approximate boost level for the chat + BoostLevel int32 `json:"boost_level"` + // True, if automatic translation of messages is enabled in the channel + HasAutomaticTranslation bool `json:"has_automatic_translation"` + // True, if the channel has a discussion group, or the supergroup is the designated discussion group for a channel + HasLinkedChat bool `json:"has_linked_chat"` + // True, if the supergroup is connected to a location, i.e. the supergroup is a location-based supergroup + HasLocation bool `json:"has_location"` + // True, if messages sent to the channel contains name of the sender. This field is only applicable to channels + SignMessages bool `json:"sign_messages"` + // True, if messages sent to the channel have information about the sender user. This field is only applicable to channels + ShowMessageSender bool `json:"show_message_sender"` + // True, if users need to join the supergroup before they can send messages. May be false only for discussion supergroups and channel direct messages groups + JoinToSendMessages bool `json:"join_to_send_messages"` + // True, if all users directly joining the supergroup need to be approved by supergroup administrators. May be true only for non-broadcast supergroups with username, location, or a linked chat + JoinByRequest bool `json:"join_by_request"` + // True, if the slow mode is enabled in the supergroup + IsSlowModeEnabled bool `json:"is_slow_mode_enabled"` + // True, if the supergroup is a channel + IsChannel bool `json:"is_channel"` + // True, if the supergroup is a broadcast group, i.e. only administrators can send messages and there is no limit on the number of members + IsBroadcastGroup bool `json:"is_broadcast_group"` + // True, if the supergroup is a forum with topics + IsForum bool `json:"is_forum"` + // True, if the supergroup is a direct message group for a channel chat + IsDirectMessagesGroup bool `json:"is_direct_messages_group"` + // True, if the supergroup is a direct messages group for a channel chat that is administered by the current user + IsAdministeredDirectMessagesGroup bool `json:"is_administered_direct_messages_group"` + // Information about verification status of the supergroup or channel; may be null if none + VerificationStatus *VerificationStatus `json:"verification_status"` + // True, if the channel has direct messages group + HasDirectMessagesGroup bool `json:"has_direct_messages_group"` + // True, if the supergroup is a forum, which topics are shown in the same way as in channel direct messages groups + HasForumTabs bool `json:"has_forum_tabs"` + // Information about the restrictions that must be applied to the corresponding supergroup or channel chat; may be null if none + RestrictionInfo *RestrictionInfo `json:"restriction_info"` + // Number of Telegram Stars that must be paid by non-administrator users of the supergroup chat for each sent message + PaidMessageStarCount int64 `json:"paid_message_star_count"` + // State of active stories of the supergroup or channel; may be null if there are no active stories + ActiveStoryState ActiveStoryState `json:"active_story_state"` +} + +func (entity *Supergroup) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub Supergroup + + return json.Marshal((*stub)(entity)) +} + +func (*Supergroup) GetClass() string { + return ClassSupergroup +} + +func (*Supergroup) GetType() string { + return TypeSupergroup +} + +func (supergroup *Supergroup) UnmarshalJSON(data []byte) error { + var tmp struct { + Id int64 `json:"id"` + AccessHash JsonInt64 `json:"access_hash"` + Usernames *Usernames `json:"usernames"` + Date int32 `json:"date"` + Status json.RawMessage `json:"status"` + MemberCount int32 `json:"member_count"` + BoostLevel int32 `json:"boost_level"` + HasAutomaticTranslation bool `json:"has_automatic_translation"` + HasLinkedChat bool `json:"has_linked_chat"` + HasLocation bool `json:"has_location"` + SignMessages bool `json:"sign_messages"` + ShowMessageSender bool `json:"show_message_sender"` + JoinToSendMessages bool `json:"join_to_send_messages"` + JoinByRequest bool `json:"join_by_request"` + IsSlowModeEnabled bool `json:"is_slow_mode_enabled"` + IsChannel bool `json:"is_channel"` + IsBroadcastGroup bool `json:"is_broadcast_group"` + IsForum bool `json:"is_forum"` + IsDirectMessagesGroup bool `json:"is_direct_messages_group"` + IsAdministeredDirectMessagesGroup bool `json:"is_administered_direct_messages_group"` + VerificationStatus *VerificationStatus `json:"verification_status"` + HasDirectMessagesGroup bool `json:"has_direct_messages_group"` + HasForumTabs bool `json:"has_forum_tabs"` + RestrictionInfo *RestrictionInfo `json:"restriction_info"` + PaidMessageStarCount int64 `json:"paid_message_star_count"` + ActiveStoryState json.RawMessage `json:"active_story_state"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + supergroup.Id = tmp.Id + supergroup.AccessHash = tmp.AccessHash + supergroup.Usernames = tmp.Usernames + supergroup.Date = tmp.Date + supergroup.MemberCount = tmp.MemberCount + supergroup.BoostLevel = tmp.BoostLevel + supergroup.HasAutomaticTranslation = tmp.HasAutomaticTranslation + supergroup.HasLinkedChat = tmp.HasLinkedChat + supergroup.HasLocation = tmp.HasLocation + supergroup.SignMessages = tmp.SignMessages + supergroup.ShowMessageSender = tmp.ShowMessageSender + supergroup.JoinToSendMessages = tmp.JoinToSendMessages + supergroup.JoinByRequest = tmp.JoinByRequest + supergroup.IsSlowModeEnabled = tmp.IsSlowModeEnabled + supergroup.IsChannel = tmp.IsChannel + supergroup.IsBroadcastGroup = tmp.IsBroadcastGroup + supergroup.IsForum = tmp.IsForum + supergroup.IsDirectMessagesGroup = tmp.IsDirectMessagesGroup + supergroup.IsAdministeredDirectMessagesGroup = tmp.IsAdministeredDirectMessagesGroup + supergroup.VerificationStatus = tmp.VerificationStatus + supergroup.HasDirectMessagesGroup = tmp.HasDirectMessagesGroup + supergroup.HasForumTabs = tmp.HasForumTabs + supergroup.RestrictionInfo = tmp.RestrictionInfo + supergroup.PaidMessageStarCount = tmp.PaidMessageStarCount + + fieldStatus, _ := UnmarshalChatMemberStatus(tmp.Status) + supergroup.Status = fieldStatus + + fieldActiveStoryState, _ := UnmarshalActiveStoryState(tmp.ActiveStoryState) + supergroup.ActiveStoryState = fieldActiveStoryState + + return nil +} + +// Contains full information about a supergroup or channel +type SupergroupFullInfo struct { + meta + // Chat photo; may be null if empty or unknown. If non-null, then it is the same photo as in chat.photo + Photo *ChatPhoto `json:"photo"` + // Supergroup or channel description + Description string `json:"description"` + // Number of members in the supergroup or channel; 0 if unknown + MemberCount int32 `json:"member_count"` + // Number of privileged users in the supergroup or channel; 0 if unknown + AdministratorCount int32 `json:"administrator_count"` + // Number of restricted users in the supergroup; 0 if unknown + RestrictedCount int32 `json:"restricted_count"` + // Number of users banned from chat; 0 if unknown + BannedCount int32 `json:"banned_count"` + // Chat identifier of a discussion group for the channel, or a channel, for which the supergroup is the designated discussion group; 0 if none or unknown + LinkedChatId int64 `json:"linked_chat_id"` + // Chat identifier of a direct messages group for the channel, or a channel, for which the supergroup is the designated direct messages group; 0 if none + DirectMessagesChatId int64 `json:"direct_messages_chat_id"` + // Delay between consecutive sent messages for non-administrator supergroup members, in seconds + SlowModeDelay int32 `json:"slow_mode_delay"` + // Time left before next message can be sent in the supergroup, in seconds. An updateSupergroupFullInfo update is not triggered when value of this field changes, but both new and old values are non-zero + SlowModeDelayExpiresIn float64 `json:"slow_mode_delay_expires_in"` + // True, if paid messages can be enabled in the supergroup chat; for supergroup only + CanEnablePaidMessages bool `json:"can_enable_paid_messages"` + // True, if paid reaction can be enabled in the channel chat; for channels only + CanEnablePaidReaction bool `json:"can_enable_paid_reaction"` + // True, if members of the chat can be retrieved via getSupergroupMembers or searchChatMembers + CanGetMembers bool `json:"can_get_members"` + // True, if non-administrators can receive only administrators and bots using getSupergroupMembers or searchChatMembers + HasHiddenMembers bool `json:"has_hidden_members"` + // True, if non-administrators and non-bots can be hidden in responses to getSupergroupMembers and searchChatMembers for non-administrators + CanHideMembers bool `json:"can_hide_members"` + // True, if the supergroup sticker set can be changed + CanSetStickerSet bool `json:"can_set_sticker_set"` + // True, if the supergroup location can be changed + CanSetLocation bool `json:"can_set_location"` + // True, if the supergroup or channel statistics are available + CanGetStatistics bool `json:"can_get_statistics"` + // True, if the supergroup or channel revenue statistics are available + CanGetRevenueStatistics bool `json:"can_get_revenue_statistics"` + // True, if the supergroup or channel Telegram Star revenue statistics are available + CanGetStarRevenueStatistics bool `json:"can_get_star_revenue_statistics"` + // True, if the user can send a gift to the supergroup or channel using sendGift or transferGift + CanSendGift bool `json:"can_send_gift"` + // True, if aggressive anti-spam checks can be enabled or disabled in the supergroup + CanToggleAggressiveAntiSpam bool `json:"can_toggle_aggressive_anti_spam"` + // True, if new chat members will have access to old messages. In public, discussion, of forum groups and all channels, old messages are always available, so this option affects only private non-forum supergroups without a linked chat. The value of this field is only available to chat administrators + IsAllHistoryAvailable bool `json:"is_all_history_available"` + // True, if the chat can have sponsored messages. The value of this field is only available to the owner of the chat + CanHaveSponsoredMessages bool `json:"can_have_sponsored_messages"` + // True, if aggressive anti-spam checks are enabled in the supergroup. The value of this field is only available to chat administrators + HasAggressiveAntiSpamEnabled bool `json:"has_aggressive_anti_spam_enabled"` + // True, if paid media can be sent and forwarded to the channel chat; for channels only + HasPaidMediaAllowed bool `json:"has_paid_media_allowed"` + // True, if the supergroup or channel has pinned stories + HasPinnedStories bool `json:"has_pinned_stories"` + // Number of saved to profile gifts for channels without can_post_messages administrator right, otherwise, the total number of received gifts + GiftCount int32 `json:"gift_count"` + // Number of times the current user boosted the supergroup or channel + MyBoostCount int32 `json:"my_boost_count"` + // Number of times the supergroup must be boosted by a user to ignore slow mode and chat permission restrictions; 0 if unspecified + UnrestrictBoostCount int32 `json:"unrestrict_boost_count"` + // Number of Telegram Stars that must be paid by the current user for each sent message to the supergroup + OutgoingPaidMessageStarCount int64 `json:"outgoing_paid_message_star_count"` + // Identifier of the supergroup sticker set that must be shown before user sticker sets; 0 if none + StickerSetId JsonInt64 `json:"sticker_set_id"` + // Identifier of the custom emoji sticker set that can be used in the supergroup without Telegram Premium subscription; 0 if none + CustomEmojiStickerSetId JsonInt64 `json:"custom_emoji_sticker_set_id"` + // Location to which the supergroup is connected; may be null if none + Location *ChatLocation `json:"location"` + // Primary invite link for the chat; may be null. For chat administrators with can_invite_users right only + InviteLink *ChatInviteLink `json:"invite_link"` + // List of commands of bots in the group + BotCommands []*BotCommands `json:"bot_commands"` + // Information about verification status of the supergroup or the channel provided by a bot; may be null if none or unknown + BotVerification *BotVerification `json:"bot_verification"` + // The main tab chosen by the administrators of the channel; may be null if not chosen manually + MainProfileTab ProfileTab `json:"main_profile_tab"` + // Identifier of the basic group from which supergroup was upgraded; 0 if none + UpgradedFromBasicGroupId int64 `json:"upgraded_from_basic_group_id"` + // Identifier of the last message in the basic group from which supergroup was upgraded; 0 if none + UpgradedFromMaxMessageId int64 `json:"upgraded_from_max_message_id"` +} + +func (entity *SupergroupFullInfo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SupergroupFullInfo + + return json.Marshal((*stub)(entity)) +} + +func (*SupergroupFullInfo) GetClass() string { + return ClassSupergroupFullInfo +} + +func (*SupergroupFullInfo) GetType() string { + return TypeSupergroupFullInfo +} + +func (supergroupFullInfo *SupergroupFullInfo) UnmarshalJSON(data []byte) error { + var tmp struct { + Photo *ChatPhoto `json:"photo"` + Description string `json:"description"` + MemberCount int32 `json:"member_count"` + AdministratorCount int32 `json:"administrator_count"` + RestrictedCount int32 `json:"restricted_count"` + BannedCount int32 `json:"banned_count"` + LinkedChatId int64 `json:"linked_chat_id"` + DirectMessagesChatId int64 `json:"direct_messages_chat_id"` + SlowModeDelay int32 `json:"slow_mode_delay"` + SlowModeDelayExpiresIn float64 `json:"slow_mode_delay_expires_in"` + CanEnablePaidMessages bool `json:"can_enable_paid_messages"` + CanEnablePaidReaction bool `json:"can_enable_paid_reaction"` + CanGetMembers bool `json:"can_get_members"` + HasHiddenMembers bool `json:"has_hidden_members"` + CanHideMembers bool `json:"can_hide_members"` + CanSetStickerSet bool `json:"can_set_sticker_set"` + CanSetLocation bool `json:"can_set_location"` + CanGetStatistics bool `json:"can_get_statistics"` + CanGetRevenueStatistics bool `json:"can_get_revenue_statistics"` + CanGetStarRevenueStatistics bool `json:"can_get_star_revenue_statistics"` + CanSendGift bool `json:"can_send_gift"` + CanToggleAggressiveAntiSpam bool `json:"can_toggle_aggressive_anti_spam"` + IsAllHistoryAvailable bool `json:"is_all_history_available"` + CanHaveSponsoredMessages bool `json:"can_have_sponsored_messages"` + HasAggressiveAntiSpamEnabled bool `json:"has_aggressive_anti_spam_enabled"` + HasPaidMediaAllowed bool `json:"has_paid_media_allowed"` + HasPinnedStories bool `json:"has_pinned_stories"` + GiftCount int32 `json:"gift_count"` + MyBoostCount int32 `json:"my_boost_count"` + UnrestrictBoostCount int32 `json:"unrestrict_boost_count"` + OutgoingPaidMessageStarCount int64 `json:"outgoing_paid_message_star_count"` + StickerSetId JsonInt64 `json:"sticker_set_id"` + CustomEmojiStickerSetId JsonInt64 `json:"custom_emoji_sticker_set_id"` + Location *ChatLocation `json:"location"` + InviteLink *ChatInviteLink `json:"invite_link"` + BotCommands []*BotCommands `json:"bot_commands"` + BotVerification *BotVerification `json:"bot_verification"` + MainProfileTab json.RawMessage `json:"main_profile_tab"` + UpgradedFromBasicGroupId int64 `json:"upgraded_from_basic_group_id"` + UpgradedFromMaxMessageId int64 `json:"upgraded_from_max_message_id"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + supergroupFullInfo.Photo = tmp.Photo + supergroupFullInfo.Description = tmp.Description + supergroupFullInfo.MemberCount = tmp.MemberCount + supergroupFullInfo.AdministratorCount = tmp.AdministratorCount + supergroupFullInfo.RestrictedCount = tmp.RestrictedCount + supergroupFullInfo.BannedCount = tmp.BannedCount + supergroupFullInfo.LinkedChatId = tmp.LinkedChatId + supergroupFullInfo.DirectMessagesChatId = tmp.DirectMessagesChatId + supergroupFullInfo.SlowModeDelay = tmp.SlowModeDelay + supergroupFullInfo.SlowModeDelayExpiresIn = tmp.SlowModeDelayExpiresIn + supergroupFullInfo.CanEnablePaidMessages = tmp.CanEnablePaidMessages + supergroupFullInfo.CanEnablePaidReaction = tmp.CanEnablePaidReaction + supergroupFullInfo.CanGetMembers = tmp.CanGetMembers + supergroupFullInfo.HasHiddenMembers = tmp.HasHiddenMembers + supergroupFullInfo.CanHideMembers = tmp.CanHideMembers + supergroupFullInfo.CanSetStickerSet = tmp.CanSetStickerSet + supergroupFullInfo.CanSetLocation = tmp.CanSetLocation + supergroupFullInfo.CanGetStatistics = tmp.CanGetStatistics + supergroupFullInfo.CanGetRevenueStatistics = tmp.CanGetRevenueStatistics + supergroupFullInfo.CanGetStarRevenueStatistics = tmp.CanGetStarRevenueStatistics + supergroupFullInfo.CanSendGift = tmp.CanSendGift + supergroupFullInfo.CanToggleAggressiveAntiSpam = tmp.CanToggleAggressiveAntiSpam + supergroupFullInfo.IsAllHistoryAvailable = tmp.IsAllHistoryAvailable + supergroupFullInfo.CanHaveSponsoredMessages = tmp.CanHaveSponsoredMessages + supergroupFullInfo.HasAggressiveAntiSpamEnabled = tmp.HasAggressiveAntiSpamEnabled + supergroupFullInfo.HasPaidMediaAllowed = tmp.HasPaidMediaAllowed + supergroupFullInfo.HasPinnedStories = tmp.HasPinnedStories + supergroupFullInfo.GiftCount = tmp.GiftCount + supergroupFullInfo.MyBoostCount = tmp.MyBoostCount + supergroupFullInfo.UnrestrictBoostCount = tmp.UnrestrictBoostCount + supergroupFullInfo.OutgoingPaidMessageStarCount = tmp.OutgoingPaidMessageStarCount + supergroupFullInfo.StickerSetId = tmp.StickerSetId + supergroupFullInfo.CustomEmojiStickerSetId = tmp.CustomEmojiStickerSetId + supergroupFullInfo.Location = tmp.Location + supergroupFullInfo.InviteLink = tmp.InviteLink + supergroupFullInfo.BotCommands = tmp.BotCommands + supergroupFullInfo.BotVerification = tmp.BotVerification + supergroupFullInfo.UpgradedFromBasicGroupId = tmp.UpgradedFromBasicGroupId + supergroupFullInfo.UpgradedFromMaxMessageId = tmp.UpgradedFromMaxMessageId + + fieldMainProfileTab, _ := UnmarshalProfileTab(tmp.MainProfileTab) + supergroupFullInfo.MainProfileTab = fieldMainProfileTab + + return nil +} + +// The secret chat is not yet created; waiting for the other user to get online +type SecretChatStatePending struct{ + meta +} + +func (entity *SecretChatStatePending) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SecretChatStatePending + + return json.Marshal((*stub)(entity)) +} + +func (*SecretChatStatePending) GetClass() string { + return ClassSecretChatState +} + +func (*SecretChatStatePending) GetType() string { + return TypeSecretChatStatePending +} + +func (*SecretChatStatePending) SecretChatStateType() string { + return TypeSecretChatStatePending +} + +// The secret chat is ready to use +type SecretChatStateReady struct{ + meta +} + +func (entity *SecretChatStateReady) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SecretChatStateReady + + return json.Marshal((*stub)(entity)) +} + +func (*SecretChatStateReady) GetClass() string { + return ClassSecretChatState +} + +func (*SecretChatStateReady) GetType() string { + return TypeSecretChatStateReady +} + +func (*SecretChatStateReady) SecretChatStateType() string { + return TypeSecretChatStateReady +} + +// The secret chat is closed +type SecretChatStateClosed struct{ + meta +} + +func (entity *SecretChatStateClosed) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SecretChatStateClosed + + return json.Marshal((*stub)(entity)) +} + +func (*SecretChatStateClosed) GetClass() string { + return ClassSecretChatState +} + +func (*SecretChatStateClosed) GetType() string { + return TypeSecretChatStateClosed +} + +func (*SecretChatStateClosed) SecretChatStateType() string { + return TypeSecretChatStateClosed +} + +// Represents a secret chat +type SecretChat struct { + meta + // Secret chat identifier + Id int32 `json:"id"` + // Identifier of the chat partner + UserId int64 `json:"user_id"` + // State of the secret chat + State SecretChatState `json:"state"` + // True, if the chat was created by the current user; false otherwise + IsOutbound bool `json:"is_outbound"` + // Hash of the currently used key for comparison with the hash of the chat partner's key. This is a string of 36 little-endian bytes, which must be split into groups of 2 bits, each denoting a pixel of one of 4 colors FFFFFF, D5E6F3, 2D5775, and 2F99C9. The pixels must be used to make a 12x12 square image filled from left to right, top to bottom. Alternatively, the first 32 bytes of the hash can be converted to the hexadecimal format and printed as 32 2-digit hex numbers + KeyHash []byte `json:"key_hash"` + // Secret chat layer; determines features supported by the chat partner's application. Nested text entities and underline and strikethrough entities are supported if the layer >= 101, files bigger than 2000MB are supported if the layer >= 143, spoiler and custom emoji text entities are supported if the layer >= 144 + Layer int32 `json:"layer"` +} + +func (entity *SecretChat) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SecretChat + + return json.Marshal((*stub)(entity)) +} + +func (*SecretChat) GetClass() string { + return ClassSecretChat +} + +func (*SecretChat) GetType() string { + return TypeSecretChat +} + +func (secretChat *SecretChat) UnmarshalJSON(data []byte) error { + var tmp struct { + Id int32 `json:"id"` + UserId int64 `json:"user_id"` + State json.RawMessage `json:"state"` + IsOutbound bool `json:"is_outbound"` + KeyHash []byte `json:"key_hash"` + Layer int32 `json:"layer"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + secretChat.Id = tmp.Id + secretChat.UserId = tmp.UserId + secretChat.IsOutbound = tmp.IsOutbound + secretChat.KeyHash = tmp.KeyHash + secretChat.Layer = tmp.Layer + + fieldState, _ := UnmarshalSecretChatState(tmp.State) + secretChat.State = fieldState + + return nil +} + +// Contains information about public post search limits +type PublicPostSearchLimits struct { + meta + // Number of queries that can be sent daily for free + DailyFreeQueryCount int32 `json:"daily_free_query_count"` + // Number of remaining free queries today + RemainingFreeQueryCount int32 `json:"remaining_free_query_count"` + // Amount of time till the next free query can be sent; 0 if it can be sent now + NextFreeQueryIn int32 `json:"next_free_query_in"` + // Number of Telegram Stars that must be paid for each non-free query + StarCount int64 `json:"star_count"` + // True, if the search for the specified query isn't charged + IsCurrentQueryFree bool `json:"is_current_query_free"` +} + +func (entity *PublicPostSearchLimits) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PublicPostSearchLimits + + return json.Marshal((*stub)(entity)) +} + +func (*PublicPostSearchLimits) GetClass() string { + return ClassPublicPostSearchLimits +} + +func (*PublicPostSearchLimits) GetType() string { + return TypePublicPostSearchLimits +} + +// The message was sent by a known user +type MessageSenderUser struct { + meta + // Identifier of the user who sent the message + UserId int64 `json:"user_id"` +} + +func (entity *MessageSenderUser) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageSenderUser + + return json.Marshal((*stub)(entity)) +} + +func (*MessageSenderUser) GetClass() string { + return ClassMessageSender +} + +func (*MessageSenderUser) GetType() string { + return TypeMessageSenderUser +} + +func (*MessageSenderUser) MessageSenderType() string { + return TypeMessageSenderUser +} + +// The message was sent on behalf of a chat +type MessageSenderChat struct { + meta + // Identifier of the chat that sent the message + ChatId int64 `json:"chat_id"` +} + +func (entity *MessageSenderChat) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageSenderChat + + return json.Marshal((*stub)(entity)) +} + +func (*MessageSenderChat) GetClass() string { + return ClassMessageSender +} + +func (*MessageSenderChat) GetType() string { + return TypeMessageSenderChat +} + +func (*MessageSenderChat) MessageSenderType() string { + return TypeMessageSenderChat +} + +// Represents a list of message senders +type MessageSenders struct { + meta + // Approximate total number of messages senders found + TotalCount int32 `json:"total_count"` + // List of message senders + Senders []MessageSender `json:"senders"` +} + +func (entity *MessageSenders) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageSenders + + return json.Marshal((*stub)(entity)) +} + +func (*MessageSenders) GetClass() string { + return ClassMessageSenders +} + +func (*MessageSenders) GetType() string { + return TypeMessageSenders +} + +func (messageSenders *MessageSenders) UnmarshalJSON(data []byte) error { + var tmp struct { + TotalCount int32 `json:"total_count"` + Senders []json.RawMessage `json:"senders"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + messageSenders.TotalCount = tmp.TotalCount + + fieldSenders, _ := UnmarshalListOfMessageSender(tmp.Senders) + messageSenders.Senders = fieldSenders + + return nil +} + +// Represents a message sender, which can be used to send messages in a chat +type ChatMessageSender struct { + meta + // The message sender + Sender MessageSender `json:"sender"` + // True, if Telegram Premium is needed to use the message sender + NeedsPremium bool `json:"needs_premium"` +} + +func (entity *ChatMessageSender) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatMessageSender + + return json.Marshal((*stub)(entity)) +} + +func (*ChatMessageSender) GetClass() string { + return ClassChatMessageSender +} + +func (*ChatMessageSender) GetType() string { + return TypeChatMessageSender +} + +func (chatMessageSender *ChatMessageSender) UnmarshalJSON(data []byte) error { + var tmp struct { + Sender json.RawMessage `json:"sender"` + NeedsPremium bool `json:"needs_premium"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + chatMessageSender.NeedsPremium = tmp.NeedsPremium + + fieldSender, _ := UnmarshalMessageSender(tmp.Sender) + chatMessageSender.Sender = fieldSender + + return nil +} + +// Represents a list of message senders, which can be used to send messages in a chat +type ChatMessageSenders struct { + meta + // List of available message senders + Senders []*ChatMessageSender `json:"senders"` +} + +func (entity *ChatMessageSenders) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatMessageSenders + + return json.Marshal((*stub)(entity)) +} + +func (*ChatMessageSenders) GetClass() string { + return ClassChatMessageSenders +} + +func (*ChatMessageSenders) GetType() string { + return TypeChatMessageSenders +} + +// Contains read date of the message +type MessageReadDateRead struct { + meta + // Point in time (Unix timestamp) when the message was read by the other user + ReadDate int32 `json:"read_date"` +} + +func (entity *MessageReadDateRead) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageReadDateRead + + return json.Marshal((*stub)(entity)) +} + +func (*MessageReadDateRead) GetClass() string { + return ClassMessageReadDate +} + +func (*MessageReadDateRead) GetType() string { + return TypeMessageReadDateRead +} + +func (*MessageReadDateRead) MessageReadDateType() string { + return TypeMessageReadDateRead +} + +// The message is unread yet +type MessageReadDateUnread struct{ + meta +} + +func (entity *MessageReadDateUnread) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageReadDateUnread + + return json.Marshal((*stub)(entity)) +} + +func (*MessageReadDateUnread) GetClass() string { + return ClassMessageReadDate +} + +func (*MessageReadDateUnread) GetType() string { + return TypeMessageReadDateUnread +} + +func (*MessageReadDateUnread) MessageReadDateType() string { + return TypeMessageReadDateUnread +} + +// The message is too old to get read date +type MessageReadDateTooOld struct{ + meta +} + +func (entity *MessageReadDateTooOld) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageReadDateTooOld + + return json.Marshal((*stub)(entity)) +} + +func (*MessageReadDateTooOld) GetClass() string { + return ClassMessageReadDate +} + +func (*MessageReadDateTooOld) GetType() string { + return TypeMessageReadDateTooOld +} + +func (*MessageReadDateTooOld) MessageReadDateType() string { + return TypeMessageReadDateTooOld +} + +// The read date is unknown due to privacy settings of the other user +type MessageReadDateUserPrivacyRestricted struct{ + meta +} + +func (entity *MessageReadDateUserPrivacyRestricted) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageReadDateUserPrivacyRestricted + + return json.Marshal((*stub)(entity)) +} + +func (*MessageReadDateUserPrivacyRestricted) GetClass() string { + return ClassMessageReadDate +} + +func (*MessageReadDateUserPrivacyRestricted) GetType() string { + return TypeMessageReadDateUserPrivacyRestricted +} + +func (*MessageReadDateUserPrivacyRestricted) MessageReadDateType() string { + return TypeMessageReadDateUserPrivacyRestricted +} + +// The read date is unknown due to privacy settings of the current user, but will be known if the user subscribes to Telegram Premium +type MessageReadDateMyPrivacyRestricted struct{ + meta +} + +func (entity *MessageReadDateMyPrivacyRestricted) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageReadDateMyPrivacyRestricted + + return json.Marshal((*stub)(entity)) +} + +func (*MessageReadDateMyPrivacyRestricted) GetClass() string { + return ClassMessageReadDate +} + +func (*MessageReadDateMyPrivacyRestricted) GetType() string { + return TypeMessageReadDateMyPrivacyRestricted +} + +func (*MessageReadDateMyPrivacyRestricted) MessageReadDateType() string { + return TypeMessageReadDateMyPrivacyRestricted +} + +// Represents a viewer of a message +type MessageViewer struct { + meta + // User identifier of the viewer + UserId int64 `json:"user_id"` + // Approximate point in time (Unix timestamp) when the message was viewed + ViewDate int32 `json:"view_date"` +} + +func (entity *MessageViewer) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageViewer + + return json.Marshal((*stub)(entity)) +} + +func (*MessageViewer) GetClass() string { + return ClassMessageViewer +} + +func (*MessageViewer) GetType() string { + return TypeMessageViewer +} + +// Represents a list of message viewers +type MessageViewers struct { + meta + // List of message viewers + Viewers []*MessageViewer `json:"viewers"` +} + +func (entity *MessageViewers) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageViewers + + return json.Marshal((*stub)(entity)) +} + +func (*MessageViewers) GetClass() string { + return ClassMessageViewers +} + +func (*MessageViewers) GetType() string { + return TypeMessageViewers +} + +// The message was originally sent by a known user +type MessageOriginUser struct { + meta + // Identifier of the user who originally sent the message + SenderUserId int64 `json:"sender_user_id"` +} + +func (entity *MessageOriginUser) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageOriginUser + + return json.Marshal((*stub)(entity)) +} + +func (*MessageOriginUser) GetClass() string { + return ClassMessageOrigin +} + +func (*MessageOriginUser) GetType() string { + return TypeMessageOriginUser +} + +func (*MessageOriginUser) MessageOriginType() string { + return TypeMessageOriginUser +} + +// The message was originally sent by a user, which is hidden by their privacy settings +type MessageOriginHiddenUser struct { + meta + // Name of the sender + SenderName string `json:"sender_name"` +} + +func (entity *MessageOriginHiddenUser) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageOriginHiddenUser + + return json.Marshal((*stub)(entity)) +} + +func (*MessageOriginHiddenUser) GetClass() string { + return ClassMessageOrigin +} + +func (*MessageOriginHiddenUser) GetType() string { + return TypeMessageOriginHiddenUser +} + +func (*MessageOriginHiddenUser) MessageOriginType() string { + return TypeMessageOriginHiddenUser +} + +// The message was originally sent on behalf of a chat +type MessageOriginChat struct { + meta + // Identifier of the chat that originally sent the message + SenderChatId int64 `json:"sender_chat_id"` + // For messages originally sent by an anonymous chat administrator, original message author signature + AuthorSignature string `json:"author_signature"` +} + +func (entity *MessageOriginChat) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageOriginChat + + return json.Marshal((*stub)(entity)) +} + +func (*MessageOriginChat) GetClass() string { + return ClassMessageOrigin +} + +func (*MessageOriginChat) GetType() string { + return TypeMessageOriginChat +} + +func (*MessageOriginChat) MessageOriginType() string { + return TypeMessageOriginChat +} + +// The message was originally a post in a channel +type MessageOriginChannel struct { + meta + // Identifier of the channel chat to which the message was originally sent + ChatId int64 `json:"chat_id"` + // Message identifier of the original message + MessageId int64 `json:"message_id"` + // Original post author signature + AuthorSignature string `json:"author_signature"` +} + +func (entity *MessageOriginChannel) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageOriginChannel + + return json.Marshal((*stub)(entity)) +} + +func (*MessageOriginChannel) GetClass() string { + return ClassMessageOrigin +} + +func (*MessageOriginChannel) GetType() string { + return TypeMessageOriginChannel +} + +func (*MessageOriginChannel) MessageOriginType() string { + return TypeMessageOriginChannel +} + +// Contains information about the last message from which a new message was forwarded last time +type ForwardSource struct { + meta + // Identifier of the chat to which the message that was forwarded belonged; may be 0 if unknown + ChatId int64 `json:"chat_id"` + // Identifier of the message; may be 0 if unknown + MessageId int64 `json:"message_id"` + // Identifier of the sender of the message; may be null if unknown or the new message was forwarded not to Saved Messages + SenderId MessageSender `json:"sender_id"` + // Name of the sender of the message if the sender is hidden by their privacy settings + SenderName string `json:"sender_name"` + // Point in time (Unix timestamp) when the message is sent; 0 if unknown + Date int32 `json:"date"` + // True, if the message that was forwarded is outgoing; always false if sender is unknown + IsOutgoing bool `json:"is_outgoing"` +} + +func (entity *ForwardSource) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ForwardSource + + return json.Marshal((*stub)(entity)) +} + +func (*ForwardSource) GetClass() string { + return ClassForwardSource +} + +func (*ForwardSource) GetType() string { + return TypeForwardSource +} + +func (forwardSource *ForwardSource) UnmarshalJSON(data []byte) error { + var tmp struct { + ChatId int64 `json:"chat_id"` + MessageId int64 `json:"message_id"` + SenderId json.RawMessage `json:"sender_id"` + SenderName string `json:"sender_name"` + Date int32 `json:"date"` + IsOutgoing bool `json:"is_outgoing"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + forwardSource.ChatId = tmp.ChatId + forwardSource.MessageId = tmp.MessageId + forwardSource.SenderName = tmp.SenderName + forwardSource.Date = tmp.Date + forwardSource.IsOutgoing = tmp.IsOutgoing + + fieldSenderId, _ := UnmarshalMessageSender(tmp.SenderId) + forwardSource.SenderId = fieldSenderId + + return nil +} + +// A reaction with an emoji +type ReactionTypeEmoji struct { + meta + // Text representation of the reaction + Emoji string `json:"emoji"` +} + +func (entity *ReactionTypeEmoji) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ReactionTypeEmoji + + return json.Marshal((*stub)(entity)) +} + +func (*ReactionTypeEmoji) GetClass() string { + return ClassReactionType +} + +func (*ReactionTypeEmoji) GetType() string { + return TypeReactionTypeEmoji +} + +func (*ReactionTypeEmoji) ReactionTypeType() string { + return TypeReactionTypeEmoji +} + +// A reaction with a custom emoji +type ReactionTypeCustomEmoji struct { + meta + // Unique identifier of the custom emoji + CustomEmojiId JsonInt64 `json:"custom_emoji_id"` +} + +func (entity *ReactionTypeCustomEmoji) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ReactionTypeCustomEmoji + + return json.Marshal((*stub)(entity)) +} + +func (*ReactionTypeCustomEmoji) GetClass() string { + return ClassReactionType +} + +func (*ReactionTypeCustomEmoji) GetType() string { + return TypeReactionTypeCustomEmoji +} + +func (*ReactionTypeCustomEmoji) ReactionTypeType() string { + return TypeReactionTypeCustomEmoji +} + +// The paid reaction in a channel chat +type ReactionTypePaid struct{ + meta +} + +func (entity *ReactionTypePaid) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ReactionTypePaid + + return json.Marshal((*stub)(entity)) +} + +func (*ReactionTypePaid) GetClass() string { + return ClassReactionType +} + +func (*ReactionTypePaid) GetType() string { + return TypeReactionTypePaid +} + +func (*ReactionTypePaid) ReactionTypeType() string { + return TypeReactionTypePaid +} + +// A paid reaction on behalf of the current user +type PaidReactionTypeRegular struct{ + meta +} + +func (entity *PaidReactionTypeRegular) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PaidReactionTypeRegular + + return json.Marshal((*stub)(entity)) +} + +func (*PaidReactionTypeRegular) GetClass() string { + return ClassPaidReactionType +} + +func (*PaidReactionTypeRegular) GetType() string { + return TypePaidReactionTypeRegular +} + +func (*PaidReactionTypeRegular) PaidReactionTypeType() string { + return TypePaidReactionTypeRegular +} + +// An anonymous paid reaction +type PaidReactionTypeAnonymous struct{ + meta +} + +func (entity *PaidReactionTypeAnonymous) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PaidReactionTypeAnonymous + + return json.Marshal((*stub)(entity)) +} + +func (*PaidReactionTypeAnonymous) GetClass() string { + return ClassPaidReactionType +} + +func (*PaidReactionTypeAnonymous) GetType() string { + return TypePaidReactionTypeAnonymous +} + +func (*PaidReactionTypeAnonymous) PaidReactionTypeType() string { + return TypePaidReactionTypeAnonymous +} + +// A paid reaction on behalf of an owned chat +type PaidReactionTypeChat struct { + meta + // Identifier of the chat + ChatId int64 `json:"chat_id"` +} + +func (entity *PaidReactionTypeChat) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PaidReactionTypeChat + + return json.Marshal((*stub)(entity)) +} + +func (*PaidReactionTypeChat) GetClass() string { + return ClassPaidReactionType +} + +func (*PaidReactionTypeChat) GetType() string { + return TypePaidReactionTypeChat +} + +func (*PaidReactionTypeChat) PaidReactionTypeType() string { + return TypePaidReactionTypeChat +} + +// Contains information about a user who added paid reactions +type PaidReactor struct { + meta + // Identifier of the user or chat that added the reactions; may be null for anonymous reactors that aren't the current user + SenderId MessageSender `json:"sender_id"` + // Number of Telegram Stars added + StarCount int64 `json:"star_count"` + // True, if the reactor is one of the most active reactors; may be false if the reactor is the current user + IsTop bool `json:"is_top"` + // True, if the paid reaction was added by the current user + IsMe bool `json:"is_me"` + // True, if the reactor is anonymous + IsAnonymous bool `json:"is_anonymous"` +} + +func (entity *PaidReactor) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PaidReactor + + return json.Marshal((*stub)(entity)) +} + +func (*PaidReactor) GetClass() string { + return ClassPaidReactor +} + +func (*PaidReactor) GetType() string { + return TypePaidReactor +} + +func (paidReactor *PaidReactor) UnmarshalJSON(data []byte) error { + var tmp struct { + SenderId json.RawMessage `json:"sender_id"` + StarCount int64 `json:"star_count"` + IsTop bool `json:"is_top"` + IsMe bool `json:"is_me"` + IsAnonymous bool `json:"is_anonymous"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + paidReactor.StarCount = tmp.StarCount + paidReactor.IsTop = tmp.IsTop + paidReactor.IsMe = tmp.IsMe + paidReactor.IsAnonymous = tmp.IsAnonymous + + fieldSenderId, _ := UnmarshalMessageSender(tmp.SenderId) + paidReactor.SenderId = fieldSenderId + + return nil +} + +// Contains a list of users and chats that spend most money on paid messages and reactions in a live story +type LiveStoryDonors struct { + meta + // Total amount of spend Telegram Stars + TotalStarCount int64 `json:"total_star_count"` + // List of top donors in the live story + TopDonors []*PaidReactor `json:"top_donors"` +} + +func (entity *LiveStoryDonors) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LiveStoryDonors + + return json.Marshal((*stub)(entity)) +} + +func (*LiveStoryDonors) GetClass() string { + return ClassLiveStoryDonors +} + +func (*LiveStoryDonors) GetType() string { + return TypeLiveStoryDonors +} + +// Contains information about a forwarded message +type MessageForwardInfo struct { + meta + // Origin of the forwarded message + Origin MessageOrigin `json:"origin"` + // Point in time (Unix timestamp) when the message was originally sent + Date int32 `json:"date"` + // For messages forwarded to the chat with the current user (Saved Messages), to the Replies bot chat, or to the channel's discussion group, information about the source message from which the message was forwarded last time; may be null for other forwards or if unknown + Source *ForwardSource `json:"source"` + // The type of public service announcement for the forwarded message + PublicServiceAnnouncementType string `json:"public_service_announcement_type"` +} + +func (entity *MessageForwardInfo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageForwardInfo + + return json.Marshal((*stub)(entity)) +} + +func (*MessageForwardInfo) GetClass() string { + return ClassMessageForwardInfo +} + +func (*MessageForwardInfo) GetType() string { + return TypeMessageForwardInfo +} + +func (messageForwardInfo *MessageForwardInfo) UnmarshalJSON(data []byte) error { + var tmp struct { + Origin json.RawMessage `json:"origin"` + Date int32 `json:"date"` + Source *ForwardSource `json:"source"` + PublicServiceAnnouncementType string `json:"public_service_announcement_type"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + messageForwardInfo.Date = tmp.Date + messageForwardInfo.Source = tmp.Source + messageForwardInfo.PublicServiceAnnouncementType = tmp.PublicServiceAnnouncementType + + fieldOrigin, _ := UnmarshalMessageOrigin(tmp.Origin) + messageForwardInfo.Origin = fieldOrigin + + return nil +} + +// Contains information about a message created with importMessages +type MessageImportInfo struct { + meta + // Name of the original sender + SenderName string `json:"sender_name"` + // Point in time (Unix timestamp) when the message was originally sent + Date int32 `json:"date"` +} + +func (entity *MessageImportInfo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageImportInfo + + return json.Marshal((*stub)(entity)) +} + +func (*MessageImportInfo) GetClass() string { + return ClassMessageImportInfo +} + +func (*MessageImportInfo) GetType() string { + return TypeMessageImportInfo +} + +// Contains information about replies to a message +type MessageReplyInfo struct { + meta + // Number of times the message was directly or indirectly replied + ReplyCount int32 `json:"reply_count"` + // Identifiers of at most 3 recent repliers to the message; available in channels with a discussion supergroup. The users and chats are expected to be inaccessible: only their photo and name will be available + RecentReplierIds []MessageSender `json:"recent_replier_ids"` + // Identifier of the last read incoming reply to the message + LastReadInboxMessageId int64 `json:"last_read_inbox_message_id"` + // Identifier of the last read outgoing reply to the message + LastReadOutboxMessageId int64 `json:"last_read_outbox_message_id"` + // Identifier of the last reply to the message + LastMessageId int64 `json:"last_message_id"` +} + +func (entity *MessageReplyInfo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageReplyInfo + + return json.Marshal((*stub)(entity)) +} + +func (*MessageReplyInfo) GetClass() string { + return ClassMessageReplyInfo +} + +func (*MessageReplyInfo) GetType() string { + return TypeMessageReplyInfo +} + +func (messageReplyInfo *MessageReplyInfo) UnmarshalJSON(data []byte) error { + var tmp struct { + ReplyCount int32 `json:"reply_count"` + RecentReplierIds []json.RawMessage `json:"recent_replier_ids"` + LastReadInboxMessageId int64 `json:"last_read_inbox_message_id"` + LastReadOutboxMessageId int64 `json:"last_read_outbox_message_id"` + LastMessageId int64 `json:"last_message_id"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + messageReplyInfo.ReplyCount = tmp.ReplyCount + messageReplyInfo.LastReadInboxMessageId = tmp.LastReadInboxMessageId + messageReplyInfo.LastReadOutboxMessageId = tmp.LastReadOutboxMessageId + messageReplyInfo.LastMessageId = tmp.LastMessageId + + fieldRecentReplierIds, _ := UnmarshalListOfMessageSender(tmp.RecentReplierIds) + messageReplyInfo.RecentReplierIds = fieldRecentReplierIds + + return nil +} + +// Contains information about a reaction to a message +type MessageReaction struct { + meta + // Type of the reaction + Type ReactionType `json:"type"` + // Number of times the reaction was added + TotalCount int32 `json:"total_count"` + // True, if the reaction is chosen by the current user + IsChosen bool `json:"is_chosen"` + // Identifier of the message sender used by the current user to add the reaction; may be null if unknown or the reaction isn't chosen + UsedSenderId MessageSender `json:"used_sender_id"` + // Identifiers of at most 3 recent message senders, added the reaction; available in private, basic group and supergroup chats + RecentSenderIds []MessageSender `json:"recent_sender_ids"` +} + +func (entity *MessageReaction) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageReaction + + return json.Marshal((*stub)(entity)) +} + +func (*MessageReaction) GetClass() string { + return ClassMessageReaction +} + +func (*MessageReaction) GetType() string { + return TypeMessageReaction +} + +func (messageReaction *MessageReaction) UnmarshalJSON(data []byte) error { + var tmp struct { + Type json.RawMessage `json:"type"` + TotalCount int32 `json:"total_count"` + IsChosen bool `json:"is_chosen"` + UsedSenderId json.RawMessage `json:"used_sender_id"` + RecentSenderIds []json.RawMessage `json:"recent_sender_ids"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + messageReaction.TotalCount = tmp.TotalCount + messageReaction.IsChosen = tmp.IsChosen + + fieldType, _ := UnmarshalReactionType(tmp.Type) + messageReaction.Type = fieldType + + fieldUsedSenderId, _ := UnmarshalMessageSender(tmp.UsedSenderId) + messageReaction.UsedSenderId = fieldUsedSenderId + + fieldRecentSenderIds, _ := UnmarshalListOfMessageSender(tmp.RecentSenderIds) + messageReaction.RecentSenderIds = fieldRecentSenderIds + + return nil +} + +// Contains a list of reactions added to a message +type MessageReactions struct { + meta + // List of added reactions + Reactions []*MessageReaction `json:"reactions"` + // True, if the reactions are tags and Telegram Premium users can filter messages by them + AreTags bool `json:"are_tags"` + // Information about top users that added the paid reaction + PaidReactors []*PaidReactor `json:"paid_reactors"` + // True, if the list of added reactions is available using getMessageAddedReactions + CanGetAddedReactions bool `json:"can_get_added_reactions"` +} + +func (entity *MessageReactions) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageReactions + + return json.Marshal((*stub)(entity)) +} + +func (*MessageReactions) GetClass() string { + return ClassMessageReactions +} + +func (*MessageReactions) GetType() string { + return TypeMessageReactions +} + +// Contains information about interactions with a message +type MessageInteractionInfo struct { + meta + // Number of times the message was viewed + ViewCount int32 `json:"view_count"` + // Number of times the message was forwarded + ForwardCount int32 `json:"forward_count"` + // Information about direct or indirect replies to the message; may be null. Currently, available only in channels with a discussion supergroup and discussion supergroups for messages, which are not replies itself + ReplyInfo *MessageReplyInfo `json:"reply_info"` + // The list of reactions or tags added to the message; may be null + Reactions *MessageReactions `json:"reactions"` +} + +func (entity *MessageInteractionInfo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageInteractionInfo + + return json.Marshal((*stub)(entity)) +} + +func (*MessageInteractionInfo) GetClass() string { + return ClassMessageInteractionInfo +} + +func (*MessageInteractionInfo) GetType() string { + return TypeMessageInteractionInfo +} + +// Contains information about an unread reaction to a message +type UnreadReaction struct { + meta + // Type of the reaction + Type ReactionType `json:"type"` + // Identifier of the sender, added the reaction + SenderId MessageSender `json:"sender_id"` + // True, if the reaction was added with a big animation + IsBig bool `json:"is_big"` +} + +func (entity *UnreadReaction) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UnreadReaction + + return json.Marshal((*stub)(entity)) +} + +func (*UnreadReaction) GetClass() string { + return ClassUnreadReaction +} + +func (*UnreadReaction) GetType() string { + return TypeUnreadReaction +} + +func (unreadReaction *UnreadReaction) UnmarshalJSON(data []byte) error { + var tmp struct { + Type json.RawMessage `json:"type"` + SenderId json.RawMessage `json:"sender_id"` + IsBig bool `json:"is_big"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + unreadReaction.IsBig = tmp.IsBig + + fieldType, _ := UnmarshalReactionType(tmp.Type) + unreadReaction.Type = fieldType + + fieldSenderId, _ := UnmarshalMessageSender(tmp.SenderId) + unreadReaction.SenderId = fieldSenderId + + return nil +} + +// A topic in a non-forum supergroup chat +type MessageTopicThread struct { + meta + // Unique identifier of the message thread + MessageThreadId int64 `json:"message_thread_id"` +} + +func (entity *MessageTopicThread) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageTopicThread + + return json.Marshal((*stub)(entity)) +} + +func (*MessageTopicThread) GetClass() string { + return ClassMessageTopic +} + +func (*MessageTopicThread) GetType() string { + return TypeMessageTopicThread +} + +func (*MessageTopicThread) MessageTopicType() string { + return TypeMessageTopicThread +} + +// A topic in a forum supergroup chat or a chat with a bot +type MessageTopicForum struct { + meta + // Unique identifier of the forum topic + ForumTopicId int32 `json:"forum_topic_id"` +} + +func (entity *MessageTopicForum) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageTopicForum + + return json.Marshal((*stub)(entity)) +} + +func (*MessageTopicForum) GetClass() string { + return ClassMessageTopic +} + +func (*MessageTopicForum) GetType() string { + return TypeMessageTopicForum +} + +func (*MessageTopicForum) MessageTopicType() string { + return TypeMessageTopicForum +} + +// A topic in a channel direct messages chat administered by the current user +type MessageTopicDirectMessages struct { + meta + // Unique identifier of the topic + DirectMessagesChatTopicId int64 `json:"direct_messages_chat_topic_id"` +} + +func (entity *MessageTopicDirectMessages) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageTopicDirectMessages + + return json.Marshal((*stub)(entity)) +} + +func (*MessageTopicDirectMessages) GetClass() string { + return ClassMessageTopic +} + +func (*MessageTopicDirectMessages) GetType() string { + return TypeMessageTopicDirectMessages +} + +func (*MessageTopicDirectMessages) MessageTopicType() string { + return TypeMessageTopicDirectMessages +} + +// A topic in Saved Messages chat +type MessageTopicSavedMessages struct { + meta + // Unique identifier of the Saved Messages topic + SavedMessagesTopicId int64 `json:"saved_messages_topic_id"` +} + +func (entity *MessageTopicSavedMessages) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageTopicSavedMessages + + return json.Marshal((*stub)(entity)) +} + +func (*MessageTopicSavedMessages) GetClass() string { + return ClassMessageTopic +} + +func (*MessageTopicSavedMessages) GetType() string { + return TypeMessageTopicSavedMessages +} + +func (*MessageTopicSavedMessages) MessageTopicType() string { + return TypeMessageTopicSavedMessages +} + +// An effect from an emoji reaction +type MessageEffectTypeEmojiReaction struct { + meta + // Select animation for the effect in TGS format + SelectAnimation *Sticker `json:"select_animation"` + // Effect animation for the effect in TGS format + EffectAnimation *Sticker `json:"effect_animation"` +} + +func (entity *MessageEffectTypeEmojiReaction) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageEffectTypeEmojiReaction + + return json.Marshal((*stub)(entity)) +} + +func (*MessageEffectTypeEmojiReaction) GetClass() string { + return ClassMessageEffectType +} + +func (*MessageEffectTypeEmojiReaction) GetType() string { + return TypeMessageEffectTypeEmojiReaction +} + +func (*MessageEffectTypeEmojiReaction) MessageEffectTypeType() string { + return TypeMessageEffectTypeEmojiReaction +} + +// An effect from a premium sticker +type MessageEffectTypePremiumSticker struct { + meta + // The premium sticker. The effect can be found at sticker.full_type.premium_animation + Sticker *Sticker `json:"sticker"` +} + +func (entity *MessageEffectTypePremiumSticker) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageEffectTypePremiumSticker + + return json.Marshal((*stub)(entity)) +} + +func (*MessageEffectTypePremiumSticker) GetClass() string { + return ClassMessageEffectType +} + +func (*MessageEffectTypePremiumSticker) GetType() string { + return TypeMessageEffectTypePremiumSticker +} + +func (*MessageEffectTypePremiumSticker) MessageEffectTypeType() string { + return TypeMessageEffectTypePremiumSticker +} + +// Contains information about an effect added to a message +type MessageEffect struct { + meta + // Unique identifier of the effect + Id JsonInt64 `json:"id"` + // Static icon for the effect in WEBP format; may be null if none + StaticIcon *Sticker `json:"static_icon"` + // Emoji corresponding to the effect that can be used if static icon isn't available + Emoji string `json:"emoji"` + // True, if Telegram Premium subscription is required to use the effect + IsPremium bool `json:"is_premium"` + // Type of the effect + Type MessageEffectType `json:"type"` +} + +func (entity *MessageEffect) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageEffect + + return json.Marshal((*stub)(entity)) +} + +func (*MessageEffect) GetClass() string { + return ClassMessageEffect +} + +func (*MessageEffect) GetType() string { + return TypeMessageEffect +} + +func (messageEffect *MessageEffect) UnmarshalJSON(data []byte) error { + var tmp struct { + Id JsonInt64 `json:"id"` + StaticIcon *Sticker `json:"static_icon"` + Emoji string `json:"emoji"` + IsPremium bool `json:"is_premium"` + Type json.RawMessage `json:"type"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + messageEffect.Id = tmp.Id + messageEffect.StaticIcon = tmp.StaticIcon + messageEffect.Emoji = tmp.Emoji + messageEffect.IsPremium = tmp.IsPremium + + fieldType, _ := UnmarshalMessageEffectType(tmp.Type) + messageEffect.Type = fieldType + + return nil +} + +// The message is being sent now, but has not yet been delivered to the server +type MessageSendingStatePending struct { + meta + // Non-persistent message sending identifier, specified by the application + SendingId int32 `json:"sending_id"` +} + +func (entity *MessageSendingStatePending) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageSendingStatePending + + return json.Marshal((*stub)(entity)) +} + +func (*MessageSendingStatePending) GetClass() string { + return ClassMessageSendingState +} + +func (*MessageSendingStatePending) GetType() string { + return TypeMessageSendingStatePending +} + +func (*MessageSendingStatePending) MessageSendingStateType() string { + return TypeMessageSendingStatePending +} + +// The message failed to be sent +type MessageSendingStateFailed struct { + meta + // The cause of the message sending failure + Error *Error `json:"error"` + // True, if the message can be re-sent using resendMessages or readdQuickReplyShortcutMessages + CanRetry bool `json:"can_retry"` + // True, if the message can be re-sent only on behalf of a different sender + NeedAnotherSender bool `json:"need_another_sender"` + // True, if the message can be re-sent only if another quote is chosen in the message that is replied by the given message + NeedAnotherReplyQuote bool `json:"need_another_reply_quote"` + // True, if the message can be re-sent only if the message to be replied is removed. This will be done automatically by resendMessages + NeedDropReply bool `json:"need_drop_reply"` + // The number of Telegram Stars that must be paid to send the message; 0 if the current amount is correct + RequiredPaidMessageStarCount int64 `json:"required_paid_message_star_count"` + // Time left before the message can be re-sent, in seconds. No update is sent when this field changes + RetryAfter float64 `json:"retry_after"` +} + +func (entity *MessageSendingStateFailed) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageSendingStateFailed + + return json.Marshal((*stub)(entity)) +} + +func (*MessageSendingStateFailed) GetClass() string { + return ClassMessageSendingState +} + +func (*MessageSendingStateFailed) GetType() string { + return TypeMessageSendingStateFailed +} + +func (*MessageSendingStateFailed) MessageSendingStateType() string { + return TypeMessageSendingStateFailed +} + +// Describes manually or automatically chosen quote from another message +type TextQuote struct { + meta + // Text of the quote. Only Bold, Italic, Underline, Strikethrough, Spoiler, and CustomEmoji entities can be present in the text + Text *FormattedText `json:"text"` + // Approximate quote position in the original message in UTF-16 code units as specified by the message sender + Position int32 `json:"position"` + // True, if the quote was manually chosen by the message sender + IsManual bool `json:"is_manual"` +} + +func (entity *TextQuote) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TextQuote + + return json.Marshal((*stub)(entity)) +} + +func (*TextQuote) GetClass() string { + return ClassTextQuote +} + +func (*TextQuote) GetType() string { + return TypeTextQuote +} + +// Describes manually chosen quote from another message +type InputTextQuote struct { + meta + // Text of the quote; 0-getOption("message_reply_quote_length_max") characters. Only Bold, Italic, Underline, Strikethrough, Spoiler, and CustomEmoji entities are allowed to be kept and must be kept in the quote + Text *FormattedText `json:"text"` + // Quote position in the original message in UTF-16 code units + Position int32 `json:"position"` +} + +func (entity *InputTextQuote) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputTextQuote + + return json.Marshal((*stub)(entity)) +} + +func (*InputTextQuote) GetClass() string { + return ClassInputTextQuote +} + +func (*InputTextQuote) GetType() string { + return TypeInputTextQuote +} + +// Describes a message replied by a given message +type MessageReplyToMessage struct { + meta + // The identifier of the chat to which the message belongs; may be 0 if the replied message is in unknown chat + ChatId int64 `json:"chat_id"` + // The identifier of the message; may be 0 if the replied message is in unknown chat + MessageId int64 `json:"message_id"` + // Chosen quote from the replied message; may be null if none + Quote *TextQuote `json:"quote"` + // Identifier of the checklist task in the original message that was replied; 0 if none + ChecklistTaskId int32 `json:"checklist_task_id"` + // Information about origin of the message if the message was from another chat or topic; may be null for messages from the same chat + Origin MessageOrigin `json:"origin"` + // Point in time (Unix timestamp) when the message was sent if the message was from another chat or topic; 0 for messages from the same chat + OriginSendDate int32 `json:"origin_send_date"` + // Media content of the message if the message was from another chat or topic; may be null for messages from the same chat and messages without media. Can be only one of the following types: messageAnimation, messageAudio, messageChecklist, messageContact, messageDice, messageDocument, messageGame, messageGiveaway, messageGiveawayWinners, messageInvoice, messageLocation, messagePaidMedia, messagePhoto, messagePoll, messageStakeDice, messageSticker, messageStory, messageText (for link preview), messageVenue, messageVideo, messageVideoNote, or messageVoiceNote + Content MessageContent `json:"content"` +} + +func (entity *MessageReplyToMessage) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageReplyToMessage + + return json.Marshal((*stub)(entity)) +} + +func (*MessageReplyToMessage) GetClass() string { + return ClassMessageReplyTo +} + +func (*MessageReplyToMessage) GetType() string { + return TypeMessageReplyToMessage +} + +func (*MessageReplyToMessage) MessageReplyToType() string { + return TypeMessageReplyToMessage +} + +func (messageReplyToMessage *MessageReplyToMessage) UnmarshalJSON(data []byte) error { + var tmp struct { + ChatId int64 `json:"chat_id"` + MessageId int64 `json:"message_id"` + Quote *TextQuote `json:"quote"` + ChecklistTaskId int32 `json:"checklist_task_id"` + Origin json.RawMessage `json:"origin"` + OriginSendDate int32 `json:"origin_send_date"` + Content json.RawMessage `json:"content"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + messageReplyToMessage.ChatId = tmp.ChatId + messageReplyToMessage.MessageId = tmp.MessageId + messageReplyToMessage.Quote = tmp.Quote + messageReplyToMessage.ChecklistTaskId = tmp.ChecklistTaskId + messageReplyToMessage.OriginSendDate = tmp.OriginSendDate + + fieldOrigin, _ := UnmarshalMessageOrigin(tmp.Origin) + messageReplyToMessage.Origin = fieldOrigin + + fieldContent, _ := UnmarshalMessageContent(tmp.Content) + messageReplyToMessage.Content = fieldContent + + return nil +} + +// Describes a story replied by a given message +type MessageReplyToStory struct { + meta + // The identifier of the poster of the story + StoryPosterChatId int64 `json:"story_poster_chat_id"` + // The identifier of the story + StoryId int32 `json:"story_id"` +} + +func (entity *MessageReplyToStory) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageReplyToStory + + return json.Marshal((*stub)(entity)) +} + +func (*MessageReplyToStory) GetClass() string { + return ClassMessageReplyTo +} + +func (*MessageReplyToStory) GetType() string { + return TypeMessageReplyToStory +} + +func (*MessageReplyToStory) MessageReplyToType() string { + return TypeMessageReplyToStory +} + +// Describes a message to be replied in the same chat and forum topic +type InputMessageReplyToMessage struct { + meta + // The identifier of the message to be replied in the same chat and forum topic. A message can be replied in the same chat and forum topic only if messageProperties.can_be_replied + MessageId int64 `json:"message_id"` + // Quote from the message to be replied; pass null if none. Must always be null for replies in secret chats + Quote *InputTextQuote `json:"quote"` + // Identifier of the checklist task in the message to be replied; pass 0 to reply to the whole message + ChecklistTaskId int32 `json:"checklist_task_id"` +} + +func (entity *InputMessageReplyToMessage) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputMessageReplyToMessage + + return json.Marshal((*stub)(entity)) +} + +func (*InputMessageReplyToMessage) GetClass() string { + return ClassInputMessageReplyTo +} + +func (*InputMessageReplyToMessage) GetType() string { + return TypeInputMessageReplyToMessage +} + +func (*InputMessageReplyToMessage) InputMessageReplyToType() string { + return TypeInputMessageReplyToMessage +} + +// Describes a message to be replied that is from a different chat or a forum topic; not supported in secret chats +type InputMessageReplyToExternalMessage struct { + meta + // The identifier of the chat to which the message to be replied belongs + ChatId int64 `json:"chat_id"` + // The identifier of the message to be replied in the specified chat. A message can be replied in another chat or forum topic only if messageProperties.can_be_replied_in_another_chat + MessageId int64 `json:"message_id"` + // Quote from the message to be replied; pass null if none + Quote *InputTextQuote `json:"quote"` + // Identifier of the checklist task in the message to be replied; pass 0 to reply to the whole message + ChecklistTaskId int32 `json:"checklist_task_id"` +} + +func (entity *InputMessageReplyToExternalMessage) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputMessageReplyToExternalMessage + + return json.Marshal((*stub)(entity)) +} + +func (*InputMessageReplyToExternalMessage) GetClass() string { + return ClassInputMessageReplyTo +} + +func (*InputMessageReplyToExternalMessage) GetType() string { + return TypeInputMessageReplyToExternalMessage +} + +func (*InputMessageReplyToExternalMessage) InputMessageReplyToType() string { + return TypeInputMessageReplyToExternalMessage +} + +// Describes a story to be replied +type InputMessageReplyToStory struct { + meta + // The identifier of the poster of the story. Currently, stories can be replied only in the chat that posted the story; channel stories can't be replied + StoryPosterChatId int64 `json:"story_poster_chat_id"` + // The identifier of the story + StoryId int32 `json:"story_id"` +} + +func (entity *InputMessageReplyToStory) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputMessageReplyToStory + + return json.Marshal((*stub)(entity)) +} + +func (*InputMessageReplyToStory) GetClass() string { + return ClassInputMessageReplyTo +} + +func (*InputMessageReplyToStory) GetType() string { + return TypeInputMessageReplyToStory +} + +func (*InputMessageReplyToStory) InputMessageReplyToType() string { + return TypeInputMessageReplyToStory +} + +// Describes a fact-check added to the message by an independent checker +type FactCheck struct { + meta + // Text of the fact-check + Text *FormattedText `json:"text"` + // A two-letter ISO 3166-1 alpha-2 country code of the country for which the fact-check is shown + CountryCode string `json:"country_code"` +} + +func (entity *FactCheck) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub FactCheck + + return json.Marshal((*stub)(entity)) +} + +func (*FactCheck) GetClass() string { + return ClassFactCheck +} + +func (*FactCheck) GetType() string { + return TypeFactCheck +} + +// Describes a message +type Message struct { + meta + // Message identifier; unique for the chat to which the message belongs + Id int64 `json:"id"` + // Identifier of the sender of the message + SenderId MessageSender `json:"sender_id"` + // Chat identifier + ChatId int64 `json:"chat_id"` + // The sending state of the message; may be null if the message isn't being sent and didn't fail to be sent + SendingState MessageSendingState `json:"sending_state"` + // The scheduling state of the message; may be null if the message isn't scheduled + SchedulingState MessageSchedulingState `json:"scheduling_state"` + // True, if the message is outgoing + IsOutgoing bool `json:"is_outgoing"` + // True, if the message is pinned + IsPinned bool `json:"is_pinned"` + // True, if the message was sent because of a scheduled action by the message sender, for example, as away, or greeting service message + IsFromOffline bool `json:"is_from_offline"` + // True, if content of the message can be saved locally + CanBeSaved bool `json:"can_be_saved"` + // True, if media timestamp entities refers to a media in this message as opposed to a media in the replied message + HasTimestampedMedia bool `json:"has_timestamped_media"` + // True, if the message is a channel post. All messages to channels are channel posts, all other messages are not channel posts + IsChannelPost bool `json:"is_channel_post"` + // True, if the message is a suggested channel post which was paid in Telegram Stars; a warning must be shown if the message is deleted in less than getOption("suggested_post_lifetime_min") seconds after sending + IsPaidStarSuggestedPost bool `json:"is_paid_star_suggested_post"` + // True, if the message is a suggested channel post which was paid in Toncoins; a warning must be shown if the message is deleted in less than getOption("suggested_post_lifetime_min") seconds after sending + IsPaidTonSuggestedPost bool `json:"is_paid_ton_suggested_post"` + // True, if the message contains an unread mention for the current user + ContainsUnreadMention bool `json:"contains_unread_mention"` + // Point in time (Unix timestamp) when the message was sent; 0 for scheduled messages + Date int32 `json:"date"` + // Point in time (Unix timestamp) when the message was last edited; 0 for scheduled messages + EditDate int32 `json:"edit_date"` + // Information about the initial message sender; may be null if none or unknown + ForwardInfo *MessageForwardInfo `json:"forward_info"` + // Information about the initial message for messages created with importMessages; may be null if the message isn't imported + ImportInfo *MessageImportInfo `json:"import_info"` + // Information about interactions with the message; may be null if none + InteractionInfo *MessageInteractionInfo `json:"interaction_info"` + // Information about unread reactions added to the message + UnreadReactions []*UnreadReaction `json:"unread_reactions"` + // Information about fact-check added to the message; may be null if none + FactCheck *FactCheck `json:"fact_check"` + // Information about the suggested post; may be null if the message isn't a suggested post + SuggestedPostInfo *SuggestedPostInfo `json:"suggested_post_info"` + // Information about the message or the story this message is replying to; may be null if none + ReplyTo MessageReplyTo `json:"reply_to"` + // Identifier of the topic within the chat to which the message belongs; may be null if none; may change when the chat is converted to a forum or back + TopicId MessageTopic `json:"topic_id"` + // The message's self-destruct type; may be null if none + SelfDestructType MessageSelfDestructType `json:"self_destruct_type"` + // Time left before the message self-destruct timer expires, in seconds; 0 if self-destruction isn't scheduled yet + SelfDestructIn float64 `json:"self_destruct_in"` + // Time left before the message will be automatically deleted by message_auto_delete_time setting of the chat, in seconds; 0 if never + AutoDeleteIn float64 `json:"auto_delete_in"` + // If non-zero, the user identifier of the inline bot through which this message was sent + ViaBotUserId int64 `json:"via_bot_user_id"` + // If non-zero, the user identifier of the business bot that sent this message + SenderBusinessBotUserId int64 `json:"sender_business_bot_user_id"` + // Number of times the sender of the message boosted the supergroup at the time the message was sent; 0 if none or unknown. For messages sent by the current user, supergroupFullInfo.my_boost_count must be used instead + SenderBoostCount int32 `json:"sender_boost_count"` + // The number of Telegram Stars the sender paid to send the message + PaidMessageStarCount int64 `json:"paid_message_star_count"` + // For channel posts and anonymous group messages, optional author signature + AuthorSignature string `json:"author_signature"` + // Unique identifier of an album this message belongs to; 0 if none. Only audios, documents, photos and videos can be grouped together in albums + MediaAlbumId JsonInt64 `json:"media_album_id"` + // Unique identifier of the effect added to the message; 0 if none + EffectId JsonInt64 `json:"effect_id"` + // Information about the restrictions that must be applied to the message content; may be null if none + RestrictionInfo *RestrictionInfo `json:"restriction_info"` + // IETF language tag of the message language on which it can be summarized; empty if summary isn't available for the message + SummaryLanguageCode string `json:"summary_language_code"` + // Content of the message + Content MessageContent `json:"content"` + // Reply markup for the message; may be null if none + ReplyMarkup ReplyMarkup `json:"reply_markup"` +} + +func (entity *Message) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub Message + + return json.Marshal((*stub)(entity)) +} + +func (*Message) GetClass() string { + return ClassMessage +} + +func (*Message) GetType() string { + return TypeMessage +} + +func (message *Message) UnmarshalJSON(data []byte) error { + var tmp struct { + Id int64 `json:"id"` + SenderId json.RawMessage `json:"sender_id"` + ChatId int64 `json:"chat_id"` + SendingState json.RawMessage `json:"sending_state"` + SchedulingState json.RawMessage `json:"scheduling_state"` + IsOutgoing bool `json:"is_outgoing"` + IsPinned bool `json:"is_pinned"` + IsFromOffline bool `json:"is_from_offline"` + CanBeSaved bool `json:"can_be_saved"` + HasTimestampedMedia bool `json:"has_timestamped_media"` + IsChannelPost bool `json:"is_channel_post"` + IsPaidStarSuggestedPost bool `json:"is_paid_star_suggested_post"` + IsPaidTonSuggestedPost bool `json:"is_paid_ton_suggested_post"` + ContainsUnreadMention bool `json:"contains_unread_mention"` + Date int32 `json:"date"` + EditDate int32 `json:"edit_date"` + ForwardInfo *MessageForwardInfo `json:"forward_info"` + ImportInfo *MessageImportInfo `json:"import_info"` + InteractionInfo *MessageInteractionInfo `json:"interaction_info"` + UnreadReactions []*UnreadReaction `json:"unread_reactions"` + FactCheck *FactCheck `json:"fact_check"` + SuggestedPostInfo *SuggestedPostInfo `json:"suggested_post_info"` + ReplyTo json.RawMessage `json:"reply_to"` + TopicId json.RawMessage `json:"topic_id"` + SelfDestructType json.RawMessage `json:"self_destruct_type"` + SelfDestructIn float64 `json:"self_destruct_in"` + AutoDeleteIn float64 `json:"auto_delete_in"` + ViaBotUserId int64 `json:"via_bot_user_id"` + SenderBusinessBotUserId int64 `json:"sender_business_bot_user_id"` + SenderBoostCount int32 `json:"sender_boost_count"` + PaidMessageStarCount int64 `json:"paid_message_star_count"` + AuthorSignature string `json:"author_signature"` + MediaAlbumId JsonInt64 `json:"media_album_id"` + EffectId JsonInt64 `json:"effect_id"` + RestrictionInfo *RestrictionInfo `json:"restriction_info"` + SummaryLanguageCode string `json:"summary_language_code"` + Content json.RawMessage `json:"content"` + ReplyMarkup json.RawMessage `json:"reply_markup"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + message.Id = tmp.Id + message.ChatId = tmp.ChatId + message.IsOutgoing = tmp.IsOutgoing + message.IsPinned = tmp.IsPinned + message.IsFromOffline = tmp.IsFromOffline + message.CanBeSaved = tmp.CanBeSaved + message.HasTimestampedMedia = tmp.HasTimestampedMedia + message.IsChannelPost = tmp.IsChannelPost + message.IsPaidStarSuggestedPost = tmp.IsPaidStarSuggestedPost + message.IsPaidTonSuggestedPost = tmp.IsPaidTonSuggestedPost + message.ContainsUnreadMention = tmp.ContainsUnreadMention + message.Date = tmp.Date + message.EditDate = tmp.EditDate + message.ForwardInfo = tmp.ForwardInfo + message.ImportInfo = tmp.ImportInfo + message.InteractionInfo = tmp.InteractionInfo + message.UnreadReactions = tmp.UnreadReactions + message.FactCheck = tmp.FactCheck + message.SuggestedPostInfo = tmp.SuggestedPostInfo + message.SelfDestructIn = tmp.SelfDestructIn + message.AutoDeleteIn = tmp.AutoDeleteIn + message.ViaBotUserId = tmp.ViaBotUserId + message.SenderBusinessBotUserId = tmp.SenderBusinessBotUserId + message.SenderBoostCount = tmp.SenderBoostCount + message.PaidMessageStarCount = tmp.PaidMessageStarCount + message.AuthorSignature = tmp.AuthorSignature + message.MediaAlbumId = tmp.MediaAlbumId + message.EffectId = tmp.EffectId + message.RestrictionInfo = tmp.RestrictionInfo + message.SummaryLanguageCode = tmp.SummaryLanguageCode + + fieldSenderId, _ := UnmarshalMessageSender(tmp.SenderId) + message.SenderId = fieldSenderId + + fieldSendingState, _ := UnmarshalMessageSendingState(tmp.SendingState) + message.SendingState = fieldSendingState + + fieldSchedulingState, _ := UnmarshalMessageSchedulingState(tmp.SchedulingState) + message.SchedulingState = fieldSchedulingState + + fieldReplyTo, _ := UnmarshalMessageReplyTo(tmp.ReplyTo) + message.ReplyTo = fieldReplyTo + + fieldTopicId, _ := UnmarshalMessageTopic(tmp.TopicId) + message.TopicId = fieldTopicId + + fieldSelfDestructType, _ := UnmarshalMessageSelfDestructType(tmp.SelfDestructType) + message.SelfDestructType = fieldSelfDestructType + + fieldContent, _ := UnmarshalMessageContent(tmp.Content) + message.Content = fieldContent + + fieldReplyMarkup, _ := UnmarshalReplyMarkup(tmp.ReplyMarkup) + message.ReplyMarkup = fieldReplyMarkup + + return nil +} + +// Contains a list of messages +type Messages struct { + meta + // Approximate total number of messages found + TotalCount int32 `json:"total_count"` + // List of messages; messages may be null + Messages []*Message `json:"messages"` +} + +func (entity *Messages) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub Messages + + return json.Marshal((*stub)(entity)) +} + +func (*Messages) GetClass() string { + return ClassMessages +} + +func (*Messages) GetType() string { + return TypeMessages +} + +// Contains a list of messages found by a search +type FoundMessages struct { + meta + // Approximate total number of messages found; -1 if unknown + TotalCount int32 `json:"total_count"` + // List of messages + Messages []*Message `json:"messages"` + // The offset for the next request. If empty, then there are no more results + NextOffset string `json:"next_offset"` +} + +func (entity *FoundMessages) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub FoundMessages + + return json.Marshal((*stub)(entity)) +} + +func (*FoundMessages) GetClass() string { + return ClassFoundMessages +} + +func (*FoundMessages) GetType() string { + return TypeFoundMessages +} + +// Contains a list of messages found by a search in a given chat +type FoundChatMessages struct { + meta + // Approximate total number of messages found; -1 if unknown + TotalCount int32 `json:"total_count"` + // List of messages + Messages []*Message `json:"messages"` + // The offset for the next request. If 0, there are no more results + NextFromMessageId int64 `json:"next_from_message_id"` +} + +func (entity *FoundChatMessages) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub FoundChatMessages + + return json.Marshal((*stub)(entity)) +} + +func (*FoundChatMessages) GetClass() string { + return ClassFoundChatMessages +} + +func (*FoundChatMessages) GetType() string { + return TypeFoundChatMessages +} + +// Contains a list of messages found by a public post search +type FoundPublicPosts struct { + meta + // List of found public posts + Messages []*Message `json:"messages"` + // The offset for the next request. If empty, then there are no more results + NextOffset string `json:"next_offset"` + // Updated public post search limits after the query; repeated requests with the same query will be free; may be null if they didn't change + SearchLimits *PublicPostSearchLimits `json:"search_limits"` + // True, if the query has failed because search limits are exceeded. In this case search_limits.daily_free_query_count will be equal to 0 + AreLimitsExceeded bool `json:"are_limits_exceeded"` +} + +func (entity *FoundPublicPosts) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub FoundPublicPosts + + return json.Marshal((*stub)(entity)) +} + +func (*FoundPublicPosts) GetClass() string { + return ClassFoundPublicPosts +} + +func (*FoundPublicPosts) GetType() string { + return TypeFoundPublicPosts +} + +// Contains information about a message in a specific position +type MessagePosition struct { + meta + // 0-based message position in the full list of suitable messages + Position int32 `json:"position"` + // Message identifier + MessageId int64 `json:"message_id"` + // Point in time (Unix timestamp) when the message was sent + Date int32 `json:"date"` +} + +func (entity *MessagePosition) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessagePosition + + return json.Marshal((*stub)(entity)) +} + +func (*MessagePosition) GetClass() string { + return ClassMessagePosition +} + +func (*MessagePosition) GetType() string { + return TypeMessagePosition +} + +// Contains a list of message positions +type MessagePositions struct { + meta + // Total number of messages found + TotalCount int32 `json:"total_count"` + // List of message positions + Positions []*MessagePosition `json:"positions"` +} + +func (entity *MessagePositions) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessagePositions + + return json.Marshal((*stub)(entity)) +} + +func (*MessagePositions) GetClass() string { + return ClassMessagePositions +} + +func (*MessagePositions) GetType() string { + return TypeMessagePositions +} + +// Contains information about found messages sent on a specific day +type MessageCalendarDay struct { + meta + // Total number of found messages sent on the day + TotalCount int32 `json:"total_count"` + // First message sent on the day + Message *Message `json:"message"` +} + +func (entity *MessageCalendarDay) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageCalendarDay + + return json.Marshal((*stub)(entity)) +} + +func (*MessageCalendarDay) GetClass() string { + return ClassMessageCalendarDay +} + +func (*MessageCalendarDay) GetType() string { + return TypeMessageCalendarDay +} + +// Contains information about found messages, split by days according to the option "utc_time_offset" +type MessageCalendar struct { + meta + // Total number of found messages + TotalCount int32 `json:"total_count"` + // Information about messages sent + Days []*MessageCalendarDay `json:"days"` +} + +func (entity *MessageCalendar) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageCalendar + + return json.Marshal((*stub)(entity)) +} + +func (*MessageCalendar) GetClass() string { + return ClassMessageCalendar +} + +func (*MessageCalendar) GetType() string { + return TypeMessageCalendar +} + +// Describes a message from a business account as received by a bot +type BusinessMessage struct { + meta + // The message + Message *Message `json:"message"` + // Message that is replied by the message in the same chat; may be null if none + ReplyToMessage *Message `json:"reply_to_message"` +} + +func (entity *BusinessMessage) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BusinessMessage + + return json.Marshal((*stub)(entity)) +} + +func (*BusinessMessage) GetClass() string { + return ClassBusinessMessage +} + +func (*BusinessMessage) GetType() string { + return TypeBusinessMessage +} + +// Contains a list of messages from a business account as received by a bot +type BusinessMessages struct { + meta + // List of business messages + Messages []*BusinessMessage `json:"messages"` +} + +func (entity *BusinessMessages) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BusinessMessages + + return json.Marshal((*stub)(entity)) +} + +func (*BusinessMessages) GetClass() string { + return ClassBusinessMessages +} + +func (*BusinessMessages) GetType() string { + return TypeBusinessMessages +} + +// The message is from a chat history +type MessageSourceChatHistory struct{ + meta +} + +func (entity *MessageSourceChatHistory) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageSourceChatHistory + + return json.Marshal((*stub)(entity)) +} + +func (*MessageSourceChatHistory) GetClass() string { + return ClassMessageSource +} + +func (*MessageSourceChatHistory) GetType() string { + return TypeMessageSourceChatHistory +} + +func (*MessageSourceChatHistory) MessageSourceType() string { + return TypeMessageSourceChatHistory +} + +// The message is from history of a message thread +type MessageSourceMessageThreadHistory struct{ + meta +} + +func (entity *MessageSourceMessageThreadHistory) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageSourceMessageThreadHistory + + return json.Marshal((*stub)(entity)) +} + +func (*MessageSourceMessageThreadHistory) GetClass() string { + return ClassMessageSource +} + +func (*MessageSourceMessageThreadHistory) GetType() string { + return TypeMessageSourceMessageThreadHistory +} + +func (*MessageSourceMessageThreadHistory) MessageSourceType() string { + return TypeMessageSourceMessageThreadHistory +} + +// The message is from history of a forum topic +type MessageSourceForumTopicHistory struct{ + meta +} + +func (entity *MessageSourceForumTopicHistory) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageSourceForumTopicHistory + + return json.Marshal((*stub)(entity)) +} + +func (*MessageSourceForumTopicHistory) GetClass() string { + return ClassMessageSource +} + +func (*MessageSourceForumTopicHistory) GetType() string { + return TypeMessageSourceForumTopicHistory +} + +func (*MessageSourceForumTopicHistory) MessageSourceType() string { + return TypeMessageSourceForumTopicHistory +} + +// The message is from history of a topic in a channel direct messages chat administered by the current user +type MessageSourceDirectMessagesChatTopicHistory struct{ + meta +} + +func (entity *MessageSourceDirectMessagesChatTopicHistory) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageSourceDirectMessagesChatTopicHistory + + return json.Marshal((*stub)(entity)) +} + +func (*MessageSourceDirectMessagesChatTopicHistory) GetClass() string { + return ClassMessageSource +} + +func (*MessageSourceDirectMessagesChatTopicHistory) GetType() string { + return TypeMessageSourceDirectMessagesChatTopicHistory +} + +func (*MessageSourceDirectMessagesChatTopicHistory) MessageSourceType() string { + return TypeMessageSourceDirectMessagesChatTopicHistory +} + +// The message is from chat, message thread or forum topic history preview +type MessageSourceHistoryPreview struct{ + meta +} + +func (entity *MessageSourceHistoryPreview) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageSourceHistoryPreview + + return json.Marshal((*stub)(entity)) +} + +func (*MessageSourceHistoryPreview) GetClass() string { + return ClassMessageSource +} + +func (*MessageSourceHistoryPreview) GetType() string { + return TypeMessageSourceHistoryPreview +} + +func (*MessageSourceHistoryPreview) MessageSourceType() string { + return TypeMessageSourceHistoryPreview +} + +// The message is from a chat list or a forum topic list +type MessageSourceChatList struct{ + meta +} + +func (entity *MessageSourceChatList) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageSourceChatList + + return json.Marshal((*stub)(entity)) +} + +func (*MessageSourceChatList) GetClass() string { + return ClassMessageSource +} + +func (*MessageSourceChatList) GetType() string { + return TypeMessageSourceChatList +} + +func (*MessageSourceChatList) MessageSourceType() string { + return TypeMessageSourceChatList +} + +// The message is from search results, including file downloads, local file list, outgoing document messages, calendar +type MessageSourceSearch struct{ + meta +} + +func (entity *MessageSourceSearch) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageSourceSearch + + return json.Marshal((*stub)(entity)) +} + +func (*MessageSourceSearch) GetClass() string { + return ClassMessageSource +} + +func (*MessageSourceSearch) GetType() string { + return TypeMessageSourceSearch +} + +func (*MessageSourceSearch) MessageSourceType() string { + return TypeMessageSourceSearch +} + +// The message is from a chat event log +type MessageSourceChatEventLog struct{ + meta +} + +func (entity *MessageSourceChatEventLog) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageSourceChatEventLog + + return json.Marshal((*stub)(entity)) +} + +func (*MessageSourceChatEventLog) GetClass() string { + return ClassMessageSource +} + +func (*MessageSourceChatEventLog) GetType() string { + return TypeMessageSourceChatEventLog +} + +func (*MessageSourceChatEventLog) MessageSourceType() string { + return TypeMessageSourceChatEventLog +} + +// The message is from a notification +type MessageSourceNotification struct{ + meta +} + +func (entity *MessageSourceNotification) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageSourceNotification + + return json.Marshal((*stub)(entity)) +} + +func (*MessageSourceNotification) GetClass() string { + return ClassMessageSource +} + +func (*MessageSourceNotification) GetType() string { + return TypeMessageSourceNotification +} + +func (*MessageSourceNotification) MessageSourceType() string { + return TypeMessageSourceNotification +} + +// The message was screenshotted; the source must be used only if the message content was visible during the screenshot +type MessageSourceScreenshot struct{ + meta +} + +func (entity *MessageSourceScreenshot) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageSourceScreenshot + + return json.Marshal((*stub)(entity)) +} + +func (*MessageSourceScreenshot) GetClass() string { + return ClassMessageSource +} + +func (*MessageSourceScreenshot) GetType() string { + return TypeMessageSourceScreenshot +} + +func (*MessageSourceScreenshot) MessageSourceType() string { + return TypeMessageSourceScreenshot +} + +// The message is from some other source +type MessageSourceOther struct{ + meta +} + +func (entity *MessageSourceOther) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageSourceOther + + return json.Marshal((*stub)(entity)) +} + +func (*MessageSourceOther) GetClass() string { + return ClassMessageSource +} + +func (*MessageSourceOther) GetType() string { + return TypeMessageSourceOther +} + +func (*MessageSourceOther) MessageSourceType() string { + return TypeMessageSourceOther +} + +// Information about the sponsor of an advertisement +type AdvertisementSponsor struct { + meta + // URL of the sponsor to be opened when the advertisement is clicked + Url string `json:"url"` + // Photo of the sponsor; may be null if must not be shown + Photo *Photo `json:"photo"` + // Additional optional information about the sponsor to be shown along with the advertisement + Info string `json:"info"` +} + +func (entity *AdvertisementSponsor) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub AdvertisementSponsor + + return json.Marshal((*stub)(entity)) +} + +func (*AdvertisementSponsor) GetClass() string { + return ClassAdvertisementSponsor +} + +func (*AdvertisementSponsor) GetType() string { + return TypeAdvertisementSponsor +} + +// Describes a sponsored message +type SponsoredMessage struct { + meta + // Message identifier; unique for the chat to which the sponsored message belongs among both ordinary and sponsored messages + MessageId int64 `json:"message_id"` + // True, if the message needs to be labeled as "recommended" instead of "sponsored" + IsRecommended bool `json:"is_recommended"` + // True, if the message can be reported to Telegram moderators through reportChatSponsoredMessage + CanBeReported bool `json:"can_be_reported"` + // Content of the message. Currently, can be only of the types messageText, messageAnimation, messagePhoto, or messageVideo. Video messages can be viewed fullscreen + Content MessageContent `json:"content"` + // Information about the sponsor of the message + Sponsor *AdvertisementSponsor `json:"sponsor"` + // Title of the sponsored message + Title string `json:"title"` + // Text for the message action button + ButtonText string `json:"button_text"` + // Identifier of the accent color for title, button text and message background + AccentColorId int32 `json:"accent_color_id"` + // Identifier of a custom emoji to be shown on the message background; 0 if none + BackgroundCustomEmojiId JsonInt64 `json:"background_custom_emoji_id"` + // If non-empty, additional information about the sponsored message to be shown along with the message + AdditionalInfo string `json:"additional_info"` +} + +func (entity *SponsoredMessage) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SponsoredMessage + + return json.Marshal((*stub)(entity)) +} + +func (*SponsoredMessage) GetClass() string { + return ClassSponsoredMessage +} + +func (*SponsoredMessage) GetType() string { + return TypeSponsoredMessage +} + +func (sponsoredMessage *SponsoredMessage) UnmarshalJSON(data []byte) error { + var tmp struct { + MessageId int64 `json:"message_id"` + IsRecommended bool `json:"is_recommended"` + CanBeReported bool `json:"can_be_reported"` + Content json.RawMessage `json:"content"` + Sponsor *AdvertisementSponsor `json:"sponsor"` + Title string `json:"title"` + ButtonText string `json:"button_text"` + AccentColorId int32 `json:"accent_color_id"` + BackgroundCustomEmojiId JsonInt64 `json:"background_custom_emoji_id"` + AdditionalInfo string `json:"additional_info"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + sponsoredMessage.MessageId = tmp.MessageId + sponsoredMessage.IsRecommended = tmp.IsRecommended + sponsoredMessage.CanBeReported = tmp.CanBeReported + sponsoredMessage.Sponsor = tmp.Sponsor + sponsoredMessage.Title = tmp.Title + sponsoredMessage.ButtonText = tmp.ButtonText + sponsoredMessage.AccentColorId = tmp.AccentColorId + sponsoredMessage.BackgroundCustomEmojiId = tmp.BackgroundCustomEmojiId + sponsoredMessage.AdditionalInfo = tmp.AdditionalInfo + + fieldContent, _ := UnmarshalMessageContent(tmp.Content) + sponsoredMessage.Content = fieldContent + + return nil +} + +// Contains a list of sponsored messages +type SponsoredMessages struct { + meta + // List of sponsored messages + Messages []*SponsoredMessage `json:"messages"` + // The minimum number of messages between shown sponsored messages, or 0 if only one sponsored message must be shown after all ordinary messages + MessagesBetween int32 `json:"messages_between"` +} + +func (entity *SponsoredMessages) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SponsoredMessages + + return json.Marshal((*stub)(entity)) +} + +func (*SponsoredMessages) GetClass() string { + return ClassSponsoredMessages +} + +func (*SponsoredMessages) GetType() string { + return TypeSponsoredMessages +} + +// Describes a sponsored chat +type SponsoredChat struct { + meta + // Unique identifier of this result + UniqueId int64 `json:"unique_id"` + // Chat identifier + ChatId int64 `json:"chat_id"` + // Additional optional information about the sponsor to be shown along with the chat + SponsorInfo string `json:"sponsor_info"` + // If non-empty, additional information about the sponsored chat to be shown along with the chat + AdditionalInfo string `json:"additional_info"` +} + +func (entity *SponsoredChat) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SponsoredChat + + return json.Marshal((*stub)(entity)) +} + +func (*SponsoredChat) GetClass() string { + return ClassSponsoredChat +} + +func (*SponsoredChat) GetType() string { + return TypeSponsoredChat +} + +// Contains a list of sponsored chats +type SponsoredChats struct { + meta + // List of sponsored chats + Chats []*SponsoredChat `json:"chats"` +} + +func (entity *SponsoredChats) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SponsoredChats + + return json.Marshal((*stub)(entity)) +} + +func (*SponsoredChats) GetClass() string { + return ClassSponsoredChats +} + +func (*SponsoredChats) GetType() string { + return TypeSponsoredChats +} + +// Describes an advertisent to be shown while a video from a message is watched +type VideoMessageAdvertisement struct { + meta + // Unique identifier of this result + UniqueId int64 `json:"unique_id"` + // Text of the advertisement + Text string `json:"text"` + // The minimum amount of time the advertisement must be displayed before it can be hidden by the user, in seconds + MinDisplayDuration int32 `json:"min_display_duration"` + // The maximum amount of time the advertisement must be displayed before it must be automatically hidden, in seconds + MaxDisplayDuration int32 `json:"max_display_duration"` + // True, if the advertisement can be reported to Telegram moderators through reportVideoMessageAdvertisement + CanBeReported bool `json:"can_be_reported"` + // Information about the sponsor of the advertisement + Sponsor *AdvertisementSponsor `json:"sponsor"` + // Title of the sponsored message + Title string `json:"title"` + // If non-empty, additional information about the sponsored message to be shown along with the message + AdditionalInfo string `json:"additional_info"` +} + +func (entity *VideoMessageAdvertisement) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub VideoMessageAdvertisement + + return json.Marshal((*stub)(entity)) +} + +func (*VideoMessageAdvertisement) GetClass() string { + return ClassVideoMessageAdvertisement +} + +func (*VideoMessageAdvertisement) GetType() string { + return TypeVideoMessageAdvertisement +} + +// Contains a list of advertisements to be shown while a video from a message is watched +type VideoMessageAdvertisements struct { + meta + // List of advertisements + Advertisements []*VideoMessageAdvertisement `json:"advertisements"` + // Delay before the first advertisement is shown, in seconds + StartDelay int32 `json:"start_delay"` + // Delay between consecutive advertisements, in seconds + BetweenDelay int32 `json:"between_delay"` +} + +func (entity *VideoMessageAdvertisements) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub VideoMessageAdvertisements + + return json.Marshal((*stub)(entity)) +} + +func (*VideoMessageAdvertisements) GetClass() string { + return ClassVideoMessageAdvertisements +} + +func (*VideoMessageAdvertisements) GetType() string { + return TypeVideoMessageAdvertisements +} + +// Describes an option to report an entity to Telegram +type ReportOption struct { + meta + // Unique identifier of the option + Id []byte `json:"id"` + // Text of the option + Text string `json:"text"` +} + +func (entity *ReportOption) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ReportOption + + return json.Marshal((*stub)(entity)) +} + +func (*ReportOption) GetClass() string { + return ClassReportOption +} + +func (*ReportOption) GetType() string { + return TypeReportOption +} + +// The message was reported successfully +type ReportSponsoredResultOk struct{ + meta +} + +func (entity *ReportSponsoredResultOk) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ReportSponsoredResultOk + + return json.Marshal((*stub)(entity)) +} + +func (*ReportSponsoredResultOk) GetClass() string { + return ClassReportSponsoredResult +} + +func (*ReportSponsoredResultOk) GetType() string { + return TypeReportSponsoredResultOk +} + +func (*ReportSponsoredResultOk) ReportSponsoredResultType() string { + return TypeReportSponsoredResultOk +} + +// The sponsored message is too old or not found +type ReportSponsoredResultFailed struct{ + meta +} + +func (entity *ReportSponsoredResultFailed) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ReportSponsoredResultFailed + + return json.Marshal((*stub)(entity)) +} + +func (*ReportSponsoredResultFailed) GetClass() string { + return ClassReportSponsoredResult +} + +func (*ReportSponsoredResultFailed) GetType() string { + return TypeReportSponsoredResultFailed +} + +func (*ReportSponsoredResultFailed) ReportSponsoredResultType() string { + return TypeReportSponsoredResultFailed +} + +// The user must choose an option to report the message and repeat request with the chosen option +type ReportSponsoredResultOptionRequired struct { + meta + // Title for the option choice + Title string `json:"title"` + // List of available options + Options []*ReportOption `json:"options"` +} + +func (entity *ReportSponsoredResultOptionRequired) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ReportSponsoredResultOptionRequired + + return json.Marshal((*stub)(entity)) +} + +func (*ReportSponsoredResultOptionRequired) GetClass() string { + return ClassReportSponsoredResult +} + +func (*ReportSponsoredResultOptionRequired) GetType() string { + return TypeReportSponsoredResultOptionRequired +} + +func (*ReportSponsoredResultOptionRequired) ReportSponsoredResultType() string { + return TypeReportSponsoredResultOptionRequired +} + +// Sponsored messages were hidden for the user in all chats +type ReportSponsoredResultAdsHidden struct{ + meta +} + +func (entity *ReportSponsoredResultAdsHidden) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ReportSponsoredResultAdsHidden + + return json.Marshal((*stub)(entity)) +} + +func (*ReportSponsoredResultAdsHidden) GetClass() string { + return ClassReportSponsoredResult +} + +func (*ReportSponsoredResultAdsHidden) GetType() string { + return TypeReportSponsoredResultAdsHidden +} + +func (*ReportSponsoredResultAdsHidden) ReportSponsoredResultType() string { + return TypeReportSponsoredResultAdsHidden +} + +// The user asked to hide sponsored messages, but Telegram Premium is required for this +type ReportSponsoredResultPremiumRequired struct{ + meta +} + +func (entity *ReportSponsoredResultPremiumRequired) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ReportSponsoredResultPremiumRequired + + return json.Marshal((*stub)(entity)) +} + +func (*ReportSponsoredResultPremiumRequired) GetClass() string { + return ClassReportSponsoredResult +} + +func (*ReportSponsoredResultPremiumRequired) GetType() string { + return TypeReportSponsoredResultPremiumRequired +} + +func (*ReportSponsoredResultPremiumRequired) ReportSponsoredResultType() string { + return TypeReportSponsoredResultPremiumRequired +} + +// Describes a file added to file download list +type FileDownload struct { + meta + // File identifier + FileId int32 `json:"file_id"` + // The message with the file + Message *Message `json:"message"` + // Point in time (Unix timestamp) when the file was added to the download list + AddDate int32 `json:"add_date"` + // Point in time (Unix timestamp) when the file downloading was completed; 0 if the file downloading isn't completed + CompleteDate int32 `json:"complete_date"` + // True, if downloading of the file is paused + IsPaused bool `json:"is_paused"` +} + +func (entity *FileDownload) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub FileDownload + + return json.Marshal((*stub)(entity)) +} + +func (*FileDownload) GetClass() string { + return ClassFileDownload +} + +func (*FileDownload) GetType() string { + return TypeFileDownload +} + +// Contains number of being downloaded and recently downloaded files found +type DownloadedFileCounts struct { + meta + // Number of active file downloads found, including paused + ActiveCount int32 `json:"active_count"` + // Number of paused file downloads found + PausedCount int32 `json:"paused_count"` + // Number of completed file downloads found + CompletedCount int32 `json:"completed_count"` +} + +func (entity *DownloadedFileCounts) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub DownloadedFileCounts + + return json.Marshal((*stub)(entity)) +} + +func (*DownloadedFileCounts) GetClass() string { + return ClassDownloadedFileCounts +} + +func (*DownloadedFileCounts) GetType() string { + return TypeDownloadedFileCounts +} + +// Contains a list of downloaded files, found by a search +type FoundFileDownloads struct { + meta + // Total number of suitable files, ignoring offset + TotalCounts *DownloadedFileCounts `json:"total_counts"` + // The list of files + Files []*FileDownload `json:"files"` + // The offset for the next request. If empty, then there are no more results + NextOffset string `json:"next_offset"` +} + +func (entity *FoundFileDownloads) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub FoundFileDownloads + + return json.Marshal((*stub)(entity)) +} + +func (*FoundFileDownloads) GetClass() string { + return ClassFoundFileDownloads +} + +func (*FoundFileDownloads) GetType() string { + return TypeFoundFileDownloads +} + +// Notification settings applied to all private and secret chats when the corresponding chat setting has a default value +type NotificationSettingsScopePrivateChats struct{ + meta +} + +func (entity *NotificationSettingsScopePrivateChats) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub NotificationSettingsScopePrivateChats + + return json.Marshal((*stub)(entity)) +} + +func (*NotificationSettingsScopePrivateChats) GetClass() string { + return ClassNotificationSettingsScope +} + +func (*NotificationSettingsScopePrivateChats) GetType() string { + return TypeNotificationSettingsScopePrivateChats +} + +func (*NotificationSettingsScopePrivateChats) NotificationSettingsScopeType() string { + return TypeNotificationSettingsScopePrivateChats +} + +// Notification settings applied to all basic group and supergroup chats when the corresponding chat setting has a default value +type NotificationSettingsScopeGroupChats struct{ + meta +} + +func (entity *NotificationSettingsScopeGroupChats) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub NotificationSettingsScopeGroupChats + + return json.Marshal((*stub)(entity)) +} + +func (*NotificationSettingsScopeGroupChats) GetClass() string { + return ClassNotificationSettingsScope +} + +func (*NotificationSettingsScopeGroupChats) GetType() string { + return TypeNotificationSettingsScopeGroupChats +} + +func (*NotificationSettingsScopeGroupChats) NotificationSettingsScopeType() string { + return TypeNotificationSettingsScopeGroupChats +} + +// Notification settings applied to all channel chats when the corresponding chat setting has a default value +type NotificationSettingsScopeChannelChats struct{ + meta +} + +func (entity *NotificationSettingsScopeChannelChats) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub NotificationSettingsScopeChannelChats + + return json.Marshal((*stub)(entity)) +} + +func (*NotificationSettingsScopeChannelChats) GetClass() string { + return ClassNotificationSettingsScope +} + +func (*NotificationSettingsScopeChannelChats) GetType() string { + return TypeNotificationSettingsScopeChannelChats +} + +func (*NotificationSettingsScopeChannelChats) NotificationSettingsScopeType() string { + return TypeNotificationSettingsScopeChannelChats +} + +// Contains information about notification settings for a chat or a forum topic +type ChatNotificationSettings struct { + meta + // If true, the value for the relevant type of chat or the forum chat is used instead of mute_for + UseDefaultMuteFor bool `json:"use_default_mute_for"` + // Time left before notifications will be unmuted, in seconds + MuteFor int32 `json:"mute_for"` + // If true, the value for the relevant type of chat or the forum chat is used instead of sound_id + UseDefaultSound bool `json:"use_default_sound"` + // Identifier of the notification sound to be played for messages; 0 if sound is disabled + SoundId JsonInt64 `json:"sound_id"` + // If true, the value for the relevant type of chat or the forum chat is used instead of show_preview + UseDefaultShowPreview bool `json:"use_default_show_preview"` + // True, if message content must be displayed in notifications + ShowPreview bool `json:"show_preview"` + // If true, the value for the relevant type of chat is used instead of mute_stories + UseDefaultMuteStories bool `json:"use_default_mute_stories"` + // True, if story notifications are disabled for the chat + MuteStories bool `json:"mute_stories"` + // If true, the value for the relevant type of chat is used instead of story_sound_id + UseDefaultStorySound bool `json:"use_default_story_sound"` + // Identifier of the notification sound to be played for stories; 0 if sound is disabled + StorySoundId JsonInt64 `json:"story_sound_id"` + // If true, the value for the relevant type of chat is used instead of show_story_poster + UseDefaultShowStoryPoster bool `json:"use_default_show_story_poster"` + // True, if the chat that posted a story must be displayed in notifications + ShowStoryPoster bool `json:"show_story_poster"` + // If true, the value for the relevant type of chat or the forum chat is used instead of disable_pinned_message_notifications + UseDefaultDisablePinnedMessageNotifications bool `json:"use_default_disable_pinned_message_notifications"` + // If true, notifications for incoming pinned messages will be created as for an ordinary unread message + DisablePinnedMessageNotifications bool `json:"disable_pinned_message_notifications"` + // If true, the value for the relevant type of chat or the forum chat is used instead of disable_mention_notifications + UseDefaultDisableMentionNotifications bool `json:"use_default_disable_mention_notifications"` + // If true, notifications for messages with mentions will be created as for an ordinary unread message + DisableMentionNotifications bool `json:"disable_mention_notifications"` +} + +func (entity *ChatNotificationSettings) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatNotificationSettings + + return json.Marshal((*stub)(entity)) +} + +func (*ChatNotificationSettings) GetClass() string { + return ClassChatNotificationSettings +} + +func (*ChatNotificationSettings) GetType() string { + return TypeChatNotificationSettings +} + +// Contains information about notification settings for several chats +type ScopeNotificationSettings struct { + meta + // Time left before notifications will be unmuted, in seconds + MuteFor int32 `json:"mute_for"` + // Identifier of the notification sound to be played; 0 if sound is disabled + SoundId JsonInt64 `json:"sound_id"` + // True, if message content must be displayed in notifications + ShowPreview bool `json:"show_preview"` + // If true, story notifications are received only for the first 5 chats from topChatCategoryUsers regardless of the value of mute_stories + UseDefaultMuteStories bool `json:"use_default_mute_stories"` + // True, if story notifications are disabled + MuteStories bool `json:"mute_stories"` + // Identifier of the notification sound to be played for stories; 0 if sound is disabled + StorySoundId JsonInt64 `json:"story_sound_id"` + // True, if the chat that posted a story must be displayed in notifications + ShowStoryPoster bool `json:"show_story_poster"` + // True, if notifications for incoming pinned messages will be created as for an ordinary unread message + DisablePinnedMessageNotifications bool `json:"disable_pinned_message_notifications"` + // True, if notifications for messages with mentions will be created as for an ordinary unread message + DisableMentionNotifications bool `json:"disable_mention_notifications"` +} + +func (entity *ScopeNotificationSettings) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ScopeNotificationSettings + + return json.Marshal((*stub)(entity)) +} + +func (*ScopeNotificationSettings) GetClass() string { + return ClassScopeNotificationSettings +} + +func (*ScopeNotificationSettings) GetType() string { + return TypeScopeNotificationSettings +} + +// Notifications for reactions are disabled +type ReactionNotificationSourceNone struct{ + meta +} + +func (entity *ReactionNotificationSourceNone) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ReactionNotificationSourceNone + + return json.Marshal((*stub)(entity)) +} + +func (*ReactionNotificationSourceNone) GetClass() string { + return ClassReactionNotificationSource +} + +func (*ReactionNotificationSourceNone) GetType() string { + return TypeReactionNotificationSourceNone +} + +func (*ReactionNotificationSourceNone) ReactionNotificationSourceType() string { + return TypeReactionNotificationSourceNone +} + +// Notifications for reactions are shown only for reactions from contacts +type ReactionNotificationSourceContacts struct{ + meta +} + +func (entity *ReactionNotificationSourceContacts) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ReactionNotificationSourceContacts + + return json.Marshal((*stub)(entity)) +} + +func (*ReactionNotificationSourceContacts) GetClass() string { + return ClassReactionNotificationSource +} + +func (*ReactionNotificationSourceContacts) GetType() string { + return TypeReactionNotificationSourceContacts +} + +func (*ReactionNotificationSourceContacts) ReactionNotificationSourceType() string { + return TypeReactionNotificationSourceContacts +} + +// Notifications for reactions are shown for all reactions +type ReactionNotificationSourceAll struct{ + meta +} + +func (entity *ReactionNotificationSourceAll) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ReactionNotificationSourceAll + + return json.Marshal((*stub)(entity)) +} + +func (*ReactionNotificationSourceAll) GetClass() string { + return ClassReactionNotificationSource +} + +func (*ReactionNotificationSourceAll) GetType() string { + return TypeReactionNotificationSourceAll +} + +func (*ReactionNotificationSourceAll) ReactionNotificationSourceType() string { + return TypeReactionNotificationSourceAll +} + +// Contains information about notification settings for reactions +type ReactionNotificationSettings struct { + meta + // Source of message reactions for which notifications are shown + MessageReactionSource ReactionNotificationSource `json:"message_reaction_source"` + // Source of story reactions for which notifications are shown + StoryReactionSource ReactionNotificationSource `json:"story_reaction_source"` + // Identifier of the notification sound to be played; 0 if sound is disabled + SoundId JsonInt64 `json:"sound_id"` + // True, if reaction sender and emoji must be displayed in notifications + ShowPreview bool `json:"show_preview"` +} + +func (entity *ReactionNotificationSettings) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ReactionNotificationSettings + + return json.Marshal((*stub)(entity)) +} + +func (*ReactionNotificationSettings) GetClass() string { + return ClassReactionNotificationSettings +} + +func (*ReactionNotificationSettings) GetType() string { + return TypeReactionNotificationSettings +} + +func (reactionNotificationSettings *ReactionNotificationSettings) UnmarshalJSON(data []byte) error { + var tmp struct { + MessageReactionSource json.RawMessage `json:"message_reaction_source"` + StoryReactionSource json.RawMessage `json:"story_reaction_source"` + SoundId JsonInt64 `json:"sound_id"` + ShowPreview bool `json:"show_preview"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + reactionNotificationSettings.SoundId = tmp.SoundId + reactionNotificationSettings.ShowPreview = tmp.ShowPreview + + fieldMessageReactionSource, _ := UnmarshalReactionNotificationSource(tmp.MessageReactionSource) + reactionNotificationSettings.MessageReactionSource = fieldMessageReactionSource + + fieldStoryReactionSource, _ := UnmarshalReactionNotificationSource(tmp.StoryReactionSource) + reactionNotificationSettings.StoryReactionSource = fieldStoryReactionSource + + return nil +} + +// Contains information about a message draft +type DraftMessage struct { + meta + // Information about the message to be replied; inputMessageReplyToStory is unsupported; may be null if none + ReplyTo InputMessageReplyTo `json:"reply_to"` + // Point in time (Unix timestamp) when the draft was created + Date int32 `json:"date"` + // Content of the message draft; must be of the type inputMessageText, inputMessageVideoNote, or inputMessageVoiceNote + InputMessageText InputMessageContent `json:"input_message_text"` + // Identifier of the effect to apply to the message when it is sent; 0 if none + EffectId JsonInt64 `json:"effect_id"` + // Information about the suggested post; may be null if none + SuggestedPostInfo *InputSuggestedPostInfo `json:"suggested_post_info"` +} + +func (entity *DraftMessage) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub DraftMessage + + return json.Marshal((*stub)(entity)) +} + +func (*DraftMessage) GetClass() string { + return ClassDraftMessage +} + +func (*DraftMessage) GetType() string { + return TypeDraftMessage +} + +func (draftMessage *DraftMessage) UnmarshalJSON(data []byte) error { + var tmp struct { + ReplyTo json.RawMessage `json:"reply_to"` + Date int32 `json:"date"` + InputMessageText json.RawMessage `json:"input_message_text"` + EffectId JsonInt64 `json:"effect_id"` + SuggestedPostInfo *InputSuggestedPostInfo `json:"suggested_post_info"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + draftMessage.Date = tmp.Date + draftMessage.EffectId = tmp.EffectId + draftMessage.SuggestedPostInfo = tmp.SuggestedPostInfo + + fieldReplyTo, _ := UnmarshalInputMessageReplyTo(tmp.ReplyTo) + draftMessage.ReplyTo = fieldReplyTo + + fieldInputMessageText, _ := UnmarshalInputMessageContent(tmp.InputMessageText) + draftMessage.InputMessageText = fieldInputMessageText + + return nil +} + +// An ordinary chat with a user +type ChatTypePrivate struct { + meta + // User identifier + UserId int64 `json:"user_id"` +} + +func (entity *ChatTypePrivate) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatTypePrivate + + return json.Marshal((*stub)(entity)) +} + +func (*ChatTypePrivate) GetClass() string { + return ClassChatType +} + +func (*ChatTypePrivate) GetType() string { + return TypeChatTypePrivate +} + +func (*ChatTypePrivate) ChatTypeType() string { + return TypeChatTypePrivate +} + +// A basic group (a chat with 0-200 other users) +type ChatTypeBasicGroup struct { + meta + // Basic group identifier + BasicGroupId int64 `json:"basic_group_id"` +} + +func (entity *ChatTypeBasicGroup) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatTypeBasicGroup + + return json.Marshal((*stub)(entity)) +} + +func (*ChatTypeBasicGroup) GetClass() string { + return ClassChatType +} + +func (*ChatTypeBasicGroup) GetType() string { + return TypeChatTypeBasicGroup +} + +func (*ChatTypeBasicGroup) ChatTypeType() string { + return TypeChatTypeBasicGroup +} + +// A supergroup or channel (with unlimited members) +type ChatTypeSupergroup struct { + meta + // Supergroup or channel identifier + SupergroupId int64 `json:"supergroup_id"` + // True, if the supergroup is a channel + IsChannel bool `json:"is_channel"` +} + +func (entity *ChatTypeSupergroup) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatTypeSupergroup + + return json.Marshal((*stub)(entity)) +} + +func (*ChatTypeSupergroup) GetClass() string { + return ClassChatType +} + +func (*ChatTypeSupergroup) GetType() string { + return TypeChatTypeSupergroup +} + +func (*ChatTypeSupergroup) ChatTypeType() string { + return TypeChatTypeSupergroup +} + +// A secret chat with a user +type ChatTypeSecret struct { + meta + // Secret chat identifier + SecretChatId int32 `json:"secret_chat_id"` + // User identifier of the other user in the secret chat + UserId int64 `json:"user_id"` +} + +func (entity *ChatTypeSecret) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatTypeSecret + + return json.Marshal((*stub)(entity)) +} + +func (*ChatTypeSecret) GetClass() string { + return ClassChatType +} + +func (*ChatTypeSecret) GetType() string { + return TypeChatTypeSecret +} + +func (*ChatTypeSecret) ChatTypeType() string { + return TypeChatTypeSecret +} + +// Represents an icon for a chat folder +type ChatFolderIcon struct { + meta + // The chosen icon name for short folder representation; one of "All", "Unread", "Unmuted", "Bots", "Channels", "Groups", "Private", "Custom", "Setup", "Cat", "Crown", "Favorite", "Flower", "Game", "Home", "Love", "Mask", "Party", "Sport", "Study", "Trade", "Travel", "Work", "Airplane", "Book", "Light", "Like", "Money", "Note", "Palette" + Name string `json:"name"` +} + +func (entity *ChatFolderIcon) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatFolderIcon + + return json.Marshal((*stub)(entity)) +} + +func (*ChatFolderIcon) GetClass() string { + return ClassChatFolderIcon +} + +func (*ChatFolderIcon) GetType() string { + return TypeChatFolderIcon +} + +// Describes name of a chat folder +type ChatFolderName struct { + meta + // The text of the chat folder name; 1-12 characters without line feeds. May contain only CustomEmoji entities + Text *FormattedText `json:"text"` + // True, if custom emoji in the name must be animated + AnimateCustomEmoji bool `json:"animate_custom_emoji"` +} + +func (entity *ChatFolderName) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatFolderName + + return json.Marshal((*stub)(entity)) +} + +func (*ChatFolderName) GetClass() string { + return ClassChatFolderName +} + +func (*ChatFolderName) GetType() string { + return TypeChatFolderName +} + +// Represents a folder for user chats +type ChatFolder struct { + meta + // The name of the folder + Name *ChatFolderName `json:"name"` + // The chosen icon for the chat folder; may be null. If null, use getChatFolderDefaultIconName to get default icon name for the folder + Icon *ChatFolderIcon `json:"icon"` + // The identifier of the chosen color for the chat folder icon; from -1 to 6. If -1, then color is disabled. Can't be changed if folder tags are disabled or the current user doesn't have Telegram Premium subscription + ColorId int32 `json:"color_id"` + // True, if at least one link has been created for the folder + IsShareable bool `json:"is_shareable"` + // The chat identifiers of pinned chats in the folder. There can be up to getOption("chat_folder_chosen_chat_count_max") pinned and always included non-secret chats and the same number of secret chats, but the limit can be increased with Telegram Premium + PinnedChatIds []int64 `json:"pinned_chat_ids"` + // The chat identifiers of always included chats in the folder. There can be up to getOption("chat_folder_chosen_chat_count_max") pinned and always included non-secret chats and the same number of secret chats, but the limit can be increased with Telegram Premium + IncludedChatIds []int64 `json:"included_chat_ids"` + // The chat identifiers of always excluded chats in the folder. There can be up to getOption("chat_folder_chosen_chat_count_max") always excluded non-secret chats and the same number of secret chats, but the limit can be increased with Telegram Premium + ExcludedChatIds []int64 `json:"excluded_chat_ids"` + // True, if muted chats need to be excluded + ExcludeMuted bool `json:"exclude_muted"` + // True, if read chats need to be excluded + ExcludeRead bool `json:"exclude_read"` + // True, if archived chats need to be excluded + ExcludeArchived bool `json:"exclude_archived"` + // True, if contacts need to be included + IncludeContacts bool `json:"include_contacts"` + // True, if non-contact users need to be included + IncludeNonContacts bool `json:"include_non_contacts"` + // True, if bots need to be included + IncludeBots bool `json:"include_bots"` + // True, if basic groups and supergroups need to be included + IncludeGroups bool `json:"include_groups"` + // True, if channels need to be included + IncludeChannels bool `json:"include_channels"` +} + +func (entity *ChatFolder) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatFolder + + return json.Marshal((*stub)(entity)) +} + +func (*ChatFolder) GetClass() string { + return ClassChatFolder +} + +func (*ChatFolder) GetType() string { + return TypeChatFolder +} + +// Contains basic information about a chat folder +type ChatFolderInfo struct { + meta + // Unique chat folder identifier + Id int32 `json:"id"` + // The name of the folder + Name *ChatFolderName `json:"name"` + // The chosen or default icon for the chat folder + Icon *ChatFolderIcon `json:"icon"` + // The identifier of the chosen color for the chat folder icon; from -1 to 6. If -1, then color is disabled + ColorId int32 `json:"color_id"` + // True, if at least one link has been created for the folder + IsShareable bool `json:"is_shareable"` + // True, if the chat folder has invite links created by the current user + HasMyInviteLinks bool `json:"has_my_invite_links"` +} + +func (entity *ChatFolderInfo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatFolderInfo + + return json.Marshal((*stub)(entity)) +} + +func (*ChatFolderInfo) GetClass() string { + return ClassChatFolderInfo +} + +func (*ChatFolderInfo) GetType() string { + return TypeChatFolderInfo +} + +// Contains a chat folder invite link +type ChatFolderInviteLink struct { + meta + // The chat folder invite link + InviteLink string `json:"invite_link"` + // Name of the link + Name string `json:"name"` + // Identifiers of chats, included in the link + ChatIds []int64 `json:"chat_ids"` +} + +func (entity *ChatFolderInviteLink) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatFolderInviteLink + + return json.Marshal((*stub)(entity)) +} + +func (*ChatFolderInviteLink) GetClass() string { + return ClassChatFolderInviteLink +} + +func (*ChatFolderInviteLink) GetType() string { + return TypeChatFolderInviteLink +} + +// Represents a list of chat folder invite links +type ChatFolderInviteLinks struct { + meta + // List of the invite links + InviteLinks []*ChatFolderInviteLink `json:"invite_links"` +} + +func (entity *ChatFolderInviteLinks) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatFolderInviteLinks + + return json.Marshal((*stub)(entity)) +} + +func (*ChatFolderInviteLinks) GetClass() string { + return ClassChatFolderInviteLinks +} + +func (*ChatFolderInviteLinks) GetType() string { + return TypeChatFolderInviteLinks +} + +// Contains information about an invite link to a chat folder +type ChatFolderInviteLinkInfo struct { + meta + // Basic information about the chat folder; chat folder identifier will be 0 if the user didn't have the chat folder yet + ChatFolderInfo *ChatFolderInfo `json:"chat_folder_info"` + // Identifiers of the chats from the link, which aren't added to the folder yet + MissingChatIds []int64 `json:"missing_chat_ids"` + // Identifiers of the chats from the link, which are added to the folder already + AddedChatIds []int64 `json:"added_chat_ids"` +} + +func (entity *ChatFolderInviteLinkInfo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatFolderInviteLinkInfo + + return json.Marshal((*stub)(entity)) +} + +func (*ChatFolderInviteLinkInfo) GetClass() string { + return ClassChatFolderInviteLinkInfo +} + +func (*ChatFolderInviteLinkInfo) GetType() string { + return TypeChatFolderInviteLinkInfo +} + +// Describes a recommended chat folder +type RecommendedChatFolder struct { + meta + // The chat folder + Folder *ChatFolder `json:"folder"` + // Chat folder description + Description string `json:"description"` +} + +func (entity *RecommendedChatFolder) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub RecommendedChatFolder + + return json.Marshal((*stub)(entity)) +} + +func (*RecommendedChatFolder) GetClass() string { + return ClassRecommendedChatFolder +} + +func (*RecommendedChatFolder) GetType() string { + return TypeRecommendedChatFolder +} + +// Contains a list of recommended chat folders +type RecommendedChatFolders struct { + meta + // List of recommended chat folders + ChatFolders []*RecommendedChatFolder `json:"chat_folders"` +} + +func (entity *RecommendedChatFolders) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub RecommendedChatFolders + + return json.Marshal((*stub)(entity)) +} + +func (*RecommendedChatFolders) GetClass() string { + return ClassRecommendedChatFolders +} + +func (*RecommendedChatFolders) GetType() string { + return TypeRecommendedChatFolders +} + +// Contains settings for automatic moving of chats to and from the Archive chat lists +type ArchiveChatListSettings struct { + meta + // True, if new chats from non-contacts will be automatically archived and muted. Can be set to true only if the option "can_archive_and_mute_new_chats_from_unknown_users" is true + ArchiveAndMuteNewChatsFromUnknownUsers bool `json:"archive_and_mute_new_chats_from_unknown_users"` + // True, if unmuted chats will be kept in the Archive chat list when they get a new message + KeepUnmutedChatsArchived bool `json:"keep_unmuted_chats_archived"` + // True, if unmuted chats, that are always included or pinned in a folder, will be kept in the Archive chat list when they get a new message. Ignored if keep_unmuted_chats_archived == true + KeepChatsFromFoldersArchived bool `json:"keep_chats_from_folders_archived"` +} + +func (entity *ArchiveChatListSettings) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ArchiveChatListSettings + + return json.Marshal((*stub)(entity)) +} + +func (*ArchiveChatListSettings) GetClass() string { + return ClassArchiveChatListSettings +} + +func (*ArchiveChatListSettings) GetType() string { + return TypeArchiveChatListSettings +} + +// A main list of chats +type ChatListMain struct{ + meta +} + +func (entity *ChatListMain) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatListMain + + return json.Marshal((*stub)(entity)) +} + +func (*ChatListMain) GetClass() string { + return ClassChatList +} + +func (*ChatListMain) GetType() string { + return TypeChatListMain +} + +func (*ChatListMain) ChatListType() string { + return TypeChatListMain +} + +// A list of chats usually located at the top of the main chat list. Unmuted chats are automatically moved from the Archive to the Main chat list when a new message arrives +type ChatListArchive struct{ + meta +} + +func (entity *ChatListArchive) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatListArchive + + return json.Marshal((*stub)(entity)) +} + +func (*ChatListArchive) GetClass() string { + return ClassChatList +} + +func (*ChatListArchive) GetType() string { + return TypeChatListArchive +} + +func (*ChatListArchive) ChatListType() string { + return TypeChatListArchive +} + +// A list of chats added to a chat folder +type ChatListFolder struct { + meta + // Chat folder identifier + ChatFolderId int32 `json:"chat_folder_id"` +} + +func (entity *ChatListFolder) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatListFolder + + return json.Marshal((*stub)(entity)) +} + +func (*ChatListFolder) GetClass() string { + return ClassChatList +} + +func (*ChatListFolder) GetType() string { + return TypeChatListFolder +} + +func (*ChatListFolder) ChatListType() string { + return TypeChatListFolder +} + +// Contains a list of chat lists +type ChatLists struct { + meta + // List of chat lists + ChatLists []ChatList `json:"chat_lists"` +} + +func (entity *ChatLists) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatLists + + return json.Marshal((*stub)(entity)) +} + +func (*ChatLists) GetClass() string { + return ClassChatLists +} + +func (*ChatLists) GetType() string { + return TypeChatLists +} + +func (chatLists *ChatLists) UnmarshalJSON(data []byte) error { + var tmp struct { + ChatLists []json.RawMessage `json:"chat_lists"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldChatLists, _ := UnmarshalListOfChatList(tmp.ChatLists) + chatLists.ChatLists = fieldChatLists + + return nil +} + +// The chat is sponsored by the user's MTProxy server +type ChatSourceMtprotoProxy struct{ + meta +} + +func (entity *ChatSourceMtprotoProxy) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatSourceMtprotoProxy + + return json.Marshal((*stub)(entity)) +} + +func (*ChatSourceMtprotoProxy) GetClass() string { + return ClassChatSource +} + +func (*ChatSourceMtprotoProxy) GetType() string { + return TypeChatSourceMtprotoProxy +} + +func (*ChatSourceMtprotoProxy) ChatSourceType() string { + return TypeChatSourceMtprotoProxy +} + +// The chat contains a public service announcement +type ChatSourcePublicServiceAnnouncement struct { + meta + // The type of the announcement + Type string `json:"type"` + // The text of the announcement + Text string `json:"text"` +} + +func (entity *ChatSourcePublicServiceAnnouncement) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatSourcePublicServiceAnnouncement + + return json.Marshal((*stub)(entity)) +} + +func (*ChatSourcePublicServiceAnnouncement) GetClass() string { + return ClassChatSource +} + +func (*ChatSourcePublicServiceAnnouncement) GetType() string { + return TypeChatSourcePublicServiceAnnouncement +} + +func (*ChatSourcePublicServiceAnnouncement) ChatSourceType() string { + return TypeChatSourcePublicServiceAnnouncement +} + +// Describes a position of a chat in a chat list +type ChatPosition struct { + meta + // The chat list + List ChatList `json:"list"` + // A parameter used to determine order of the chat in the chat list. Chats must be sorted by the pair (order, chat.id) in descending order + Order JsonInt64 `json:"order"` + // True, if the chat is pinned in the chat list + IsPinned bool `json:"is_pinned"` + // Source of the chat in the chat list; may be null + Source ChatSource `json:"source"` +} + +func (entity *ChatPosition) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatPosition + + return json.Marshal((*stub)(entity)) +} + +func (*ChatPosition) GetClass() string { + return ClassChatPosition +} + +func (*ChatPosition) GetType() string { + return TypeChatPosition +} + +func (chatPosition *ChatPosition) UnmarshalJSON(data []byte) error { + var tmp struct { + List json.RawMessage `json:"list"` + Order JsonInt64 `json:"order"` + IsPinned bool `json:"is_pinned"` + Source json.RawMessage `json:"source"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + chatPosition.Order = tmp.Order + chatPosition.IsPinned = tmp.IsPinned + + fieldList, _ := UnmarshalChatList(tmp.List) + chatPosition.List = fieldList + + fieldSource, _ := UnmarshalChatSource(tmp.Source) + chatPosition.Source = fieldSource + + return nil +} + +// All reactions are available in the chat, excluding the paid reaction and custom reactions in channel chats +type ChatAvailableReactionsAll struct { + meta + // The maximum allowed number of reactions per message; 1-11 + MaxReactionCount int32 `json:"max_reaction_count"` +} + +func (entity *ChatAvailableReactionsAll) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatAvailableReactionsAll + + return json.Marshal((*stub)(entity)) +} + +func (*ChatAvailableReactionsAll) GetClass() string { + return ClassChatAvailableReactions +} + +func (*ChatAvailableReactionsAll) GetType() string { + return TypeChatAvailableReactionsAll +} + +func (*ChatAvailableReactionsAll) ChatAvailableReactionsType() string { + return TypeChatAvailableReactionsAll +} + +// Only specific reactions are available in the chat +type ChatAvailableReactionsSome struct { + meta + // The list of reactions + Reactions []ReactionType `json:"reactions"` + // The maximum allowed number of reactions per message; 1-11 + MaxReactionCount int32 `json:"max_reaction_count"` +} + +func (entity *ChatAvailableReactionsSome) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatAvailableReactionsSome + + return json.Marshal((*stub)(entity)) +} + +func (*ChatAvailableReactionsSome) GetClass() string { + return ClassChatAvailableReactions +} + +func (*ChatAvailableReactionsSome) GetType() string { + return TypeChatAvailableReactionsSome +} + +func (*ChatAvailableReactionsSome) ChatAvailableReactionsType() string { + return TypeChatAvailableReactionsSome +} + +func (chatAvailableReactionsSome *ChatAvailableReactionsSome) UnmarshalJSON(data []byte) error { + var tmp struct { + Reactions []json.RawMessage `json:"reactions"` + MaxReactionCount int32 `json:"max_reaction_count"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + chatAvailableReactionsSome.MaxReactionCount = tmp.MaxReactionCount + + fieldReactions, _ := UnmarshalListOfReactionType(tmp.Reactions) + chatAvailableReactionsSome.Reactions = fieldReactions + + return nil +} + +// Represents a tag used in Saved Messages or a Saved Messages topic +type SavedMessagesTag struct { + meta + // The tag + Tag ReactionType `json:"tag"` + // Label of the tag; 0-12 characters. Always empty if the tag is returned for a Saved Messages topic + Label string `json:"label"` + // Number of times the tag was used; may be 0 if the tag has non-empty label + Count int32 `json:"count"` +} + +func (entity *SavedMessagesTag) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SavedMessagesTag + + return json.Marshal((*stub)(entity)) +} + +func (*SavedMessagesTag) GetClass() string { + return ClassSavedMessagesTag +} + +func (*SavedMessagesTag) GetType() string { + return TypeSavedMessagesTag +} + +func (savedMessagesTag *SavedMessagesTag) UnmarshalJSON(data []byte) error { + var tmp struct { + Tag json.RawMessage `json:"tag"` + Label string `json:"label"` + Count int32 `json:"count"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + savedMessagesTag.Label = tmp.Label + savedMessagesTag.Count = tmp.Count + + fieldTag, _ := UnmarshalReactionType(tmp.Tag) + savedMessagesTag.Tag = fieldTag + + return nil +} + +// Contains a list of tags used in Saved Messages +type SavedMessagesTags struct { + meta + // List of tags + Tags []*SavedMessagesTag `json:"tags"` +} + +func (entity *SavedMessagesTags) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SavedMessagesTags + + return json.Marshal((*stub)(entity)) +} + +func (*SavedMessagesTags) GetClass() string { + return ClassSavedMessagesTags +} + +func (*SavedMessagesTags) GetType() string { + return TypeSavedMessagesTags +} + +// Contains information about a business bot that manages the chat +type BusinessBotManageBar struct { + meta + // User identifier of the bot + BotUserId int64 `json:"bot_user_id"` + // URL to be opened to manage the bot + ManageUrl string `json:"manage_url"` + // True, if the bot is paused. Use toggleBusinessConnectedBotChatIsPaused to change the value of the field + IsBotPaused bool `json:"is_bot_paused"` + // True, if the bot can reply + CanBotReply bool `json:"can_bot_reply"` +} + +func (entity *BusinessBotManageBar) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BusinessBotManageBar + + return json.Marshal((*stub)(entity)) +} + +func (*BusinessBotManageBar) GetClass() string { + return ClassBusinessBotManageBar +} + +func (*BusinessBotManageBar) GetType() string { + return TypeBusinessBotManageBar +} + +// Describes a video chat, i.e. a group call bound to a chat +type VideoChat struct { + meta + // Group call identifier of an active video chat; 0 if none. Full information about the video chat can be received through the method getGroupCall + GroupCallId int32 `json:"group_call_id"` + // True, if the video chat has participants + HasParticipants bool `json:"has_participants"` + // Default group call participant identifier to join the video chat; may be null + DefaultParticipantId MessageSender `json:"default_participant_id"` +} + +func (entity *VideoChat) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub VideoChat + + return json.Marshal((*stub)(entity)) +} + +func (*VideoChat) GetClass() string { + return ClassVideoChat +} + +func (*VideoChat) GetType() string { + return TypeVideoChat +} + +func (videoChat *VideoChat) UnmarshalJSON(data []byte) error { + var tmp struct { + GroupCallId int32 `json:"group_call_id"` + HasParticipants bool `json:"has_participants"` + DefaultParticipantId json.RawMessage `json:"default_participant_id"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + videoChat.GroupCallId = tmp.GroupCallId + videoChat.HasParticipants = tmp.HasParticipants + + fieldDefaultParticipantId, _ := UnmarshalMessageSender(tmp.DefaultParticipantId) + videoChat.DefaultParticipantId = fieldDefaultParticipantId + + return nil +} + +// A chat. (Can be a private chat, basic group, supergroup, or secret chat) +type Chat struct { + meta + // Chat unique identifier + Id int64 `json:"id"` + // Type of the chat + Type ChatType `json:"type"` + // Chat title + Title string `json:"title"` + // Chat photo; may be null + Photo *ChatPhotoInfo `json:"photo"` + // Identifier of the accent color for message sender name, and backgrounds of chat photo, reply header, and link preview + AccentColorId int32 `json:"accent_color_id"` + // Identifier of a custom emoji to be shown on the reply header and link preview background for messages sent by the chat; 0 if none + BackgroundCustomEmojiId JsonInt64 `json:"background_custom_emoji_id"` + // Color scheme based on an upgraded gift to be used for the chat instead of accent_color_id and background_custom_emoji_id; may be null if none + UpgradedGiftColors *UpgradedGiftColors `json:"upgraded_gift_colors"` + // Identifier of the profile accent color for the chat's profile; -1 if none + ProfileAccentColorId int32 `json:"profile_accent_color_id"` + // Identifier of a custom emoji to be shown on the background of the chat's profile; 0 if none + ProfileBackgroundCustomEmojiId JsonInt64 `json:"profile_background_custom_emoji_id"` + // Actions that non-administrator chat members are allowed to take in the chat + Permissions *ChatPermissions `json:"permissions"` + // Last message in the chat; may be null if none or unknown + LastMessage *Message `json:"last_message"` + // Positions of the chat in chat lists + Positions []*ChatPosition `json:"positions"` + // Chat lists to which the chat belongs. A chat can have a non-zero position in a chat list even if it doesn't belong to the chat list and have no position in a chat list even if it belongs to the chat list + ChatLists []ChatList `json:"chat_lists"` + // Identifier of a user or chat that is selected to send messages in the chat; may be null if the user can't change message sender + MessageSenderId MessageSender `json:"message_sender_id"` + // Block list to which the chat is added; may be null if none + BlockList BlockList `json:"block_list"` + // True, if chat content can't be saved locally, forwarded, or copied + HasProtectedContent bool `json:"has_protected_content"` + // True, if translation of all messages in the chat must be suggested to the user + IsTranslatable bool `json:"is_translatable"` + // True, if the chat is marked as unread + IsMarkedAsUnread bool `json:"is_marked_as_unread"` + // True, if the chat is a forum supergroup that must be shown in the "View as topics" mode, or Saved Messages chat that must be shown in the "View as chats" + ViewAsTopics bool `json:"view_as_topics"` + // True, if the chat has scheduled messages + HasScheduledMessages bool `json:"has_scheduled_messages"` + // True, if the chat messages can be deleted only for the current user while other users will continue to see the messages + CanBeDeletedOnlyForSelf bool `json:"can_be_deleted_only_for_self"` + // True, if the chat messages can be deleted for all users + CanBeDeletedForAllUsers bool `json:"can_be_deleted_for_all_users"` + // True, if the chat can be reported to Telegram moderators through reportChat or reportChatPhoto + CanBeReported bool `json:"can_be_reported"` + // Default value of the disable_notification parameter, used when a message is sent to the chat + DefaultDisableNotification bool `json:"default_disable_notification"` + // Number of unread messages in the chat + UnreadCount int32 `json:"unread_count"` + // Identifier of the last read incoming message + LastReadInboxMessageId int64 `json:"last_read_inbox_message_id"` + // Identifier of the last read outgoing message + LastReadOutboxMessageId int64 `json:"last_read_outbox_message_id"` + // Number of unread messages with a mention/reply in the chat + UnreadMentionCount int32 `json:"unread_mention_count"` + // Number of messages with unread reactions in the chat + UnreadReactionCount int32 `json:"unread_reaction_count"` + // Notification settings for the chat + NotificationSettings *ChatNotificationSettings `json:"notification_settings"` + // Types of reaction, available in the chat + AvailableReactions ChatAvailableReactions `json:"available_reactions"` + // Current message auto-delete or self-destruct timer setting for the chat, in seconds; 0 if disabled. Self-destruct timer in secret chats starts after the message or its content is viewed. Auto-delete timer in other chats starts from the send date + MessageAutoDeleteTime int32 `json:"message_auto_delete_time"` + // Emoji status to be shown along with chat title; may be null + EmojiStatus *EmojiStatus `json:"emoji_status"` + // Background set for the chat; may be null if none + Background *ChatBackground `json:"background"` + // Theme set for the chat; may be null if none + Theme ChatTheme `json:"theme"` + // Information about actions which must be possible to do through the chat action bar; may be null if none + ActionBar ChatActionBar `json:"action_bar"` + // Information about bar for managing a business bot in the chat; may be null if none + BusinessBotManageBar *BusinessBotManageBar `json:"business_bot_manage_bar"` + // Information about video chat of the chat + VideoChat *VideoChat `json:"video_chat"` + // Information about pending join requests; may be null if none + PendingJoinRequests *ChatJoinRequestsInfo `json:"pending_join_requests"` + // Identifier of the message from which reply markup needs to be used; 0 if there is no default custom reply markup in the chat + ReplyMarkupMessageId int64 `json:"reply_markup_message_id"` + // A draft of a message in the chat; may be null if none + DraftMessage *DraftMessage `json:"draft_message"` + // Application-specific data associated with the chat. (For example, the chat scroll position or local chat notification settings can be stored here.) Persistent if the message database is used + ClientData string `json:"client_data"` +} + +func (entity *Chat) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub Chat + + return json.Marshal((*stub)(entity)) +} + +func (*Chat) GetClass() string { + return ClassChat +} + +func (*Chat) GetType() string { + return TypeChat +} + +func (chat *Chat) UnmarshalJSON(data []byte) error { + var tmp struct { + Id int64 `json:"id"` + Type json.RawMessage `json:"type"` + Title string `json:"title"` + Photo *ChatPhotoInfo `json:"photo"` + AccentColorId int32 `json:"accent_color_id"` + BackgroundCustomEmojiId JsonInt64 `json:"background_custom_emoji_id"` + UpgradedGiftColors *UpgradedGiftColors `json:"upgraded_gift_colors"` + ProfileAccentColorId int32 `json:"profile_accent_color_id"` + ProfileBackgroundCustomEmojiId JsonInt64 `json:"profile_background_custom_emoji_id"` + Permissions *ChatPermissions `json:"permissions"` + LastMessage *Message `json:"last_message"` + Positions []*ChatPosition `json:"positions"` + ChatLists []json.RawMessage `json:"chat_lists"` + MessageSenderId json.RawMessage `json:"message_sender_id"` + BlockList json.RawMessage `json:"block_list"` + HasProtectedContent bool `json:"has_protected_content"` + IsTranslatable bool `json:"is_translatable"` + IsMarkedAsUnread bool `json:"is_marked_as_unread"` + ViewAsTopics bool `json:"view_as_topics"` + HasScheduledMessages bool `json:"has_scheduled_messages"` + CanBeDeletedOnlyForSelf bool `json:"can_be_deleted_only_for_self"` + CanBeDeletedForAllUsers bool `json:"can_be_deleted_for_all_users"` + CanBeReported bool `json:"can_be_reported"` + DefaultDisableNotification bool `json:"default_disable_notification"` + UnreadCount int32 `json:"unread_count"` + LastReadInboxMessageId int64 `json:"last_read_inbox_message_id"` + LastReadOutboxMessageId int64 `json:"last_read_outbox_message_id"` + UnreadMentionCount int32 `json:"unread_mention_count"` + UnreadReactionCount int32 `json:"unread_reaction_count"` + NotificationSettings *ChatNotificationSettings `json:"notification_settings"` + AvailableReactions json.RawMessage `json:"available_reactions"` + MessageAutoDeleteTime int32 `json:"message_auto_delete_time"` + EmojiStatus *EmojiStatus `json:"emoji_status"` + Background *ChatBackground `json:"background"` + Theme json.RawMessage `json:"theme"` + ActionBar json.RawMessage `json:"action_bar"` + BusinessBotManageBar *BusinessBotManageBar `json:"business_bot_manage_bar"` + VideoChat *VideoChat `json:"video_chat"` + PendingJoinRequests *ChatJoinRequestsInfo `json:"pending_join_requests"` + ReplyMarkupMessageId int64 `json:"reply_markup_message_id"` + DraftMessage *DraftMessage `json:"draft_message"` + ClientData string `json:"client_data"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + chat.Id = tmp.Id + chat.Title = tmp.Title + chat.Photo = tmp.Photo + chat.AccentColorId = tmp.AccentColorId + chat.BackgroundCustomEmojiId = tmp.BackgroundCustomEmojiId + chat.UpgradedGiftColors = tmp.UpgradedGiftColors + chat.ProfileAccentColorId = tmp.ProfileAccentColorId + chat.ProfileBackgroundCustomEmojiId = tmp.ProfileBackgroundCustomEmojiId + chat.Permissions = tmp.Permissions + chat.LastMessage = tmp.LastMessage + chat.Positions = tmp.Positions + chat.HasProtectedContent = tmp.HasProtectedContent + chat.IsTranslatable = tmp.IsTranslatable + chat.IsMarkedAsUnread = tmp.IsMarkedAsUnread + chat.ViewAsTopics = tmp.ViewAsTopics + chat.HasScheduledMessages = tmp.HasScheduledMessages + chat.CanBeDeletedOnlyForSelf = tmp.CanBeDeletedOnlyForSelf + chat.CanBeDeletedForAllUsers = tmp.CanBeDeletedForAllUsers + chat.CanBeReported = tmp.CanBeReported + chat.DefaultDisableNotification = tmp.DefaultDisableNotification + chat.UnreadCount = tmp.UnreadCount + chat.LastReadInboxMessageId = tmp.LastReadInboxMessageId + chat.LastReadOutboxMessageId = tmp.LastReadOutboxMessageId + chat.UnreadMentionCount = tmp.UnreadMentionCount + chat.UnreadReactionCount = tmp.UnreadReactionCount + chat.NotificationSettings = tmp.NotificationSettings + chat.MessageAutoDeleteTime = tmp.MessageAutoDeleteTime + chat.EmojiStatus = tmp.EmojiStatus + chat.Background = tmp.Background + chat.BusinessBotManageBar = tmp.BusinessBotManageBar + chat.VideoChat = tmp.VideoChat + chat.PendingJoinRequests = tmp.PendingJoinRequests + chat.ReplyMarkupMessageId = tmp.ReplyMarkupMessageId + chat.DraftMessage = tmp.DraftMessage + chat.ClientData = tmp.ClientData + + fieldType, _ := UnmarshalChatType(tmp.Type) + chat.Type = fieldType + + fieldChatLists, _ := UnmarshalListOfChatList(tmp.ChatLists) + chat.ChatLists = fieldChatLists + + fieldMessageSenderId, _ := UnmarshalMessageSender(tmp.MessageSenderId) + chat.MessageSenderId = fieldMessageSenderId + + fieldBlockList, _ := UnmarshalBlockList(tmp.BlockList) + chat.BlockList = fieldBlockList + + fieldAvailableReactions, _ := UnmarshalChatAvailableReactions(tmp.AvailableReactions) + chat.AvailableReactions = fieldAvailableReactions + + fieldTheme, _ := UnmarshalChatTheme(tmp.Theme) + chat.Theme = fieldTheme + + fieldActionBar, _ := UnmarshalChatActionBar(tmp.ActionBar) + chat.ActionBar = fieldActionBar + + return nil +} + +// Represents a list of chats +type Chats struct { + meta + // Approximate total number of chats found + TotalCount int32 `json:"total_count"` + // List of chat identifiers + ChatIds []int64 `json:"chat_ids"` +} + +func (entity *Chats) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub Chats + + return json.Marshal((*stub)(entity)) +} + +func (*Chats) GetClass() string { + return ClassChats +} + +func (*Chats) GetType() string { + return TypeChats +} + +// Contains information about a user who has failed to be added to a chat +type FailedToAddMember struct { + meta + // User identifier + UserId int64 `json:"user_id"` + // True, if subscription to Telegram Premium would have allowed to add the user to the chat + PremiumWouldAllowInvite bool `json:"premium_would_allow_invite"` + // True, if subscription to Telegram Premium is required to send the user chat invite link + PremiumRequiredToSendMessages bool `json:"premium_required_to_send_messages"` +} + +func (entity *FailedToAddMember) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub FailedToAddMember + + return json.Marshal((*stub)(entity)) +} + +func (*FailedToAddMember) GetClass() string { + return ClassFailedToAddMember +} + +func (*FailedToAddMember) GetType() string { + return TypeFailedToAddMember +} + +// Represents a list of users that has failed to be added to a chat +type FailedToAddMembers struct { + meta + // Information about users that weren't added to the chat + FailedToAddMembers []*FailedToAddMember `json:"failed_to_add_members"` +} + +func (entity *FailedToAddMembers) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub FailedToAddMembers + + return json.Marshal((*stub)(entity)) +} + +func (*FailedToAddMembers) GetClass() string { + return ClassFailedToAddMembers +} + +func (*FailedToAddMembers) GetType() string { + return TypeFailedToAddMembers +} + +// Contains information about a newly created basic group chat +type CreatedBasicGroupChat struct { + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // Information about failed to add members + FailedToAddMembers *FailedToAddMembers `json:"failed_to_add_members"` +} + +func (entity *CreatedBasicGroupChat) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub CreatedBasicGroupChat + + return json.Marshal((*stub)(entity)) +} + +func (*CreatedBasicGroupChat) GetClass() string { + return ClassCreatedBasicGroupChat +} + +func (*CreatedBasicGroupChat) GetType() string { + return TypeCreatedBasicGroupChat +} + +// The chat is public, because it has an active username +type PublicChatTypeHasUsername struct{ + meta +} + +func (entity *PublicChatTypeHasUsername) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PublicChatTypeHasUsername + + return json.Marshal((*stub)(entity)) +} + +func (*PublicChatTypeHasUsername) GetClass() string { + return ClassPublicChatType +} + +func (*PublicChatTypeHasUsername) GetType() string { + return TypePublicChatTypeHasUsername +} + +func (*PublicChatTypeHasUsername) PublicChatTypeType() string { + return TypePublicChatTypeHasUsername +} + +// The chat is public, because it is a location-based supergroup +type PublicChatTypeIsLocationBased struct{ + meta +} + +func (entity *PublicChatTypeIsLocationBased) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PublicChatTypeIsLocationBased + + return json.Marshal((*stub)(entity)) +} + +func (*PublicChatTypeIsLocationBased) GetClass() string { + return ClassPublicChatType +} + +func (*PublicChatTypeIsLocationBased) GetType() string { + return TypePublicChatTypeIsLocationBased +} + +func (*PublicChatTypeIsLocationBased) PublicChatTypeType() string { + return TypePublicChatTypeIsLocationBased +} + +// Contains basic information about another user who started a chat with the current user +type AccountInfo struct { + meta + // Month when the user was registered in Telegram; 0-12; may be 0 if unknown + RegistrationMonth int32 `json:"registration_month"` + // Year when the user was registered in Telegram; 0-9999; may be 0 if unknown + RegistrationYear int32 `json:"registration_year"` + // A two-letter ISO 3166-1 alpha-2 country code based on the phone number of the user; may be empty if unknown + PhoneNumberCountryCode string `json:"phone_number_country_code"` + // Point in time (Unix timestamp) when the user changed name last time; 0 if unknown + LastNameChangeDate int32 `json:"last_name_change_date"` + // Point in time (Unix timestamp) when the user changed photo last time; 0 if unknown + LastPhotoChangeDate int32 `json:"last_photo_change_date"` +} + +func (entity *AccountInfo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub AccountInfo + + return json.Marshal((*stub)(entity)) +} + +func (*AccountInfo) GetClass() string { + return ClassAccountInfo +} + +func (*AccountInfo) GetType() string { + return TypeAccountInfo +} + +// The chat can be reported as spam using the method reportChat with an empty option_id and message_ids. If the chat is a private chat with a user with an emoji status, then a notice about emoji status usage must be shown +type ChatActionBarReportSpam struct { + meta + // If true, the chat was automatically archived and can be moved back to the main chat list using addChatToList simultaneously with setting chat notification settings to default using setChatNotificationSettings + CanUnarchive bool `json:"can_unarchive"` +} + +func (entity *ChatActionBarReportSpam) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatActionBarReportSpam + + return json.Marshal((*stub)(entity)) +} + +func (*ChatActionBarReportSpam) GetClass() string { + return ClassChatActionBar +} + +func (*ChatActionBarReportSpam) GetType() string { + return TypeChatActionBarReportSpam +} + +func (*ChatActionBarReportSpam) ChatActionBarType() string { + return TypeChatActionBarReportSpam +} + +// The chat is a recently created group chat to which new members can be invited +type ChatActionBarInviteMembers struct{ + meta +} + +func (entity *ChatActionBarInviteMembers) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatActionBarInviteMembers + + return json.Marshal((*stub)(entity)) +} + +func (*ChatActionBarInviteMembers) GetClass() string { + return ClassChatActionBar +} + +func (*ChatActionBarInviteMembers) GetType() string { + return TypeChatActionBarInviteMembers +} + +func (*ChatActionBarInviteMembers) ChatActionBarType() string { + return TypeChatActionBarInviteMembers +} + +// The chat is a private or secret chat, which can be reported using the method reportChat, or the other user can be blocked using the method setMessageSenderBlockList, or the other user can be added to the contact list using the method addContact. If the chat is a private chat with a user with an emoji status, then a notice about emoji status usage must be shown +type ChatActionBarReportAddBlock struct { + meta + // If true, the chat was automatically archived and can be moved back to the main chat list using addChatToList simultaneously with setting chat notification settings to default using setChatNotificationSettings + CanUnarchive bool `json:"can_unarchive"` + // Basic information about the other user in the chat; may be null if unknown + AccountInfo *AccountInfo `json:"account_info"` +} + +func (entity *ChatActionBarReportAddBlock) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatActionBarReportAddBlock + + return json.Marshal((*stub)(entity)) +} + +func (*ChatActionBarReportAddBlock) GetClass() string { + return ClassChatActionBar +} + +func (*ChatActionBarReportAddBlock) GetType() string { + return TypeChatActionBarReportAddBlock +} + +func (*ChatActionBarReportAddBlock) ChatActionBarType() string { + return TypeChatActionBarReportAddBlock +} + +// The chat is a private or secret chat and the other user can be added to the contact list using the method addContact +type ChatActionBarAddContact struct{ + meta +} + +func (entity *ChatActionBarAddContact) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatActionBarAddContact + + return json.Marshal((*stub)(entity)) +} + +func (*ChatActionBarAddContact) GetClass() string { + return ClassChatActionBar +} + +func (*ChatActionBarAddContact) GetType() string { + return TypeChatActionBarAddContact +} + +func (*ChatActionBarAddContact) ChatActionBarType() string { + return TypeChatActionBarAddContact +} + +// The chat is a private or secret chat with a mutual contact and the user's phone number can be shared with the other user using the method sharePhoneNumber +type ChatActionBarSharePhoneNumber struct{ + meta +} + +func (entity *ChatActionBarSharePhoneNumber) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatActionBarSharePhoneNumber + + return json.Marshal((*stub)(entity)) +} + +func (*ChatActionBarSharePhoneNumber) GetClass() string { + return ClassChatActionBar +} + +func (*ChatActionBarSharePhoneNumber) GetType() string { + return TypeChatActionBarSharePhoneNumber +} + +func (*ChatActionBarSharePhoneNumber) ChatActionBarType() string { + return TypeChatActionBarSharePhoneNumber +} + +// The chat is a private chat with an administrator of a chat to which the user sent join request +type ChatActionBarJoinRequest struct { + meta + // Title of the chat to which the join request was sent + Title string `json:"title"` + // True, if the join request was sent to a channel chat + IsChannel bool `json:"is_channel"` + // Point in time (Unix timestamp) when the join request was sent + RequestDate int32 `json:"request_date"` +} + +func (entity *ChatActionBarJoinRequest) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatActionBarJoinRequest + + return json.Marshal((*stub)(entity)) +} + +func (*ChatActionBarJoinRequest) GetClass() string { + return ClassChatActionBar +} + +func (*ChatActionBarJoinRequest) GetType() string { + return TypeChatActionBarJoinRequest +} + +func (*ChatActionBarJoinRequest) ChatActionBarType() string { + return TypeChatActionBarJoinRequest +} + +// The button has default style +type ButtonStyleDefault struct{ + meta +} + +func (entity *ButtonStyleDefault) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ButtonStyleDefault + + return json.Marshal((*stub)(entity)) +} + +func (*ButtonStyleDefault) GetClass() string { + return ClassButtonStyle +} + +func (*ButtonStyleDefault) GetType() string { + return TypeButtonStyleDefault +} + +func (*ButtonStyleDefault) ButtonStyleType() string { + return TypeButtonStyleDefault +} + +// The button has dark blue color +type ButtonStylePrimary struct{ + meta +} + +func (entity *ButtonStylePrimary) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ButtonStylePrimary + + return json.Marshal((*stub)(entity)) +} + +func (*ButtonStylePrimary) GetClass() string { + return ClassButtonStyle +} + +func (*ButtonStylePrimary) GetType() string { + return TypeButtonStylePrimary +} + +func (*ButtonStylePrimary) ButtonStyleType() string { + return TypeButtonStylePrimary +} + +// The button has red color +type ButtonStyleDanger struct{ + meta +} + +func (entity *ButtonStyleDanger) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ButtonStyleDanger + + return json.Marshal((*stub)(entity)) +} + +func (*ButtonStyleDanger) GetClass() string { + return ClassButtonStyle +} + +func (*ButtonStyleDanger) GetType() string { + return TypeButtonStyleDanger +} + +func (*ButtonStyleDanger) ButtonStyleType() string { + return TypeButtonStyleDanger +} + +// The button has green color +type ButtonStyleSuccess struct{ + meta +} + +func (entity *ButtonStyleSuccess) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ButtonStyleSuccess + + return json.Marshal((*stub)(entity)) +} + +func (*ButtonStyleSuccess) GetClass() string { + return ClassButtonStyle +} + +func (*ButtonStyleSuccess) GetType() string { + return TypeButtonStyleSuccess +} + +func (*ButtonStyleSuccess) ButtonStyleType() string { + return TypeButtonStyleSuccess +} + +// A simple button, with text that must be sent when the button is pressed +type KeyboardButtonTypeText struct{ + meta +} + +func (entity *KeyboardButtonTypeText) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub KeyboardButtonTypeText + + return json.Marshal((*stub)(entity)) +} + +func (*KeyboardButtonTypeText) GetClass() string { + return ClassKeyboardButtonType +} + +func (*KeyboardButtonTypeText) GetType() string { + return TypeKeyboardButtonTypeText +} + +func (*KeyboardButtonTypeText) KeyboardButtonTypeType() string { + return TypeKeyboardButtonTypeText +} + +// A button that sends the user's phone number when pressed; available only in private chats +type KeyboardButtonTypeRequestPhoneNumber struct{ + meta +} + +func (entity *KeyboardButtonTypeRequestPhoneNumber) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub KeyboardButtonTypeRequestPhoneNumber + + return json.Marshal((*stub)(entity)) +} + +func (*KeyboardButtonTypeRequestPhoneNumber) GetClass() string { + return ClassKeyboardButtonType +} + +func (*KeyboardButtonTypeRequestPhoneNumber) GetType() string { + return TypeKeyboardButtonTypeRequestPhoneNumber +} + +func (*KeyboardButtonTypeRequestPhoneNumber) KeyboardButtonTypeType() string { + return TypeKeyboardButtonTypeRequestPhoneNumber +} + +// A button that sends the user's location when pressed; available only in private chats +type KeyboardButtonTypeRequestLocation struct{ + meta +} + +func (entity *KeyboardButtonTypeRequestLocation) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub KeyboardButtonTypeRequestLocation + + return json.Marshal((*stub)(entity)) +} + +func (*KeyboardButtonTypeRequestLocation) GetClass() string { + return ClassKeyboardButtonType +} + +func (*KeyboardButtonTypeRequestLocation) GetType() string { + return TypeKeyboardButtonTypeRequestLocation +} + +func (*KeyboardButtonTypeRequestLocation) KeyboardButtonTypeType() string { + return TypeKeyboardButtonTypeRequestLocation +} + +// A button that allows the user to create and send a poll when pressed; available only in private chats +type KeyboardButtonTypeRequestPoll struct { + meta + // If true, only regular polls must be allowed to create + ForceRegular bool `json:"force_regular"` + // If true, only polls in quiz mode must be allowed to create + ForceQuiz bool `json:"force_quiz"` +} + +func (entity *KeyboardButtonTypeRequestPoll) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub KeyboardButtonTypeRequestPoll + + return json.Marshal((*stub)(entity)) +} + +func (*KeyboardButtonTypeRequestPoll) GetClass() string { + return ClassKeyboardButtonType +} + +func (*KeyboardButtonTypeRequestPoll) GetType() string { + return TypeKeyboardButtonTypeRequestPoll +} + +func (*KeyboardButtonTypeRequestPoll) KeyboardButtonTypeType() string { + return TypeKeyboardButtonTypeRequestPoll +} + +// A button that requests users to be shared by the current user; available only in private chats. Use the method shareUsersWithBot to complete the request +type KeyboardButtonTypeRequestUsers struct { + meta + // Unique button identifier + Id int32 `json:"id"` + // True, if the shared users must or must not be bots + RestrictUserIsBot bool `json:"restrict_user_is_bot"` + // True, if the shared users must be bots; otherwise, the shared users must not be bots. Ignored if restrict_user_is_bot is false + UserIsBot bool `json:"user_is_bot"` + // True, if the shared users must or must not be Telegram Premium users + RestrictUserIsPremium bool `json:"restrict_user_is_premium"` + // True, if the shared users must be Telegram Premium users; otherwise, the shared users must not be Telegram Premium users. Ignored if restrict_user_is_premium is false + UserIsPremium bool `json:"user_is_premium"` + // The maximum number of users to share + MaxQuantity int32 `json:"max_quantity"` + // Pass true to request name of the users; bots only + RequestName bool `json:"request_name"` + // Pass true to request username of the users; bots only + RequestUsername bool `json:"request_username"` + // Pass true to request photo of the users; bots only + RequestPhoto bool `json:"request_photo"` +} + +func (entity *KeyboardButtonTypeRequestUsers) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub KeyboardButtonTypeRequestUsers + + return json.Marshal((*stub)(entity)) +} + +func (*KeyboardButtonTypeRequestUsers) GetClass() string { + return ClassKeyboardButtonType +} + +func (*KeyboardButtonTypeRequestUsers) GetType() string { + return TypeKeyboardButtonTypeRequestUsers +} + +func (*KeyboardButtonTypeRequestUsers) KeyboardButtonTypeType() string { + return TypeKeyboardButtonTypeRequestUsers +} + +// A button that requests a chat to be shared by the current user; available only in private chats. Use the method shareChatWithBot to complete the request +type KeyboardButtonTypeRequestChat struct { + meta + // Unique button identifier + Id int32 `json:"id"` + // True, if the chat must be a channel; otherwise, a basic group or a supergroup chat is shared + ChatIsChannel bool `json:"chat_is_channel"` + // True, if the chat must or must not be a forum supergroup + RestrictChatIsForum bool `json:"restrict_chat_is_forum"` + // True, if the chat must be a forum supergroup; otherwise, the chat must not be a forum supergroup. Ignored if restrict_chat_is_forum is false + ChatIsForum bool `json:"chat_is_forum"` + // True, if the chat must or must not have a username + RestrictChatHasUsername bool `json:"restrict_chat_has_username"` + // True, if the chat must have a username; otherwise, the chat must not have a username. Ignored if restrict_chat_has_username is false + ChatHasUsername bool `json:"chat_has_username"` + // True, if the chat must be created by the current user + ChatIsCreated bool `json:"chat_is_created"` + // Expected user administrator rights in the chat; may be null if they aren't restricted + UserAdministratorRights *ChatAdministratorRights `json:"user_administrator_rights"` + // Expected bot administrator rights in the chat; may be null if they aren't restricted + BotAdministratorRights *ChatAdministratorRights `json:"bot_administrator_rights"` + // True, if the bot must be a member of the chat; for basic group and supergroup chats only + BotIsMember bool `json:"bot_is_member"` + // Pass true to request title of the chat; bots only + RequestTitle bool `json:"request_title"` + // Pass true to request username of the chat; bots only + RequestUsername bool `json:"request_username"` + // Pass true to request photo of the chat; bots only + RequestPhoto bool `json:"request_photo"` +} + +func (entity *KeyboardButtonTypeRequestChat) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub KeyboardButtonTypeRequestChat + + return json.Marshal((*stub)(entity)) +} + +func (*KeyboardButtonTypeRequestChat) GetClass() string { + return ClassKeyboardButtonType +} + +func (*KeyboardButtonTypeRequestChat) GetType() string { + return TypeKeyboardButtonTypeRequestChat +} + +func (*KeyboardButtonTypeRequestChat) KeyboardButtonTypeType() string { + return TypeKeyboardButtonTypeRequestChat +} + +// A button that opens a Web App by calling getWebAppUrl +type KeyboardButtonTypeWebApp struct { + meta + // An HTTP URL to pass to getWebAppUrl + Url string `json:"url"` +} + +func (entity *KeyboardButtonTypeWebApp) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub KeyboardButtonTypeWebApp + + return json.Marshal((*stub)(entity)) +} + +func (*KeyboardButtonTypeWebApp) GetClass() string { + return ClassKeyboardButtonType +} + +func (*KeyboardButtonTypeWebApp) GetType() string { + return TypeKeyboardButtonTypeWebApp +} + +func (*KeyboardButtonTypeWebApp) KeyboardButtonTypeType() string { + return TypeKeyboardButtonTypeWebApp +} + +// Represents a single button in a bot keyboard +type KeyboardButton struct { + meta + // Text of the button + Text string `json:"text"` + // Identifier of the custom emoji that must be shown on the button; 0 if none + IconCustomEmojiId JsonInt64 `json:"icon_custom_emoji_id"` + // Style of the button + Style ButtonStyle `json:"style"` + // Type of the button + Type KeyboardButtonType `json:"type"` +} + +func (entity *KeyboardButton) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub KeyboardButton + + return json.Marshal((*stub)(entity)) +} + +func (*KeyboardButton) GetClass() string { + return ClassKeyboardButton +} + +func (*KeyboardButton) GetType() string { + return TypeKeyboardButton +} + +func (keyboardButton *KeyboardButton) UnmarshalJSON(data []byte) error { + var tmp struct { + Text string `json:"text"` + IconCustomEmojiId JsonInt64 `json:"icon_custom_emoji_id"` + Style json.RawMessage `json:"style"` + Type json.RawMessage `json:"type"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + keyboardButton.Text = tmp.Text + keyboardButton.IconCustomEmojiId = tmp.IconCustomEmojiId + + fieldStyle, _ := UnmarshalButtonStyle(tmp.Style) + keyboardButton.Style = fieldStyle + + fieldType, _ := UnmarshalKeyboardButtonType(tmp.Type) + keyboardButton.Type = fieldType + + return nil +} + +// A button that opens a specified URL +type InlineKeyboardButtonTypeUrl struct { + meta + // HTTP or tg:// URL to open. If the link is of the type internalLinkTypeWebApp, then the button must be marked as a Web App button + Url string `json:"url"` +} + +func (entity *InlineKeyboardButtonTypeUrl) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InlineKeyboardButtonTypeUrl + + return json.Marshal((*stub)(entity)) +} + +func (*InlineKeyboardButtonTypeUrl) GetClass() string { + return ClassInlineKeyboardButtonType +} + +func (*InlineKeyboardButtonTypeUrl) GetType() string { + return TypeInlineKeyboardButtonTypeUrl +} + +func (*InlineKeyboardButtonTypeUrl) InlineKeyboardButtonTypeType() string { + return TypeInlineKeyboardButtonTypeUrl +} + +// A button that opens a specified URL and automatically authorize the current user by calling getLoginUrlInfo +type InlineKeyboardButtonTypeLoginUrl struct { + meta + // An HTTP URL to pass to getLoginUrlInfo + Url string `json:"url"` + // Unique button identifier + Id int64 `json:"id"` + // If non-empty, new text of the button in forwarded messages + ForwardText string `json:"forward_text"` +} + +func (entity *InlineKeyboardButtonTypeLoginUrl) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InlineKeyboardButtonTypeLoginUrl + + return json.Marshal((*stub)(entity)) +} + +func (*InlineKeyboardButtonTypeLoginUrl) GetClass() string { + return ClassInlineKeyboardButtonType +} + +func (*InlineKeyboardButtonTypeLoginUrl) GetType() string { + return TypeInlineKeyboardButtonTypeLoginUrl +} + +func (*InlineKeyboardButtonTypeLoginUrl) InlineKeyboardButtonTypeType() string { + return TypeInlineKeyboardButtonTypeLoginUrl +} + +// A button that opens a Web App by calling openWebApp +type InlineKeyboardButtonTypeWebApp struct { + meta + // An HTTP URL to pass to openWebApp + Url string `json:"url"` +} + +func (entity *InlineKeyboardButtonTypeWebApp) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InlineKeyboardButtonTypeWebApp + + return json.Marshal((*stub)(entity)) +} + +func (*InlineKeyboardButtonTypeWebApp) GetClass() string { + return ClassInlineKeyboardButtonType +} + +func (*InlineKeyboardButtonTypeWebApp) GetType() string { + return TypeInlineKeyboardButtonTypeWebApp +} + +func (*InlineKeyboardButtonTypeWebApp) InlineKeyboardButtonTypeType() string { + return TypeInlineKeyboardButtonTypeWebApp +} + +// A button that sends a callback query to a bot +type InlineKeyboardButtonTypeCallback struct { + meta + // Data to be sent to the bot via a callback query + Data []byte `json:"data"` +} + +func (entity *InlineKeyboardButtonTypeCallback) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InlineKeyboardButtonTypeCallback + + return json.Marshal((*stub)(entity)) +} + +func (*InlineKeyboardButtonTypeCallback) GetClass() string { + return ClassInlineKeyboardButtonType +} + +func (*InlineKeyboardButtonTypeCallback) GetType() string { + return TypeInlineKeyboardButtonTypeCallback +} + +func (*InlineKeyboardButtonTypeCallback) InlineKeyboardButtonTypeType() string { + return TypeInlineKeyboardButtonTypeCallback +} + +// A button that asks for the 2-step verification password of the current user and then sends a callback query to a bot +type InlineKeyboardButtonTypeCallbackWithPassword struct { + meta + // Data to be sent to the bot via a callback query + Data []byte `json:"data"` +} + +func (entity *InlineKeyboardButtonTypeCallbackWithPassword) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InlineKeyboardButtonTypeCallbackWithPassword + + return json.Marshal((*stub)(entity)) +} + +func (*InlineKeyboardButtonTypeCallbackWithPassword) GetClass() string { + return ClassInlineKeyboardButtonType +} + +func (*InlineKeyboardButtonTypeCallbackWithPassword) GetType() string { + return TypeInlineKeyboardButtonTypeCallbackWithPassword +} + +func (*InlineKeyboardButtonTypeCallbackWithPassword) InlineKeyboardButtonTypeType() string { + return TypeInlineKeyboardButtonTypeCallbackWithPassword +} + +// A button with a game that sends a callback query to a bot. This button must be in the first column and row of the keyboard and can be attached only to a message with content of the type messageGame +type InlineKeyboardButtonTypeCallbackGame struct{ + meta +} + +func (entity *InlineKeyboardButtonTypeCallbackGame) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InlineKeyboardButtonTypeCallbackGame + + return json.Marshal((*stub)(entity)) +} + +func (*InlineKeyboardButtonTypeCallbackGame) GetClass() string { + return ClassInlineKeyboardButtonType +} + +func (*InlineKeyboardButtonTypeCallbackGame) GetType() string { + return TypeInlineKeyboardButtonTypeCallbackGame +} + +func (*InlineKeyboardButtonTypeCallbackGame) InlineKeyboardButtonTypeType() string { + return TypeInlineKeyboardButtonTypeCallbackGame +} + +// A button that forces an inline query to the bot to be inserted in the input field +type InlineKeyboardButtonTypeSwitchInline struct { + meta + // Inline query to be sent to the bot + Query string `json:"query"` + // Target chat from which to send the inline query + TargetChat TargetChat `json:"target_chat"` +} + +func (entity *InlineKeyboardButtonTypeSwitchInline) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InlineKeyboardButtonTypeSwitchInline + + return json.Marshal((*stub)(entity)) +} + +func (*InlineKeyboardButtonTypeSwitchInline) GetClass() string { + return ClassInlineKeyboardButtonType +} + +func (*InlineKeyboardButtonTypeSwitchInline) GetType() string { + return TypeInlineKeyboardButtonTypeSwitchInline +} + +func (*InlineKeyboardButtonTypeSwitchInline) InlineKeyboardButtonTypeType() string { + return TypeInlineKeyboardButtonTypeSwitchInline +} + +func (inlineKeyboardButtonTypeSwitchInline *InlineKeyboardButtonTypeSwitchInline) UnmarshalJSON(data []byte) error { + var tmp struct { + Query string `json:"query"` + TargetChat json.RawMessage `json:"target_chat"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + inlineKeyboardButtonTypeSwitchInline.Query = tmp.Query + + fieldTargetChat, _ := UnmarshalTargetChat(tmp.TargetChat) + inlineKeyboardButtonTypeSwitchInline.TargetChat = fieldTargetChat + + return nil +} + +// A button to buy something. This button must be in the first column and row of the keyboard and can be attached only to a message with content of the type messageInvoice +type InlineKeyboardButtonTypeBuy struct{ + meta +} + +func (entity *InlineKeyboardButtonTypeBuy) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InlineKeyboardButtonTypeBuy + + return json.Marshal((*stub)(entity)) +} + +func (*InlineKeyboardButtonTypeBuy) GetClass() string { + return ClassInlineKeyboardButtonType +} + +func (*InlineKeyboardButtonTypeBuy) GetType() string { + return TypeInlineKeyboardButtonTypeBuy +} + +func (*InlineKeyboardButtonTypeBuy) InlineKeyboardButtonTypeType() string { + return TypeInlineKeyboardButtonTypeBuy +} + +// A button with a user reference to be handled in the same way as textEntityTypeMentionName entities +type InlineKeyboardButtonTypeUser struct { + meta + // User identifier + UserId int64 `json:"user_id"` +} + +func (entity *InlineKeyboardButtonTypeUser) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InlineKeyboardButtonTypeUser + + return json.Marshal((*stub)(entity)) +} + +func (*InlineKeyboardButtonTypeUser) GetClass() string { + return ClassInlineKeyboardButtonType +} + +func (*InlineKeyboardButtonTypeUser) GetType() string { + return TypeInlineKeyboardButtonTypeUser +} + +func (*InlineKeyboardButtonTypeUser) InlineKeyboardButtonTypeType() string { + return TypeInlineKeyboardButtonTypeUser +} + +// A button that copies specified text to clipboard +type InlineKeyboardButtonTypeCopyText struct { + meta + // The text to copy to clipboard + Text string `json:"text"` +} + +func (entity *InlineKeyboardButtonTypeCopyText) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InlineKeyboardButtonTypeCopyText + + return json.Marshal((*stub)(entity)) +} + +func (*InlineKeyboardButtonTypeCopyText) GetClass() string { + return ClassInlineKeyboardButtonType +} + +func (*InlineKeyboardButtonTypeCopyText) GetType() string { + return TypeInlineKeyboardButtonTypeCopyText +} + +func (*InlineKeyboardButtonTypeCopyText) InlineKeyboardButtonTypeType() string { + return TypeInlineKeyboardButtonTypeCopyText +} + +// Represents a single button in an inline keyboard +type InlineKeyboardButton struct { + meta + // Text of the button + Text string `json:"text"` + // Identifier of the custom emoji that must be shown on the button; 0 if none + IconCustomEmojiId JsonInt64 `json:"icon_custom_emoji_id"` + // Style of the button + Style ButtonStyle `json:"style"` + // Type of the button + Type InlineKeyboardButtonType `json:"type"` +} + +func (entity *InlineKeyboardButton) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InlineKeyboardButton + + return json.Marshal((*stub)(entity)) +} + +func (*InlineKeyboardButton) GetClass() string { + return ClassInlineKeyboardButton +} + +func (*InlineKeyboardButton) GetType() string { + return TypeInlineKeyboardButton +} + +func (inlineKeyboardButton *InlineKeyboardButton) UnmarshalJSON(data []byte) error { + var tmp struct { + Text string `json:"text"` + IconCustomEmojiId JsonInt64 `json:"icon_custom_emoji_id"` + Style json.RawMessage `json:"style"` + Type json.RawMessage `json:"type"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + inlineKeyboardButton.Text = tmp.Text + inlineKeyboardButton.IconCustomEmojiId = tmp.IconCustomEmojiId + + fieldStyle, _ := UnmarshalButtonStyle(tmp.Style) + inlineKeyboardButton.Style = fieldStyle + + fieldType, _ := UnmarshalInlineKeyboardButtonType(tmp.Type) + inlineKeyboardButton.Type = fieldType + + return nil +} + +// Instructs application to remove the keyboard once this message has been received. This kind of keyboard can't be received in an incoming message; instead, updateChatReplyMarkup with message_id == 0 will be sent +type ReplyMarkupRemoveKeyboard struct { + meta + // True, if the keyboard is removed only for the mentioned users or the target user of a reply + IsPersonal bool `json:"is_personal"` +} + +func (entity *ReplyMarkupRemoveKeyboard) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ReplyMarkupRemoveKeyboard + + return json.Marshal((*stub)(entity)) +} + +func (*ReplyMarkupRemoveKeyboard) GetClass() string { + return ClassReplyMarkup +} + +func (*ReplyMarkupRemoveKeyboard) GetType() string { + return TypeReplyMarkupRemoveKeyboard +} + +func (*ReplyMarkupRemoveKeyboard) ReplyMarkupType() string { + return TypeReplyMarkupRemoveKeyboard +} + +// Instructs application to force a reply to this message +type ReplyMarkupForceReply struct { + meta + // True, if a forced reply must automatically be shown to the current user. For outgoing messages, specify true to show the forced reply only for the mentioned users and for the target user of a reply + IsPersonal bool `json:"is_personal"` + // If non-empty, the placeholder to be shown in the input field when the reply is active; 0-64 characters + InputFieldPlaceholder string `json:"input_field_placeholder"` +} + +func (entity *ReplyMarkupForceReply) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ReplyMarkupForceReply + + return json.Marshal((*stub)(entity)) +} + +func (*ReplyMarkupForceReply) GetClass() string { + return ClassReplyMarkup +} + +func (*ReplyMarkupForceReply) GetType() string { + return TypeReplyMarkupForceReply +} + +func (*ReplyMarkupForceReply) ReplyMarkupType() string { + return TypeReplyMarkupForceReply +} + +// Contains a custom keyboard layout to quickly reply to bots +type ReplyMarkupShowKeyboard struct { + meta + // A list of rows of bot keyboard buttons + Rows [][]*KeyboardButton `json:"rows"` + // True, if the keyboard is expected to always be shown when the ordinary keyboard is hidden + IsPersistent bool `json:"is_persistent"` + // True, if the application needs to resize the keyboard vertically + ResizeKeyboard bool `json:"resize_keyboard"` + // True, if the application needs to hide the keyboard after use + OneTime bool `json:"one_time"` + // True, if the keyboard must automatically be shown to the current user. For outgoing messages, specify true to show the keyboard only for the mentioned users and for the target user of a reply + IsPersonal bool `json:"is_personal"` + // If non-empty, the placeholder to be shown in the input field when the keyboard is active; 0-64 characters + InputFieldPlaceholder string `json:"input_field_placeholder"` +} + +func (entity *ReplyMarkupShowKeyboard) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ReplyMarkupShowKeyboard + + return json.Marshal((*stub)(entity)) +} + +func (*ReplyMarkupShowKeyboard) GetClass() string { + return ClassReplyMarkup +} + +func (*ReplyMarkupShowKeyboard) GetType() string { + return TypeReplyMarkupShowKeyboard +} + +func (*ReplyMarkupShowKeyboard) ReplyMarkupType() string { + return TypeReplyMarkupShowKeyboard +} + +// Contains an inline keyboard layout +type ReplyMarkupInlineKeyboard struct { + meta + // A list of rows of inline keyboard buttons + Rows [][]*InlineKeyboardButton `json:"rows"` +} + +func (entity *ReplyMarkupInlineKeyboard) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ReplyMarkupInlineKeyboard + + return json.Marshal((*stub)(entity)) +} + +func (*ReplyMarkupInlineKeyboard) GetClass() string { + return ClassReplyMarkup +} + +func (*ReplyMarkupInlineKeyboard) GetType() string { + return TypeReplyMarkupInlineKeyboard +} + +func (*ReplyMarkupInlineKeyboard) ReplyMarkupType() string { + return TypeReplyMarkupInlineKeyboard +} + +// An HTTP URL needs to be open +type LoginUrlInfoOpen struct { + meta + // The URL to open + Url string `json:"url"` + // True, if there is no need to show an ordinary open URL confirmation + SkipConfirmation bool `json:"skip_confirmation"` +} + +func (entity *LoginUrlInfoOpen) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LoginUrlInfoOpen + + return json.Marshal((*stub)(entity)) +} + +func (*LoginUrlInfoOpen) GetClass() string { + return ClassLoginUrlInfo +} + +func (*LoginUrlInfoOpen) GetType() string { + return TypeLoginUrlInfoOpen +} + +func (*LoginUrlInfoOpen) LoginUrlInfoType() string { + return TypeLoginUrlInfoOpen +} + +// An authorization confirmation dialog needs to be shown to the user +type LoginUrlInfoRequestConfirmation struct { + meta + // An HTTP URL to be opened + Url string `json:"url"` + // A domain of the URL + Domain string `json:"domain"` + // User identifier of a bot linked with the website + BotUserId int64 `json:"bot_user_id"` + // True, if the user must be asked for the permission to the bot to send them messages + RequestWriteAccess bool `json:"request_write_access"` + // True, if the user must be asked for the permission to share their phone number + RequestPhoneNumberAccess bool `json:"request_phone_number_access"` + // The version of a browser used for the authorization; may be empty if irrelevant + Browser string `json:"browser"` + // Operating system the browser is running on; may be empty if irrelevant + Platform string `json:"platform"` + // IP address from which the authorization is performed, in human-readable format; may be empty if irrelevant + IpAddress string `json:"ip_address"` + // Human-readable description of a country and a region from which the authorization is performed, based on the IP address; may be empty if irrelevant + Location string `json:"location"` +} + +func (entity *LoginUrlInfoRequestConfirmation) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LoginUrlInfoRequestConfirmation + + return json.Marshal((*stub)(entity)) +} + +func (*LoginUrlInfoRequestConfirmation) GetClass() string { + return ClassLoginUrlInfo +} + +func (*LoginUrlInfoRequestConfirmation) GetType() string { + return TypeLoginUrlInfoRequestConfirmation +} + +func (*LoginUrlInfoRequestConfirmation) LoginUrlInfoType() string { + return TypeLoginUrlInfoRequestConfirmation +} + +// Contains parameters of the application theme +type ThemeParameters struct { + meta + // A color of the background in the RGB format + BackgroundColor int32 `json:"background_color"` + // A secondary color for the background in the RGB format + SecondaryBackgroundColor int32 `json:"secondary_background_color"` + // A color of the header background in the RGB format + HeaderBackgroundColor int32 `json:"header_background_color"` + // A color of the bottom bar background in the RGB format + BottomBarBackgroundColor int32 `json:"bottom_bar_background_color"` + // A color of the section background in the RGB format + SectionBackgroundColor int32 `json:"section_background_color"` + // A color of the section separator in the RGB format + SectionSeparatorColor int32 `json:"section_separator_color"` + // A color of text in the RGB format + TextColor int32 `json:"text_color"` + // An accent color of the text in the RGB format + AccentTextColor int32 `json:"accent_text_color"` + // A color of text on the section headers in the RGB format + SectionHeaderTextColor int32 `json:"section_header_text_color"` + // A color of the subtitle text in the RGB format + SubtitleTextColor int32 `json:"subtitle_text_color"` + // A color of the text for destructive actions in the RGB format + DestructiveTextColor int32 `json:"destructive_text_color"` + // A color of hints in the RGB format + HintColor int32 `json:"hint_color"` + // A color of links in the RGB format + LinkColor int32 `json:"link_color"` + // A color of the buttons in the RGB format + ButtonColor int32 `json:"button_color"` + // A color of text on the buttons in the RGB format + ButtonTextColor int32 `json:"button_text_color"` +} + +func (entity *ThemeParameters) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ThemeParameters + + return json.Marshal((*stub)(entity)) +} + +func (*ThemeParameters) GetClass() string { + return ClassThemeParameters +} + +func (*ThemeParameters) GetType() string { + return TypeThemeParameters +} + +// The Web App is opened in the compact mode +type WebAppOpenModeCompact struct{ + meta +} + +func (entity *WebAppOpenModeCompact) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub WebAppOpenModeCompact + + return json.Marshal((*stub)(entity)) +} + +func (*WebAppOpenModeCompact) GetClass() string { + return ClassWebAppOpenMode +} + +func (*WebAppOpenModeCompact) GetType() string { + return TypeWebAppOpenModeCompact +} + +func (*WebAppOpenModeCompact) WebAppOpenModeType() string { + return TypeWebAppOpenModeCompact +} + +// The Web App is opened in the full-size mode +type WebAppOpenModeFullSize struct{ + meta +} + +func (entity *WebAppOpenModeFullSize) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub WebAppOpenModeFullSize + + return json.Marshal((*stub)(entity)) +} + +func (*WebAppOpenModeFullSize) GetClass() string { + return ClassWebAppOpenMode +} + +func (*WebAppOpenModeFullSize) GetType() string { + return TypeWebAppOpenModeFullSize +} + +func (*WebAppOpenModeFullSize) WebAppOpenModeType() string { + return TypeWebAppOpenModeFullSize +} + +// The Web App is opened in the full-screen mode +type WebAppOpenModeFullScreen struct{ + meta +} + +func (entity *WebAppOpenModeFullScreen) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub WebAppOpenModeFullScreen + + return json.Marshal((*stub)(entity)) +} + +func (*WebAppOpenModeFullScreen) GetClass() string { + return ClassWebAppOpenMode +} + +func (*WebAppOpenModeFullScreen) GetType() string { + return TypeWebAppOpenModeFullScreen +} + +func (*WebAppOpenModeFullScreen) WebAppOpenModeType() string { + return TypeWebAppOpenModeFullScreen +} + +// Contains information about a Web App found by its short name +type FoundWebApp struct { + meta + // The Web App + WebApp *WebApp `json:"web_app"` + // True, if the user must be asked for the permission to the bot to send them messages + RequestWriteAccess bool `json:"request_write_access"` + // True, if there is no need to show an ordinary open URL confirmation before opening the Web App. The field must be ignored and confirmation must be shown anyway if the Web App link was hidden + SkipConfirmation bool `json:"skip_confirmation"` +} + +func (entity *FoundWebApp) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub FoundWebApp + + return json.Marshal((*stub)(entity)) +} + +func (*FoundWebApp) GetClass() string { + return ClassFoundWebApp +} + +func (*FoundWebApp) GetType() string { + return TypeFoundWebApp +} + +// Contains information about a Web App +type WebAppInfo struct { + meta + // Unique identifier for the Web App launch + LaunchId JsonInt64 `json:"launch_id"` + // A Web App URL to open in a web view + Url string `json:"url"` +} + +func (entity *WebAppInfo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub WebAppInfo + + return json.Marshal((*stub)(entity)) +} + +func (*WebAppInfo) GetClass() string { + return ClassWebAppInfo +} + +func (*WebAppInfo) GetType() string { + return TypeWebAppInfo +} + +// Contains information about the main Web App of a bot +type MainWebApp struct { + meta + // URL of the Web App to open + Url string `json:"url"` + // The mode in which the Web App must be opened + Mode WebAppOpenMode `json:"mode"` +} + +func (entity *MainWebApp) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MainWebApp + + return json.Marshal((*stub)(entity)) +} + +func (*MainWebApp) GetClass() string { + return ClassMainWebApp +} + +func (*MainWebApp) GetType() string { + return TypeMainWebApp +} + +func (mainWebApp *MainWebApp) UnmarshalJSON(data []byte) error { + var tmp struct { + Url string `json:"url"` + Mode json.RawMessage `json:"mode"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + mainWebApp.Url = tmp.Url + + fieldMode, _ := UnmarshalWebAppOpenMode(tmp.Mode) + mainWebApp.Mode = fieldMode + + return nil +} + +// Options to be used when a Web App is opened +type WebAppOpenParameters struct { + meta + // Preferred Web App theme; pass null to use the default theme + Theme *ThemeParameters `json:"theme"` + // Short name of the current application; 0-64 English letters, digits, and underscores + ApplicationName string `json:"application_name"` + // The mode in which the Web App is opened; pass null to open in webAppOpenModeFullSize + Mode WebAppOpenMode `json:"mode"` +} + +func (entity *WebAppOpenParameters) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub WebAppOpenParameters + + return json.Marshal((*stub)(entity)) +} + +func (*WebAppOpenParameters) GetClass() string { + return ClassWebAppOpenParameters +} + +func (*WebAppOpenParameters) GetType() string { + return TypeWebAppOpenParameters +} + +func (webAppOpenParameters *WebAppOpenParameters) UnmarshalJSON(data []byte) error { + var tmp struct { + Theme *ThemeParameters `json:"theme"` + ApplicationName string `json:"application_name"` + Mode json.RawMessage `json:"mode"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + webAppOpenParameters.Theme = tmp.Theme + webAppOpenParameters.ApplicationName = tmp.ApplicationName + + fieldMode, _ := UnmarshalWebAppOpenMode(tmp.Mode) + webAppOpenParameters.Mode = fieldMode + + return nil +} + +// Contains information about a message thread +type MessageThreadInfo struct { + meta + // Identifier of the chat to which the message thread belongs + ChatId int64 `json:"chat_id"` + // Message thread identifier, unique within the chat + MessageThreadId int64 `json:"message_thread_id"` + // Information about the message thread; may be null for forum topic threads + ReplyInfo *MessageReplyInfo `json:"reply_info"` + // Approximate number of unread messages in the message thread + UnreadMessageCount int32 `json:"unread_message_count"` + // The messages from which the thread starts. The messages are returned in reverse chronological order (i.e., in order of decreasing message_id) + Messages []*Message `json:"messages"` + // A draft of a message in the message thread; may be null if none + DraftMessage *DraftMessage `json:"draft_message"` +} + +func (entity *MessageThreadInfo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageThreadInfo + + return json.Marshal((*stub)(entity)) +} + +func (*MessageThreadInfo) GetClass() string { + return ClassMessageThreadInfo +} + +func (*MessageThreadInfo) GetType() string { + return TypeMessageThreadInfo +} + +// Topic containing messages sent by the current user of forwarded from an unknown chat +type SavedMessagesTopicTypeMyNotes struct{ + meta +} + +func (entity *SavedMessagesTopicTypeMyNotes) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SavedMessagesTopicTypeMyNotes + + return json.Marshal((*stub)(entity)) +} + +func (*SavedMessagesTopicTypeMyNotes) GetClass() string { + return ClassSavedMessagesTopicType +} + +func (*SavedMessagesTopicTypeMyNotes) GetType() string { + return TypeSavedMessagesTopicTypeMyNotes +} + +func (*SavedMessagesTopicTypeMyNotes) SavedMessagesTopicTypeType() string { + return TypeSavedMessagesTopicTypeMyNotes +} + +// Topic containing messages forwarded from a user with hidden privacy +type SavedMessagesTopicTypeAuthorHidden struct{ + meta +} + +func (entity *SavedMessagesTopicTypeAuthorHidden) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SavedMessagesTopicTypeAuthorHidden + + return json.Marshal((*stub)(entity)) +} + +func (*SavedMessagesTopicTypeAuthorHidden) GetClass() string { + return ClassSavedMessagesTopicType +} + +func (*SavedMessagesTopicTypeAuthorHidden) GetType() string { + return TypeSavedMessagesTopicTypeAuthorHidden +} + +func (*SavedMessagesTopicTypeAuthorHidden) SavedMessagesTopicTypeType() string { + return TypeSavedMessagesTopicTypeAuthorHidden +} + +// Topic containing messages forwarded from a specific chat +type SavedMessagesTopicTypeSavedFromChat struct { + meta + // Identifier of the chat + ChatId int64 `json:"chat_id"` +} + +func (entity *SavedMessagesTopicTypeSavedFromChat) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SavedMessagesTopicTypeSavedFromChat + + return json.Marshal((*stub)(entity)) +} + +func (*SavedMessagesTopicTypeSavedFromChat) GetClass() string { + return ClassSavedMessagesTopicType +} + +func (*SavedMessagesTopicTypeSavedFromChat) GetType() string { + return TypeSavedMessagesTopicTypeSavedFromChat +} + +func (*SavedMessagesTopicTypeSavedFromChat) SavedMessagesTopicTypeType() string { + return TypeSavedMessagesTopicTypeSavedFromChat +} + +// Contains information about a Saved Messages topic +type SavedMessagesTopic struct { + meta + // Unique topic identifier + Id int64 `json:"id"` + // Type of the topic + Type SavedMessagesTopicType `json:"type"` + // True, if the topic is pinned + IsPinned bool `json:"is_pinned"` + // A parameter used to determine order of the topic in the topic list. Topics must be sorted by the order in descending order + Order JsonInt64 `json:"order"` + // Last message in the topic; may be null if none or unknown + LastMessage *Message `json:"last_message"` + // A draft of a message in the topic; may be null if none + DraftMessage *DraftMessage `json:"draft_message"` +} + +func (entity *SavedMessagesTopic) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SavedMessagesTopic + + return json.Marshal((*stub)(entity)) +} + +func (*SavedMessagesTopic) GetClass() string { + return ClassSavedMessagesTopic +} + +func (*SavedMessagesTopic) GetType() string { + return TypeSavedMessagesTopic +} + +func (savedMessagesTopic *SavedMessagesTopic) UnmarshalJSON(data []byte) error { + var tmp struct { + Id int64 `json:"id"` + Type json.RawMessage `json:"type"` + IsPinned bool `json:"is_pinned"` + Order JsonInt64 `json:"order"` + LastMessage *Message `json:"last_message"` + DraftMessage *DraftMessage `json:"draft_message"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + savedMessagesTopic.Id = tmp.Id + savedMessagesTopic.IsPinned = tmp.IsPinned + savedMessagesTopic.Order = tmp.Order + savedMessagesTopic.LastMessage = tmp.LastMessage + savedMessagesTopic.DraftMessage = tmp.DraftMessage + + fieldType, _ := UnmarshalSavedMessagesTopicType(tmp.Type) + savedMessagesTopic.Type = fieldType + + return nil +} + +// Contains information about a topic in a channel direct messages chat administered by the current user +type DirectMessagesChatTopic struct { + meta + // Identifier of the chat to which the topic belongs + ChatId int64 `json:"chat_id"` + // Unique topic identifier + Id int64 `json:"id"` + // Identifier of the user or chat that sends the messages to the topic + SenderId MessageSender `json:"sender_id"` + // A parameter used to determine order of the topic in the topic list. Topics must be sorted by the order in descending order + Order JsonInt64 `json:"order"` + // True, if the other party can send unpaid messages even if the chat has paid messages enabled + CanSendUnpaidMessages bool `json:"can_send_unpaid_messages"` + // True, if the topic is marked as unread + IsMarkedAsUnread bool `json:"is_marked_as_unread"` + // Number of unread messages in the chat + UnreadCount int64 `json:"unread_count"` + // Identifier of the last read incoming message + LastReadInboxMessageId int64 `json:"last_read_inbox_message_id"` + // Identifier of the last read outgoing message + LastReadOutboxMessageId int64 `json:"last_read_outbox_message_id"` + // Number of messages with unread reactions in the chat + UnreadReactionCount int64 `json:"unread_reaction_count"` + // Last message in the topic; may be null if none or unknown + LastMessage *Message `json:"last_message"` + // A draft of a message in the topic; may be null if none + DraftMessage *DraftMessage `json:"draft_message"` +} + +func (entity *DirectMessagesChatTopic) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub DirectMessagesChatTopic + + return json.Marshal((*stub)(entity)) +} + +func (*DirectMessagesChatTopic) GetClass() string { + return ClassDirectMessagesChatTopic +} + +func (*DirectMessagesChatTopic) GetType() string { + return TypeDirectMessagesChatTopic +} + +func (directMessagesChatTopic *DirectMessagesChatTopic) UnmarshalJSON(data []byte) error { + var tmp struct { + ChatId int64 `json:"chat_id"` + Id int64 `json:"id"` + SenderId json.RawMessage `json:"sender_id"` + Order JsonInt64 `json:"order"` + CanSendUnpaidMessages bool `json:"can_send_unpaid_messages"` + IsMarkedAsUnread bool `json:"is_marked_as_unread"` + UnreadCount int64 `json:"unread_count"` + LastReadInboxMessageId int64 `json:"last_read_inbox_message_id"` + LastReadOutboxMessageId int64 `json:"last_read_outbox_message_id"` + UnreadReactionCount int64 `json:"unread_reaction_count"` + LastMessage *Message `json:"last_message"` + DraftMessage *DraftMessage `json:"draft_message"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + directMessagesChatTopic.ChatId = tmp.ChatId + directMessagesChatTopic.Id = tmp.Id + directMessagesChatTopic.Order = tmp.Order + directMessagesChatTopic.CanSendUnpaidMessages = tmp.CanSendUnpaidMessages + directMessagesChatTopic.IsMarkedAsUnread = tmp.IsMarkedAsUnread + directMessagesChatTopic.UnreadCount = tmp.UnreadCount + directMessagesChatTopic.LastReadInboxMessageId = tmp.LastReadInboxMessageId + directMessagesChatTopic.LastReadOutboxMessageId = tmp.LastReadOutboxMessageId + directMessagesChatTopic.UnreadReactionCount = tmp.UnreadReactionCount + directMessagesChatTopic.LastMessage = tmp.LastMessage + directMessagesChatTopic.DraftMessage = tmp.DraftMessage + + fieldSenderId, _ := UnmarshalMessageSender(tmp.SenderId) + directMessagesChatTopic.SenderId = fieldSenderId + + return nil +} + +// Describes a forum topic icon +type ForumTopicIcon struct { + meta + // Color of the topic icon in RGB format + Color int32 `json:"color"` + // Unique identifier of the custom emoji shown on the topic icon; 0 if none + CustomEmojiId JsonInt64 `json:"custom_emoji_id"` +} + +func (entity *ForumTopicIcon) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ForumTopicIcon + + return json.Marshal((*stub)(entity)) +} + +func (*ForumTopicIcon) GetClass() string { + return ClassForumTopicIcon +} + +func (*ForumTopicIcon) GetType() string { + return TypeForumTopicIcon +} + +// Contains basic information about a forum topic +type ForumTopicInfo struct { + meta + // Identifier of a forum supergroup chat or a chat with a bot to which the topic belongs + ChatId int64 `json:"chat_id"` + // Forum topic identifier of the topic + ForumTopicId int32 `json:"forum_topic_id"` + // Name of the topic + Name string `json:"name"` + // Icon of the topic + Icon *ForumTopicIcon `json:"icon"` + // Point in time (Unix timestamp) when the topic was created + CreationDate int32 `json:"creation_date"` + // Identifier of the creator of the topic + CreatorId MessageSender `json:"creator_id"` + // True, if the topic is the General topic + IsGeneral bool `json:"is_general"` + // True, if the topic was created by the current user + IsOutgoing bool `json:"is_outgoing"` + // True, if the topic is closed. If the topic is closed, then the user must have can_manage_topics administrator right in the supergroup or must be the creator of the topic to send messages there + IsClosed bool `json:"is_closed"` + // True, if the topic is hidden above the topic list and closed; for General topic only + IsHidden bool `json:"is_hidden"` + // True, if the name of the topic wasn't added explicitly + IsNameImplicit bool `json:"is_name_implicit"` +} + +func (entity *ForumTopicInfo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ForumTopicInfo + + return json.Marshal((*stub)(entity)) +} + +func (*ForumTopicInfo) GetClass() string { + return ClassForumTopicInfo +} + +func (*ForumTopicInfo) GetType() string { + return TypeForumTopicInfo +} + +func (forumTopicInfo *ForumTopicInfo) UnmarshalJSON(data []byte) error { + var tmp struct { + ChatId int64 `json:"chat_id"` + ForumTopicId int32 `json:"forum_topic_id"` + Name string `json:"name"` + Icon *ForumTopicIcon `json:"icon"` + CreationDate int32 `json:"creation_date"` + CreatorId json.RawMessage `json:"creator_id"` + IsGeneral bool `json:"is_general"` + IsOutgoing bool `json:"is_outgoing"` + IsClosed bool `json:"is_closed"` + IsHidden bool `json:"is_hidden"` + IsNameImplicit bool `json:"is_name_implicit"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + forumTopicInfo.ChatId = tmp.ChatId + forumTopicInfo.ForumTopicId = tmp.ForumTopicId + forumTopicInfo.Name = tmp.Name + forumTopicInfo.Icon = tmp.Icon + forumTopicInfo.CreationDate = tmp.CreationDate + forumTopicInfo.IsGeneral = tmp.IsGeneral + forumTopicInfo.IsOutgoing = tmp.IsOutgoing + forumTopicInfo.IsClosed = tmp.IsClosed + forumTopicInfo.IsHidden = tmp.IsHidden + forumTopicInfo.IsNameImplicit = tmp.IsNameImplicit + + fieldCreatorId, _ := UnmarshalMessageSender(tmp.CreatorId) + forumTopicInfo.CreatorId = fieldCreatorId + + return nil +} + +// Describes a forum topic +type ForumTopic struct { + meta + // Basic information about the topic + Info *ForumTopicInfo `json:"info"` + // Last message in the topic; may be null if unknown + LastMessage *Message `json:"last_message"` + // A parameter used to determine order of the topic in the topic list. Topics must be sorted by the order in descending order + Order JsonInt64 `json:"order"` + // True, if the topic is pinned in the topic list + IsPinned bool `json:"is_pinned"` + // Number of unread messages in the topic + UnreadCount int32 `json:"unread_count"` + // Identifier of the last read incoming message + LastReadInboxMessageId int64 `json:"last_read_inbox_message_id"` + // Identifier of the last read outgoing message + LastReadOutboxMessageId int64 `json:"last_read_outbox_message_id"` + // Number of unread messages with a mention/reply in the topic + UnreadMentionCount int32 `json:"unread_mention_count"` + // Number of messages with unread reactions in the topic + UnreadReactionCount int32 `json:"unread_reaction_count"` + // Notification settings for the topic + NotificationSettings *ChatNotificationSettings `json:"notification_settings"` + // A draft of a message in the topic; may be null if none + DraftMessage *DraftMessage `json:"draft_message"` +} + +func (entity *ForumTopic) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ForumTopic + + return json.Marshal((*stub)(entity)) +} + +func (*ForumTopic) GetClass() string { + return ClassForumTopic +} + +func (*ForumTopic) GetType() string { + return TypeForumTopic +} + +// Describes a list of forum topics +type ForumTopics struct { + meta + // Approximate total number of forum topics found + TotalCount int32 `json:"total_count"` + // List of forum topics + Topics []*ForumTopic `json:"topics"` + // Offset date for the next getForumTopics request + NextOffsetDate int32 `json:"next_offset_date"` + // Offset message identifier for the next getForumTopics request + NextOffsetMessageId int64 `json:"next_offset_message_id"` + // Offset forum topic identifier for the next getForumTopics request + NextOffsetForumTopicId int32 `json:"next_offset_forum_topic_id"` +} + +func (entity *ForumTopics) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ForumTopics + + return json.Marshal((*stub)(entity)) +} + +func (*ForumTopics) GetClass() string { + return ClassForumTopics +} + +func (*ForumTopics) GetType() string { + return TypeForumTopics +} + +// Options to be used for generation of a link preview +type LinkPreviewOptions struct { + meta + // True, if link preview must be disabled + IsDisabled bool `json:"is_disabled"` + // URL to use for link preview. If empty, then the first URL found in the message text will be used + Url string `json:"url"` + // True, if shown media preview must be small; ignored in secret chats or if the URL isn't explicitly specified + ForceSmallMedia bool `json:"force_small_media"` + // True, if shown media preview must be large; ignored in secret chats or if the URL isn't explicitly specified + ForceLargeMedia bool `json:"force_large_media"` + // True, if link preview must be shown above message text; otherwise, the link preview will be shown below the message text; ignored in secret chats + ShowAboveText bool `json:"show_above_text"` +} + +func (entity *LinkPreviewOptions) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LinkPreviewOptions + + return json.Marshal((*stub)(entity)) +} + +func (*LinkPreviewOptions) GetClass() string { + return ClassLinkPreviewOptions +} + +func (*LinkPreviewOptions) GetType() string { + return TypeLinkPreviewOptions +} + +// Contains information about a user shared with a bot +type SharedUser struct { + meta + // User identifier + UserId int64 `json:"user_id"` + // First name of the user; for bots only + FirstName string `json:"first_name"` + // Last name of the user; for bots only + LastName string `json:"last_name"` + // Username of the user; for bots only + Username string `json:"username"` + // Profile photo of the user; for bots only; may be null + Photo *Photo `json:"photo"` +} + +func (entity *SharedUser) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SharedUser + + return json.Marshal((*stub)(entity)) +} + +func (*SharedUser) GetClass() string { + return ClassSharedUser +} + +func (*SharedUser) GetType() string { + return TypeSharedUser +} + +// Contains information about a chat shared with a bot +type SharedChat struct { + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // Title of the chat; for bots only + Title string `json:"title"` + // Username of the chat; for bots only + Username string `json:"username"` + // Photo of the chat; for bots only; may be null + Photo *Photo `json:"photo"` +} + +func (entity *SharedChat) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SharedChat + + return json.Marshal((*stub)(entity)) +} + +func (*SharedChat) GetClass() string { + return ClassSharedChat +} + +func (*SharedChat) GetType() string { + return TypeSharedChat +} + +// Classic light theme +type BuiltInThemeClassic struct{ + meta +} + +func (entity *BuiltInThemeClassic) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BuiltInThemeClassic + + return json.Marshal((*stub)(entity)) +} + +func (*BuiltInThemeClassic) GetClass() string { + return ClassBuiltInTheme +} + +func (*BuiltInThemeClassic) GetType() string { + return TypeBuiltInThemeClassic +} + +func (*BuiltInThemeClassic) BuiltInThemeType() string { + return TypeBuiltInThemeClassic +} + +// Regular light theme +type BuiltInThemeDay struct{ + meta +} + +func (entity *BuiltInThemeDay) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BuiltInThemeDay + + return json.Marshal((*stub)(entity)) +} + +func (*BuiltInThemeDay) GetClass() string { + return ClassBuiltInTheme +} + +func (*BuiltInThemeDay) GetType() string { + return TypeBuiltInThemeDay +} + +func (*BuiltInThemeDay) BuiltInThemeType() string { + return TypeBuiltInThemeDay +} + +// Regular dark theme +type BuiltInThemeNight struct{ + meta +} + +func (entity *BuiltInThemeNight) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BuiltInThemeNight + + return json.Marshal((*stub)(entity)) +} + +func (*BuiltInThemeNight) GetClass() string { + return ClassBuiltInTheme +} + +func (*BuiltInThemeNight) GetType() string { + return TypeBuiltInThemeNight +} + +func (*BuiltInThemeNight) BuiltInThemeType() string { + return TypeBuiltInThemeNight +} + +// Tinted dark theme +type BuiltInThemeTinted struct{ + meta +} + +func (entity *BuiltInThemeTinted) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BuiltInThemeTinted + + return json.Marshal((*stub)(entity)) +} + +func (*BuiltInThemeTinted) GetClass() string { + return ClassBuiltInTheme +} + +func (*BuiltInThemeTinted) GetType() string { + return TypeBuiltInThemeTinted +} + +func (*BuiltInThemeTinted) BuiltInThemeType() string { + return TypeBuiltInThemeTinted +} + +// Arctic light theme +type BuiltInThemeArctic struct{ + meta +} + +func (entity *BuiltInThemeArctic) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BuiltInThemeArctic + + return json.Marshal((*stub)(entity)) +} + +func (*BuiltInThemeArctic) GetClass() string { + return ClassBuiltInTheme +} + +func (*BuiltInThemeArctic) GetType() string { + return TypeBuiltInThemeArctic +} + +func (*BuiltInThemeArctic) BuiltInThemeType() string { + return TypeBuiltInThemeArctic } // Describes theme settings type ThemeSettings struct { - meta - // Theme accent color in ARGB format - AccentColor int32 `json:"accent_color"` - // The background to be used in chats; may be null - Background *Background `json:"background"` - // The fill to be used as a background for outgoing messages - OutgoingMessageFill BackgroundFill `json:"outgoing_message_fill"` - // If true, the freeform gradient fill needs to be animated on every sent message - AnimateOutgoingMessageFill bool `json:"animate_outgoing_message_fill"` - // Accent color of outgoing messages in ARGB format - OutgoingMessageAccentColor int32 `json:"outgoing_message_accent_color"` + meta + // Base theme for this theme + BaseTheme BuiltInTheme `json:"base_theme"` + // Theme accent color in ARGB format + AccentColor int32 `json:"accent_color"` + // The background to be used in chats; may be null + Background *Background `json:"background"` + // The fill to be used as a background for outgoing messages; may be null if the fill from the base theme must be used instead + OutgoingMessageFill BackgroundFill `json:"outgoing_message_fill"` + // If true, the freeform gradient fill needs to be animated on every sent message + AnimateOutgoingMessageFill bool `json:"animate_outgoing_message_fill"` + // Accent color of outgoing messages in ARGB format + OutgoingMessageAccentColor int32 `json:"outgoing_message_accent_color"` } func (entity *ThemeSettings) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub ThemeSettings + type stub ThemeSettings - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*ThemeSettings) GetClass() string { - return ClassThemeSettings + return ClassThemeSettings } func (*ThemeSettings) GetType() string { - return TypeThemeSettings + return TypeThemeSettings } func (themeSettings *ThemeSettings) UnmarshalJSON(data []byte) error { - var tmp struct { - AccentColor int32 `json:"accent_color"` - Background *Background `json:"background"` - OutgoingMessageFill json.RawMessage `json:"outgoing_message_fill"` - AnimateOutgoingMessageFill bool `json:"animate_outgoing_message_fill"` - OutgoingMessageAccentColor int32 `json:"outgoing_message_accent_color"` - } + var tmp struct { + BaseTheme json.RawMessage `json:"base_theme"` + AccentColor int32 `json:"accent_color"` + Background *Background `json:"background"` + OutgoingMessageFill json.RawMessage `json:"outgoing_message_fill"` + AnimateOutgoingMessageFill bool `json:"animate_outgoing_message_fill"` + OutgoingMessageAccentColor int32 `json:"outgoing_message_accent_color"` + } - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - themeSettings.AccentColor = tmp.AccentColor - themeSettings.Background = tmp.Background - themeSettings.AnimateOutgoingMessageFill = tmp.AnimateOutgoingMessageFill - themeSettings.OutgoingMessageAccentColor = tmp.OutgoingMessageAccentColor + themeSettings.AccentColor = tmp.AccentColor + themeSettings.Background = tmp.Background + themeSettings.AnimateOutgoingMessageFill = tmp.AnimateOutgoingMessageFill + themeSettings.OutgoingMessageAccentColor = tmp.OutgoingMessageAccentColor - fieldOutgoingMessageFill, _ := UnmarshalBackgroundFill(tmp.OutgoingMessageFill) - themeSettings.OutgoingMessageFill = fieldOutgoingMessageFill + fieldBaseTheme, _ := UnmarshalBuiltInTheme(tmp.BaseTheme) + themeSettings.BaseTheme = fieldBaseTheme - return nil + fieldOutgoingMessageFill, _ := UnmarshalBackgroundFill(tmp.OutgoingMessageFill) + themeSettings.OutgoingMessageFill = fieldOutgoingMessageFill + + return nil +} + +// A plain text +type RichTextPlain struct { + meta + // Text + Text string `json:"text"` +} + +func (entity *RichTextPlain) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub RichTextPlain + + return json.Marshal((*stub)(entity)) +} + +func (*RichTextPlain) GetClass() string { + return ClassRichText +} + +func (*RichTextPlain) GetType() string { + return TypeRichTextPlain +} + +func (*RichTextPlain) RichTextType() string { + return TypeRichTextPlain +} + +// A bold rich text +type RichTextBold struct { + meta + // Text + Text RichText `json:"text"` +} + +func (entity *RichTextBold) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub RichTextBold + + return json.Marshal((*stub)(entity)) +} + +func (*RichTextBold) GetClass() string { + return ClassRichText +} + +func (*RichTextBold) GetType() string { + return TypeRichTextBold +} + +func (*RichTextBold) RichTextType() string { + return TypeRichTextBold +} + +func (richTextBold *RichTextBold) UnmarshalJSON(data []byte) error { + var tmp struct { + Text json.RawMessage `json:"text"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldText, _ := UnmarshalRichText(tmp.Text) + richTextBold.Text = fieldText + + return nil +} + +// An italicized rich text +type RichTextItalic struct { + meta + // Text + Text RichText `json:"text"` +} + +func (entity *RichTextItalic) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub RichTextItalic + + return json.Marshal((*stub)(entity)) +} + +func (*RichTextItalic) GetClass() string { + return ClassRichText +} + +func (*RichTextItalic) GetType() string { + return TypeRichTextItalic +} + +func (*RichTextItalic) RichTextType() string { + return TypeRichTextItalic +} + +func (richTextItalic *RichTextItalic) UnmarshalJSON(data []byte) error { + var tmp struct { + Text json.RawMessage `json:"text"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldText, _ := UnmarshalRichText(tmp.Text) + richTextItalic.Text = fieldText + + return nil +} + +// An underlined rich text +type RichTextUnderline struct { + meta + // Text + Text RichText `json:"text"` +} + +func (entity *RichTextUnderline) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub RichTextUnderline + + return json.Marshal((*stub)(entity)) +} + +func (*RichTextUnderline) GetClass() string { + return ClassRichText +} + +func (*RichTextUnderline) GetType() string { + return TypeRichTextUnderline +} + +func (*RichTextUnderline) RichTextType() string { + return TypeRichTextUnderline +} + +func (richTextUnderline *RichTextUnderline) UnmarshalJSON(data []byte) error { + var tmp struct { + Text json.RawMessage `json:"text"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldText, _ := UnmarshalRichText(tmp.Text) + richTextUnderline.Text = fieldText + + return nil +} + +// A strikethrough rich text +type RichTextStrikethrough struct { + meta + // Text + Text RichText `json:"text"` +} + +func (entity *RichTextStrikethrough) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub RichTextStrikethrough + + return json.Marshal((*stub)(entity)) +} + +func (*RichTextStrikethrough) GetClass() string { + return ClassRichText +} + +func (*RichTextStrikethrough) GetType() string { + return TypeRichTextStrikethrough +} + +func (*RichTextStrikethrough) RichTextType() string { + return TypeRichTextStrikethrough +} + +func (richTextStrikethrough *RichTextStrikethrough) UnmarshalJSON(data []byte) error { + var tmp struct { + Text json.RawMessage `json:"text"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldText, _ := UnmarshalRichText(tmp.Text) + richTextStrikethrough.Text = fieldText + + return nil +} + +// A fixed-width rich text +type RichTextFixed struct { + meta + // Text + Text RichText `json:"text"` +} + +func (entity *RichTextFixed) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub RichTextFixed + + return json.Marshal((*stub)(entity)) +} + +func (*RichTextFixed) GetClass() string { + return ClassRichText +} + +func (*RichTextFixed) GetType() string { + return TypeRichTextFixed +} + +func (*RichTextFixed) RichTextType() string { + return TypeRichTextFixed +} + +func (richTextFixed *RichTextFixed) UnmarshalJSON(data []byte) error { + var tmp struct { + Text json.RawMessage `json:"text"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldText, _ := UnmarshalRichText(tmp.Text) + richTextFixed.Text = fieldText + + return nil +} + +// A rich text URL link +type RichTextUrl struct { + meta + // Text + Text RichText `json:"text"` + // URL + Url string `json:"url"` + // True, if the URL has cached instant view server-side + IsCached bool `json:"is_cached"` +} + +func (entity *RichTextUrl) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub RichTextUrl + + return json.Marshal((*stub)(entity)) +} + +func (*RichTextUrl) GetClass() string { + return ClassRichText +} + +func (*RichTextUrl) GetType() string { + return TypeRichTextUrl +} + +func (*RichTextUrl) RichTextType() string { + return TypeRichTextUrl +} + +func (richTextUrl *RichTextUrl) UnmarshalJSON(data []byte) error { + var tmp struct { + Text json.RawMessage `json:"text"` + Url string `json:"url"` + IsCached bool `json:"is_cached"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + richTextUrl.Url = tmp.Url + richTextUrl.IsCached = tmp.IsCached + + fieldText, _ := UnmarshalRichText(tmp.Text) + richTextUrl.Text = fieldText + + return nil +} + +// A rich text email link +type RichTextEmailAddress struct { + meta + // Text + Text RichText `json:"text"` + // Email address + EmailAddress string `json:"email_address"` +} + +func (entity *RichTextEmailAddress) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub RichTextEmailAddress + + return json.Marshal((*stub)(entity)) +} + +func (*RichTextEmailAddress) GetClass() string { + return ClassRichText +} + +func (*RichTextEmailAddress) GetType() string { + return TypeRichTextEmailAddress +} + +func (*RichTextEmailAddress) RichTextType() string { + return TypeRichTextEmailAddress +} + +func (richTextEmailAddress *RichTextEmailAddress) UnmarshalJSON(data []byte) error { + var tmp struct { + Text json.RawMessage `json:"text"` + EmailAddress string `json:"email_address"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + richTextEmailAddress.EmailAddress = tmp.EmailAddress + + fieldText, _ := UnmarshalRichText(tmp.Text) + richTextEmailAddress.Text = fieldText + + return nil +} + +// A subscript rich text +type RichTextSubscript struct { + meta + // Text + Text RichText `json:"text"` +} + +func (entity *RichTextSubscript) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub RichTextSubscript + + return json.Marshal((*stub)(entity)) +} + +func (*RichTextSubscript) GetClass() string { + return ClassRichText +} + +func (*RichTextSubscript) GetType() string { + return TypeRichTextSubscript +} + +func (*RichTextSubscript) RichTextType() string { + return TypeRichTextSubscript +} + +func (richTextSubscript *RichTextSubscript) UnmarshalJSON(data []byte) error { + var tmp struct { + Text json.RawMessage `json:"text"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldText, _ := UnmarshalRichText(tmp.Text) + richTextSubscript.Text = fieldText + + return nil +} + +// A superscript rich text +type RichTextSuperscript struct { + meta + // Text + Text RichText `json:"text"` +} + +func (entity *RichTextSuperscript) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub RichTextSuperscript + + return json.Marshal((*stub)(entity)) +} + +func (*RichTextSuperscript) GetClass() string { + return ClassRichText +} + +func (*RichTextSuperscript) GetType() string { + return TypeRichTextSuperscript +} + +func (*RichTextSuperscript) RichTextType() string { + return TypeRichTextSuperscript +} + +func (richTextSuperscript *RichTextSuperscript) UnmarshalJSON(data []byte) error { + var tmp struct { + Text json.RawMessage `json:"text"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldText, _ := UnmarshalRichText(tmp.Text) + richTextSuperscript.Text = fieldText + + return nil +} + +// A marked rich text +type RichTextMarked struct { + meta + // Text + Text RichText `json:"text"` +} + +func (entity *RichTextMarked) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub RichTextMarked + + return json.Marshal((*stub)(entity)) +} + +func (*RichTextMarked) GetClass() string { + return ClassRichText +} + +func (*RichTextMarked) GetType() string { + return TypeRichTextMarked +} + +func (*RichTextMarked) RichTextType() string { + return TypeRichTextMarked +} + +func (richTextMarked *RichTextMarked) UnmarshalJSON(data []byte) error { + var tmp struct { + Text json.RawMessage `json:"text"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldText, _ := UnmarshalRichText(tmp.Text) + richTextMarked.Text = fieldText + + return nil +} + +// A rich text phone number +type RichTextPhoneNumber struct { + meta + // Text + Text RichText `json:"text"` + // Phone number + PhoneNumber string `json:"phone_number"` +} + +func (entity *RichTextPhoneNumber) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub RichTextPhoneNumber + + return json.Marshal((*stub)(entity)) +} + +func (*RichTextPhoneNumber) GetClass() string { + return ClassRichText +} + +func (*RichTextPhoneNumber) GetType() string { + return TypeRichTextPhoneNumber +} + +func (*RichTextPhoneNumber) RichTextType() string { + return TypeRichTextPhoneNumber +} + +func (richTextPhoneNumber *RichTextPhoneNumber) UnmarshalJSON(data []byte) error { + var tmp struct { + Text json.RawMessage `json:"text"` + PhoneNumber string `json:"phone_number"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + richTextPhoneNumber.PhoneNumber = tmp.PhoneNumber + + fieldText, _ := UnmarshalRichText(tmp.Text) + richTextPhoneNumber.Text = fieldText + + return nil +} + +// A small image inside the text +type RichTextIcon struct { + meta + // The image represented as a document. The image can be in GIF, JPEG or PNG format + Document *Document `json:"document"` + // Width of a bounding box in which the image must be shown; 0 if unknown + Width int32 `json:"width"` + // Height of a bounding box in which the image must be shown; 0 if unknown + Height int32 `json:"height"` +} + +func (entity *RichTextIcon) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub RichTextIcon + + return json.Marshal((*stub)(entity)) +} + +func (*RichTextIcon) GetClass() string { + return ClassRichText +} + +func (*RichTextIcon) GetType() string { + return TypeRichTextIcon +} + +func (*RichTextIcon) RichTextType() string { + return TypeRichTextIcon +} + +// A reference to a richTexts object on the same page +type RichTextReference struct { + meta + // The text + Text RichText `json:"text"` + // The name of a richTextAnchor object, which is the first element of the target richTexts object + AnchorName string `json:"anchor_name"` + // An HTTP URL, opening the reference + Url string `json:"url"` +} + +func (entity *RichTextReference) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub RichTextReference + + return json.Marshal((*stub)(entity)) +} + +func (*RichTextReference) GetClass() string { + return ClassRichText +} + +func (*RichTextReference) GetType() string { + return TypeRichTextReference +} + +func (*RichTextReference) RichTextType() string { + return TypeRichTextReference +} + +func (richTextReference *RichTextReference) UnmarshalJSON(data []byte) error { + var tmp struct { + Text json.RawMessage `json:"text"` + AnchorName string `json:"anchor_name"` + Url string `json:"url"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + richTextReference.AnchorName = tmp.AnchorName + richTextReference.Url = tmp.Url + + fieldText, _ := UnmarshalRichText(tmp.Text) + richTextReference.Text = fieldText + + return nil +} + +// An anchor +type RichTextAnchor struct { + meta + // Anchor name + Name string `json:"name"` +} + +func (entity *RichTextAnchor) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub RichTextAnchor + + return json.Marshal((*stub)(entity)) +} + +func (*RichTextAnchor) GetClass() string { + return ClassRichText +} + +func (*RichTextAnchor) GetType() string { + return TypeRichTextAnchor +} + +func (*RichTextAnchor) RichTextType() string { + return TypeRichTextAnchor +} + +// A link to an anchor on the same page +type RichTextAnchorLink struct { + meta + // The link text + Text RichText `json:"text"` + // The anchor name. If the name is empty, the link must bring back to top + AnchorName string `json:"anchor_name"` + // An HTTP URL, opening the anchor + Url string `json:"url"` +} + +func (entity *RichTextAnchorLink) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub RichTextAnchorLink + + return json.Marshal((*stub)(entity)) +} + +func (*RichTextAnchorLink) GetClass() string { + return ClassRichText +} + +func (*RichTextAnchorLink) GetType() string { + return TypeRichTextAnchorLink +} + +func (*RichTextAnchorLink) RichTextType() string { + return TypeRichTextAnchorLink +} + +func (richTextAnchorLink *RichTextAnchorLink) UnmarshalJSON(data []byte) error { + var tmp struct { + Text json.RawMessage `json:"text"` + AnchorName string `json:"anchor_name"` + Url string `json:"url"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + richTextAnchorLink.AnchorName = tmp.AnchorName + richTextAnchorLink.Url = tmp.Url + + fieldText, _ := UnmarshalRichText(tmp.Text) + richTextAnchorLink.Text = fieldText + + return nil +} + +// A concatenation of rich texts +type RichTexts struct { + meta + // Texts + Texts []RichText `json:"texts"` +} + +func (entity *RichTexts) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub RichTexts + + return json.Marshal((*stub)(entity)) +} + +func (*RichTexts) GetClass() string { + return ClassRichText +} + +func (*RichTexts) GetType() string { + return TypeRichTexts +} + +func (*RichTexts) RichTextType() string { + return TypeRichTexts +} + +func (richTexts *RichTexts) UnmarshalJSON(data []byte) error { + var tmp struct { + Texts []json.RawMessage `json:"texts"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldTexts, _ := UnmarshalListOfRichText(tmp.Texts) + richTexts.Texts = fieldTexts + + return nil +} + +// Contains a caption of another block +type PageBlockCaption struct { + meta + // Content of the caption + Text RichText `json:"text"` + // Block credit (like HTML tag ) + Credit RichText `json:"credit"` +} + +func (entity *PageBlockCaption) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PageBlockCaption + + return json.Marshal((*stub)(entity)) +} + +func (*PageBlockCaption) GetClass() string { + return ClassPageBlockCaption +} + +func (*PageBlockCaption) GetType() string { + return TypePageBlockCaption +} + +func (pageBlockCaption *PageBlockCaption) UnmarshalJSON(data []byte) error { + var tmp struct { + Text json.RawMessage `json:"text"` + Credit json.RawMessage `json:"credit"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldText, _ := UnmarshalRichText(tmp.Text) + pageBlockCaption.Text = fieldText + + fieldCredit, _ := UnmarshalRichText(tmp.Credit) + pageBlockCaption.Credit = fieldCredit + + return nil +} + +// Describes an item of a list page block +type PageBlockListItem struct { + meta + // Item label + Label string `json:"label"` + // Item blocks + PageBlocks []PageBlock `json:"page_blocks"` +} + +func (entity *PageBlockListItem) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PageBlockListItem + + return json.Marshal((*stub)(entity)) +} + +func (*PageBlockListItem) GetClass() string { + return ClassPageBlockListItem +} + +func (*PageBlockListItem) GetType() string { + return TypePageBlockListItem +} + +func (pageBlockListItem *PageBlockListItem) UnmarshalJSON(data []byte) error { + var tmp struct { + Label string `json:"label"` + PageBlocks []json.RawMessage `json:"page_blocks"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + pageBlockListItem.Label = tmp.Label + + fieldPageBlocks, _ := UnmarshalListOfPageBlock(tmp.PageBlocks) + pageBlockListItem.PageBlocks = fieldPageBlocks + + return nil +} + +// The content must be left-aligned +type PageBlockHorizontalAlignmentLeft struct{ + meta +} + +func (entity *PageBlockHorizontalAlignmentLeft) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PageBlockHorizontalAlignmentLeft + + return json.Marshal((*stub)(entity)) +} + +func (*PageBlockHorizontalAlignmentLeft) GetClass() string { + return ClassPageBlockHorizontalAlignment +} + +func (*PageBlockHorizontalAlignmentLeft) GetType() string { + return TypePageBlockHorizontalAlignmentLeft +} + +func (*PageBlockHorizontalAlignmentLeft) PageBlockHorizontalAlignmentType() string { + return TypePageBlockHorizontalAlignmentLeft +} + +// The content must be center-aligned +type PageBlockHorizontalAlignmentCenter struct{ + meta +} + +func (entity *PageBlockHorizontalAlignmentCenter) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PageBlockHorizontalAlignmentCenter + + return json.Marshal((*stub)(entity)) +} + +func (*PageBlockHorizontalAlignmentCenter) GetClass() string { + return ClassPageBlockHorizontalAlignment +} + +func (*PageBlockHorizontalAlignmentCenter) GetType() string { + return TypePageBlockHorizontalAlignmentCenter +} + +func (*PageBlockHorizontalAlignmentCenter) PageBlockHorizontalAlignmentType() string { + return TypePageBlockHorizontalAlignmentCenter +} + +// The content must be right-aligned +type PageBlockHorizontalAlignmentRight struct{ + meta +} + +func (entity *PageBlockHorizontalAlignmentRight) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PageBlockHorizontalAlignmentRight + + return json.Marshal((*stub)(entity)) +} + +func (*PageBlockHorizontalAlignmentRight) GetClass() string { + return ClassPageBlockHorizontalAlignment +} + +func (*PageBlockHorizontalAlignmentRight) GetType() string { + return TypePageBlockHorizontalAlignmentRight +} + +func (*PageBlockHorizontalAlignmentRight) PageBlockHorizontalAlignmentType() string { + return TypePageBlockHorizontalAlignmentRight +} + +// The content must be top-aligned +type PageBlockVerticalAlignmentTop struct{ + meta +} + +func (entity *PageBlockVerticalAlignmentTop) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PageBlockVerticalAlignmentTop + + return json.Marshal((*stub)(entity)) +} + +func (*PageBlockVerticalAlignmentTop) GetClass() string { + return ClassPageBlockVerticalAlignment +} + +func (*PageBlockVerticalAlignmentTop) GetType() string { + return TypePageBlockVerticalAlignmentTop +} + +func (*PageBlockVerticalAlignmentTop) PageBlockVerticalAlignmentType() string { + return TypePageBlockVerticalAlignmentTop +} + +// The content must be middle-aligned +type PageBlockVerticalAlignmentMiddle struct{ + meta +} + +func (entity *PageBlockVerticalAlignmentMiddle) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PageBlockVerticalAlignmentMiddle + + return json.Marshal((*stub)(entity)) +} + +func (*PageBlockVerticalAlignmentMiddle) GetClass() string { + return ClassPageBlockVerticalAlignment +} + +func (*PageBlockVerticalAlignmentMiddle) GetType() string { + return TypePageBlockVerticalAlignmentMiddle +} + +func (*PageBlockVerticalAlignmentMiddle) PageBlockVerticalAlignmentType() string { + return TypePageBlockVerticalAlignmentMiddle +} + +// The content must be bottom-aligned +type PageBlockVerticalAlignmentBottom struct{ + meta +} + +func (entity *PageBlockVerticalAlignmentBottom) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PageBlockVerticalAlignmentBottom + + return json.Marshal((*stub)(entity)) +} + +func (*PageBlockVerticalAlignmentBottom) GetClass() string { + return ClassPageBlockVerticalAlignment +} + +func (*PageBlockVerticalAlignmentBottom) GetType() string { + return TypePageBlockVerticalAlignmentBottom +} + +func (*PageBlockVerticalAlignmentBottom) PageBlockVerticalAlignmentType() string { + return TypePageBlockVerticalAlignmentBottom +} + +// Represents a cell of a table +type PageBlockTableCell struct { + meta + // Cell text; may be null. If the text is null, then the cell must be invisible + Text RichText `json:"text"` + // True, if it is a header cell + IsHeader bool `json:"is_header"` + // The number of columns the cell spans + Colspan int32 `json:"colspan"` + // The number of rows the cell spans + Rowspan int32 `json:"rowspan"` + // Horizontal cell content alignment + Align PageBlockHorizontalAlignment `json:"align"` + // Vertical cell content alignment + Valign PageBlockVerticalAlignment `json:"valign"` +} + +func (entity *PageBlockTableCell) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PageBlockTableCell + + return json.Marshal((*stub)(entity)) +} + +func (*PageBlockTableCell) GetClass() string { + return ClassPageBlockTableCell +} + +func (*PageBlockTableCell) GetType() string { + return TypePageBlockTableCell +} + +func (pageBlockTableCell *PageBlockTableCell) UnmarshalJSON(data []byte) error { + var tmp struct { + Text json.RawMessage `json:"text"` + IsHeader bool `json:"is_header"` + Colspan int32 `json:"colspan"` + Rowspan int32 `json:"rowspan"` + Align json.RawMessage `json:"align"` + Valign json.RawMessage `json:"valign"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + pageBlockTableCell.IsHeader = tmp.IsHeader + pageBlockTableCell.Colspan = tmp.Colspan + pageBlockTableCell.Rowspan = tmp.Rowspan + + fieldText, _ := UnmarshalRichText(tmp.Text) + pageBlockTableCell.Text = fieldText + + fieldAlign, _ := UnmarshalPageBlockHorizontalAlignment(tmp.Align) + pageBlockTableCell.Align = fieldAlign + + fieldValign, _ := UnmarshalPageBlockVerticalAlignment(tmp.Valign) + pageBlockTableCell.Valign = fieldValign + + return nil +} + +// Contains information about a related article +type PageBlockRelatedArticle struct { + meta + // Related article URL + Url string `json:"url"` + // Article title; may be empty + Title string `json:"title"` + // Article description; may be empty + Description string `json:"description"` + // Article photo; may be null + Photo *Photo `json:"photo"` + // Article author; may be empty + Author string `json:"author"` + // Point in time (Unix timestamp) when the article was published; 0 if unknown + PublishDate int32 `json:"publish_date"` +} + +func (entity *PageBlockRelatedArticle) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PageBlockRelatedArticle + + return json.Marshal((*stub)(entity)) +} + +func (*PageBlockRelatedArticle) GetClass() string { + return ClassPageBlockRelatedArticle +} + +func (*PageBlockRelatedArticle) GetType() string { + return TypePageBlockRelatedArticle +} + +// The title of a page +type PageBlockTitle struct { + meta + // Title + Title RichText `json:"title"` +} + +func (entity *PageBlockTitle) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PageBlockTitle + + return json.Marshal((*stub)(entity)) +} + +func (*PageBlockTitle) GetClass() string { + return ClassPageBlock +} + +func (*PageBlockTitle) GetType() string { + return TypePageBlockTitle +} + +func (*PageBlockTitle) PageBlockType() string { + return TypePageBlockTitle +} + +func (pageBlockTitle *PageBlockTitle) UnmarshalJSON(data []byte) error { + var tmp struct { + Title json.RawMessage `json:"title"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldTitle, _ := UnmarshalRichText(tmp.Title) + pageBlockTitle.Title = fieldTitle + + return nil +} + +// The subtitle of a page +type PageBlockSubtitle struct { + meta + // Subtitle + Subtitle RichText `json:"subtitle"` +} + +func (entity *PageBlockSubtitle) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PageBlockSubtitle + + return json.Marshal((*stub)(entity)) +} + +func (*PageBlockSubtitle) GetClass() string { + return ClassPageBlock +} + +func (*PageBlockSubtitle) GetType() string { + return TypePageBlockSubtitle +} + +func (*PageBlockSubtitle) PageBlockType() string { + return TypePageBlockSubtitle +} + +func (pageBlockSubtitle *PageBlockSubtitle) UnmarshalJSON(data []byte) error { + var tmp struct { + Subtitle json.RawMessage `json:"subtitle"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldSubtitle, _ := UnmarshalRichText(tmp.Subtitle) + pageBlockSubtitle.Subtitle = fieldSubtitle + + return nil +} + +// The author and publishing date of a page +type PageBlockAuthorDate struct { + meta + // Author + Author RichText `json:"author"` + // Point in time (Unix timestamp) when the article was published; 0 if unknown + PublishDate int32 `json:"publish_date"` +} + +func (entity *PageBlockAuthorDate) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PageBlockAuthorDate + + return json.Marshal((*stub)(entity)) +} + +func (*PageBlockAuthorDate) GetClass() string { + return ClassPageBlock +} + +func (*PageBlockAuthorDate) GetType() string { + return TypePageBlockAuthorDate +} + +func (*PageBlockAuthorDate) PageBlockType() string { + return TypePageBlockAuthorDate +} + +func (pageBlockAuthorDate *PageBlockAuthorDate) UnmarshalJSON(data []byte) error { + var tmp struct { + Author json.RawMessage `json:"author"` + PublishDate int32 `json:"publish_date"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + pageBlockAuthorDate.PublishDate = tmp.PublishDate + + fieldAuthor, _ := UnmarshalRichText(tmp.Author) + pageBlockAuthorDate.Author = fieldAuthor + + return nil +} + +// A header +type PageBlockHeader struct { + meta + // Header + Header RichText `json:"header"` +} + +func (entity *PageBlockHeader) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PageBlockHeader + + return json.Marshal((*stub)(entity)) +} + +func (*PageBlockHeader) GetClass() string { + return ClassPageBlock +} + +func (*PageBlockHeader) GetType() string { + return TypePageBlockHeader +} + +func (*PageBlockHeader) PageBlockType() string { + return TypePageBlockHeader +} + +func (pageBlockHeader *PageBlockHeader) UnmarshalJSON(data []byte) error { + var tmp struct { + Header json.RawMessage `json:"header"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldHeader, _ := UnmarshalRichText(tmp.Header) + pageBlockHeader.Header = fieldHeader + + return nil +} + +// A subheader +type PageBlockSubheader struct { + meta + // Subheader + Subheader RichText `json:"subheader"` +} + +func (entity *PageBlockSubheader) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PageBlockSubheader + + return json.Marshal((*stub)(entity)) +} + +func (*PageBlockSubheader) GetClass() string { + return ClassPageBlock +} + +func (*PageBlockSubheader) GetType() string { + return TypePageBlockSubheader +} + +func (*PageBlockSubheader) PageBlockType() string { + return TypePageBlockSubheader +} + +func (pageBlockSubheader *PageBlockSubheader) UnmarshalJSON(data []byte) error { + var tmp struct { + Subheader json.RawMessage `json:"subheader"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldSubheader, _ := UnmarshalRichText(tmp.Subheader) + pageBlockSubheader.Subheader = fieldSubheader + + return nil +} + +// A kicker +type PageBlockKicker struct { + meta + // Kicker + Kicker RichText `json:"kicker"` +} + +func (entity *PageBlockKicker) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PageBlockKicker + + return json.Marshal((*stub)(entity)) +} + +func (*PageBlockKicker) GetClass() string { + return ClassPageBlock +} + +func (*PageBlockKicker) GetType() string { + return TypePageBlockKicker +} + +func (*PageBlockKicker) PageBlockType() string { + return TypePageBlockKicker +} + +func (pageBlockKicker *PageBlockKicker) UnmarshalJSON(data []byte) error { + var tmp struct { + Kicker json.RawMessage `json:"kicker"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldKicker, _ := UnmarshalRichText(tmp.Kicker) + pageBlockKicker.Kicker = fieldKicker + + return nil +} + +// A text paragraph +type PageBlockParagraph struct { + meta + // Paragraph text + Text RichText `json:"text"` +} + +func (entity *PageBlockParagraph) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PageBlockParagraph + + return json.Marshal((*stub)(entity)) +} + +func (*PageBlockParagraph) GetClass() string { + return ClassPageBlock +} + +func (*PageBlockParagraph) GetType() string { + return TypePageBlockParagraph +} + +func (*PageBlockParagraph) PageBlockType() string { + return TypePageBlockParagraph +} + +func (pageBlockParagraph *PageBlockParagraph) UnmarshalJSON(data []byte) error { + var tmp struct { + Text json.RawMessage `json:"text"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldText, _ := UnmarshalRichText(tmp.Text) + pageBlockParagraph.Text = fieldText + + return nil +} + +// A preformatted text paragraph +type PageBlockPreformatted struct { + meta + // Paragraph text + Text RichText `json:"text"` + // Programming language for which the text needs to be formatted + Language string `json:"language"` +} + +func (entity *PageBlockPreformatted) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PageBlockPreformatted + + return json.Marshal((*stub)(entity)) +} + +func (*PageBlockPreformatted) GetClass() string { + return ClassPageBlock +} + +func (*PageBlockPreformatted) GetType() string { + return TypePageBlockPreformatted +} + +func (*PageBlockPreformatted) PageBlockType() string { + return TypePageBlockPreformatted +} + +func (pageBlockPreformatted *PageBlockPreformatted) UnmarshalJSON(data []byte) error { + var tmp struct { + Text json.RawMessage `json:"text"` + Language string `json:"language"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + pageBlockPreformatted.Language = tmp.Language + + fieldText, _ := UnmarshalRichText(tmp.Text) + pageBlockPreformatted.Text = fieldText + + return nil +} + +// The footer of a page +type PageBlockFooter struct { + meta + // Footer + Footer RichText `json:"footer"` +} + +func (entity *PageBlockFooter) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PageBlockFooter + + return json.Marshal((*stub)(entity)) +} + +func (*PageBlockFooter) GetClass() string { + return ClassPageBlock +} + +func (*PageBlockFooter) GetType() string { + return TypePageBlockFooter +} + +func (*PageBlockFooter) PageBlockType() string { + return TypePageBlockFooter +} + +func (pageBlockFooter *PageBlockFooter) UnmarshalJSON(data []byte) error { + var tmp struct { + Footer json.RawMessage `json:"footer"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldFooter, _ := UnmarshalRichText(tmp.Footer) + pageBlockFooter.Footer = fieldFooter + + return nil +} + +// An empty block separating a page +type PageBlockDivider struct{ + meta +} + +func (entity *PageBlockDivider) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PageBlockDivider + + return json.Marshal((*stub)(entity)) +} + +func (*PageBlockDivider) GetClass() string { + return ClassPageBlock +} + +func (*PageBlockDivider) GetType() string { + return TypePageBlockDivider +} + +func (*PageBlockDivider) PageBlockType() string { + return TypePageBlockDivider +} + +// An invisible anchor on a page, which can be used in a URL to open the page from the specified anchor +type PageBlockAnchor struct { + meta + // Name of the anchor + Name string `json:"name"` +} + +func (entity *PageBlockAnchor) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PageBlockAnchor + + return json.Marshal((*stub)(entity)) +} + +func (*PageBlockAnchor) GetClass() string { + return ClassPageBlock +} + +func (*PageBlockAnchor) GetType() string { + return TypePageBlockAnchor +} + +func (*PageBlockAnchor) PageBlockType() string { + return TypePageBlockAnchor +} + +// A list of data blocks +type PageBlockList struct { + meta + // The items of the list + Items []*PageBlockListItem `json:"items"` +} + +func (entity *PageBlockList) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PageBlockList + + return json.Marshal((*stub)(entity)) +} + +func (*PageBlockList) GetClass() string { + return ClassPageBlock +} + +func (*PageBlockList) GetType() string { + return TypePageBlockList +} + +func (*PageBlockList) PageBlockType() string { + return TypePageBlockList +} + +// A block quote +type PageBlockBlockQuote struct { + meta + // Quote text + Text RichText `json:"text"` + // Quote credit + Credit RichText `json:"credit"` +} + +func (entity *PageBlockBlockQuote) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PageBlockBlockQuote + + return json.Marshal((*stub)(entity)) +} + +func (*PageBlockBlockQuote) GetClass() string { + return ClassPageBlock +} + +func (*PageBlockBlockQuote) GetType() string { + return TypePageBlockBlockQuote +} + +func (*PageBlockBlockQuote) PageBlockType() string { + return TypePageBlockBlockQuote +} + +func (pageBlockBlockQuote *PageBlockBlockQuote) UnmarshalJSON(data []byte) error { + var tmp struct { + Text json.RawMessage `json:"text"` + Credit json.RawMessage `json:"credit"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldText, _ := UnmarshalRichText(tmp.Text) + pageBlockBlockQuote.Text = fieldText + + fieldCredit, _ := UnmarshalRichText(tmp.Credit) + pageBlockBlockQuote.Credit = fieldCredit + + return nil +} + +// A pull quote +type PageBlockPullQuote struct { + meta + // Quote text + Text RichText `json:"text"` + // Quote credit + Credit RichText `json:"credit"` +} + +func (entity *PageBlockPullQuote) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PageBlockPullQuote + + return json.Marshal((*stub)(entity)) +} + +func (*PageBlockPullQuote) GetClass() string { + return ClassPageBlock +} + +func (*PageBlockPullQuote) GetType() string { + return TypePageBlockPullQuote +} + +func (*PageBlockPullQuote) PageBlockType() string { + return TypePageBlockPullQuote +} + +func (pageBlockPullQuote *PageBlockPullQuote) UnmarshalJSON(data []byte) error { + var tmp struct { + Text json.RawMessage `json:"text"` + Credit json.RawMessage `json:"credit"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldText, _ := UnmarshalRichText(tmp.Text) + pageBlockPullQuote.Text = fieldText + + fieldCredit, _ := UnmarshalRichText(tmp.Credit) + pageBlockPullQuote.Credit = fieldCredit + + return nil +} + +// An animation +type PageBlockAnimation struct { + meta + // Animation file; may be null + Animation *Animation `json:"animation"` + // Animation caption + Caption *PageBlockCaption `json:"caption"` + // True, if the animation must be played automatically + NeedAutoplay bool `json:"need_autoplay"` +} + +func (entity *PageBlockAnimation) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PageBlockAnimation + + return json.Marshal((*stub)(entity)) +} + +func (*PageBlockAnimation) GetClass() string { + return ClassPageBlock +} + +func (*PageBlockAnimation) GetType() string { + return TypePageBlockAnimation +} + +func (*PageBlockAnimation) PageBlockType() string { + return TypePageBlockAnimation +} + +// An audio file +type PageBlockAudio struct { + meta + // Audio file; may be null + Audio *Audio `json:"audio"` + // Audio file caption + Caption *PageBlockCaption `json:"caption"` +} + +func (entity *PageBlockAudio) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PageBlockAudio + + return json.Marshal((*stub)(entity)) +} + +func (*PageBlockAudio) GetClass() string { + return ClassPageBlock +} + +func (*PageBlockAudio) GetType() string { + return TypePageBlockAudio +} + +func (*PageBlockAudio) PageBlockType() string { + return TypePageBlockAudio +} + +// A photo +type PageBlockPhoto struct { + meta + // Photo file; may be null + Photo *Photo `json:"photo"` + // Photo caption + Caption *PageBlockCaption `json:"caption"` + // URL that needs to be opened when the photo is clicked + Url string `json:"url"` +} + +func (entity *PageBlockPhoto) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PageBlockPhoto + + return json.Marshal((*stub)(entity)) +} + +func (*PageBlockPhoto) GetClass() string { + return ClassPageBlock +} + +func (*PageBlockPhoto) GetType() string { + return TypePageBlockPhoto +} + +func (*PageBlockPhoto) PageBlockType() string { + return TypePageBlockPhoto +} + +// A video +type PageBlockVideo struct { + meta + // Video file; may be null + Video *Video `json:"video"` + // Video caption + Caption *PageBlockCaption `json:"caption"` + // True, if the video must be played automatically + NeedAutoplay bool `json:"need_autoplay"` + // True, if the video must be looped + IsLooped bool `json:"is_looped"` +} + +func (entity *PageBlockVideo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PageBlockVideo + + return json.Marshal((*stub)(entity)) +} + +func (*PageBlockVideo) GetClass() string { + return ClassPageBlock +} + +func (*PageBlockVideo) GetType() string { + return TypePageBlockVideo +} + +func (*PageBlockVideo) PageBlockType() string { + return TypePageBlockVideo +} + +// A voice note +type PageBlockVoiceNote struct { + meta + // Voice note; may be null + VoiceNote *VoiceNote `json:"voice_note"` + // Voice note caption + Caption *PageBlockCaption `json:"caption"` +} + +func (entity *PageBlockVoiceNote) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PageBlockVoiceNote + + return json.Marshal((*stub)(entity)) +} + +func (*PageBlockVoiceNote) GetClass() string { + return ClassPageBlock +} + +func (*PageBlockVoiceNote) GetType() string { + return TypePageBlockVoiceNote +} + +func (*PageBlockVoiceNote) PageBlockType() string { + return TypePageBlockVoiceNote +} + +// A page cover +type PageBlockCover struct { + meta + // Cover + Cover PageBlock `json:"cover"` +} + +func (entity *PageBlockCover) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PageBlockCover + + return json.Marshal((*stub)(entity)) +} + +func (*PageBlockCover) GetClass() string { + return ClassPageBlock +} + +func (*PageBlockCover) GetType() string { + return TypePageBlockCover +} + +func (*PageBlockCover) PageBlockType() string { + return TypePageBlockCover +} + +func (pageBlockCover *PageBlockCover) UnmarshalJSON(data []byte) error { + var tmp struct { + Cover json.RawMessage `json:"cover"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldCover, _ := UnmarshalPageBlock(tmp.Cover) + pageBlockCover.Cover = fieldCover + + return nil +} + +// An embedded web page +type PageBlockEmbedded struct { + meta + // URL of the embedded page, if available + Url string `json:"url"` + // HTML-markup of the embedded page + Html string `json:"html"` + // Poster photo, if available; may be null + PosterPhoto *Photo `json:"poster_photo"` + // Block width; 0 if unknown + Width int32 `json:"width"` + // Block height; 0 if unknown + Height int32 `json:"height"` + // Block caption + Caption *PageBlockCaption `json:"caption"` + // True, if the block must be full width + IsFullWidth bool `json:"is_full_width"` + // True, if scrolling needs to be allowed + AllowScrolling bool `json:"allow_scrolling"` +} + +func (entity *PageBlockEmbedded) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PageBlockEmbedded + + return json.Marshal((*stub)(entity)) +} + +func (*PageBlockEmbedded) GetClass() string { + return ClassPageBlock +} + +func (*PageBlockEmbedded) GetType() string { + return TypePageBlockEmbedded +} + +func (*PageBlockEmbedded) PageBlockType() string { + return TypePageBlockEmbedded +} + +// An embedded post +type PageBlockEmbeddedPost struct { + meta + // URL of the embedded post + Url string `json:"url"` + // Post author + Author string `json:"author"` + // Post author photo; may be null + AuthorPhoto *Photo `json:"author_photo"` + // Point in time (Unix timestamp) when the post was created; 0 if unknown + Date int32 `json:"date"` + // Post content + PageBlocks []PageBlock `json:"page_blocks"` + // Post caption + Caption *PageBlockCaption `json:"caption"` +} + +func (entity *PageBlockEmbeddedPost) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PageBlockEmbeddedPost + + return json.Marshal((*stub)(entity)) +} + +func (*PageBlockEmbeddedPost) GetClass() string { + return ClassPageBlock +} + +func (*PageBlockEmbeddedPost) GetType() string { + return TypePageBlockEmbeddedPost +} + +func (*PageBlockEmbeddedPost) PageBlockType() string { + return TypePageBlockEmbeddedPost +} + +func (pageBlockEmbeddedPost *PageBlockEmbeddedPost) UnmarshalJSON(data []byte) error { + var tmp struct { + Url string `json:"url"` + Author string `json:"author"` + AuthorPhoto *Photo `json:"author_photo"` + Date int32 `json:"date"` + PageBlocks []json.RawMessage `json:"page_blocks"` + Caption *PageBlockCaption `json:"caption"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + pageBlockEmbeddedPost.Url = tmp.Url + pageBlockEmbeddedPost.Author = tmp.Author + pageBlockEmbeddedPost.AuthorPhoto = tmp.AuthorPhoto + pageBlockEmbeddedPost.Date = tmp.Date + pageBlockEmbeddedPost.Caption = tmp.Caption + + fieldPageBlocks, _ := UnmarshalListOfPageBlock(tmp.PageBlocks) + pageBlockEmbeddedPost.PageBlocks = fieldPageBlocks + + return nil +} + +// A collage +type PageBlockCollage struct { + meta + // Collage item contents + PageBlocks []PageBlock `json:"page_blocks"` + // Block caption + Caption *PageBlockCaption `json:"caption"` +} + +func (entity *PageBlockCollage) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PageBlockCollage + + return json.Marshal((*stub)(entity)) +} + +func (*PageBlockCollage) GetClass() string { + return ClassPageBlock +} + +func (*PageBlockCollage) GetType() string { + return TypePageBlockCollage +} + +func (*PageBlockCollage) PageBlockType() string { + return TypePageBlockCollage +} + +func (pageBlockCollage *PageBlockCollage) UnmarshalJSON(data []byte) error { + var tmp struct { + PageBlocks []json.RawMessage `json:"page_blocks"` + Caption *PageBlockCaption `json:"caption"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + pageBlockCollage.Caption = tmp.Caption + + fieldPageBlocks, _ := UnmarshalListOfPageBlock(tmp.PageBlocks) + pageBlockCollage.PageBlocks = fieldPageBlocks + + return nil +} + +// A slideshow +type PageBlockSlideshow struct { + meta + // Slideshow item contents + PageBlocks []PageBlock `json:"page_blocks"` + // Block caption + Caption *PageBlockCaption `json:"caption"` +} + +func (entity *PageBlockSlideshow) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PageBlockSlideshow + + return json.Marshal((*stub)(entity)) +} + +func (*PageBlockSlideshow) GetClass() string { + return ClassPageBlock +} + +func (*PageBlockSlideshow) GetType() string { + return TypePageBlockSlideshow +} + +func (*PageBlockSlideshow) PageBlockType() string { + return TypePageBlockSlideshow +} + +func (pageBlockSlideshow *PageBlockSlideshow) UnmarshalJSON(data []byte) error { + var tmp struct { + PageBlocks []json.RawMessage `json:"page_blocks"` + Caption *PageBlockCaption `json:"caption"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + pageBlockSlideshow.Caption = tmp.Caption + + fieldPageBlocks, _ := UnmarshalListOfPageBlock(tmp.PageBlocks) + pageBlockSlideshow.PageBlocks = fieldPageBlocks + + return nil +} + +// A link to a chat +type PageBlockChatLink struct { + meta + // Chat title + Title string `json:"title"` + // Chat photo; may be null + Photo *ChatPhotoInfo `json:"photo"` + // Identifier of the accent color for chat title and background of chat photo + AccentColorId int32 `json:"accent_color_id"` + // Chat username by which all other information about the chat can be resolved + Username string `json:"username"` +} + +func (entity *PageBlockChatLink) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PageBlockChatLink + + return json.Marshal((*stub)(entity)) +} + +func (*PageBlockChatLink) GetClass() string { + return ClassPageBlock +} + +func (*PageBlockChatLink) GetType() string { + return TypePageBlockChatLink +} + +func (*PageBlockChatLink) PageBlockType() string { + return TypePageBlockChatLink +} + +// A table +type PageBlockTable struct { + meta + // Table caption + Caption RichText `json:"caption"` + // Table cells + Cells [][]*PageBlockTableCell `json:"cells"` + // True, if the table is bordered + IsBordered bool `json:"is_bordered"` + // True, if the table is striped + IsStriped bool `json:"is_striped"` +} + +func (entity *PageBlockTable) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PageBlockTable + + return json.Marshal((*stub)(entity)) +} + +func (*PageBlockTable) GetClass() string { + return ClassPageBlock +} + +func (*PageBlockTable) GetType() string { + return TypePageBlockTable +} + +func (*PageBlockTable) PageBlockType() string { + return TypePageBlockTable +} + +func (pageBlockTable *PageBlockTable) UnmarshalJSON(data []byte) error { + var tmp struct { + Caption json.RawMessage `json:"caption"` + Cells [][]*PageBlockTableCell `json:"cells"` + IsBordered bool `json:"is_bordered"` + IsStriped bool `json:"is_striped"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + pageBlockTable.Cells = tmp.Cells + pageBlockTable.IsBordered = tmp.IsBordered + pageBlockTable.IsStriped = tmp.IsStriped + + fieldCaption, _ := UnmarshalRichText(tmp.Caption) + pageBlockTable.Caption = fieldCaption + + return nil +} + +// A collapsible block +type PageBlockDetails struct { + meta + // Always visible heading for the block + Header RichText `json:"header"` + // Block contents + PageBlocks []PageBlock `json:"page_blocks"` + // True, if the block is open by default + IsOpen bool `json:"is_open"` +} + +func (entity *PageBlockDetails) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PageBlockDetails + + return json.Marshal((*stub)(entity)) +} + +func (*PageBlockDetails) GetClass() string { + return ClassPageBlock +} + +func (*PageBlockDetails) GetType() string { + return TypePageBlockDetails +} + +func (*PageBlockDetails) PageBlockType() string { + return TypePageBlockDetails +} + +func (pageBlockDetails *PageBlockDetails) UnmarshalJSON(data []byte) error { + var tmp struct { + Header json.RawMessage `json:"header"` + PageBlocks []json.RawMessage `json:"page_blocks"` + IsOpen bool `json:"is_open"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + pageBlockDetails.IsOpen = tmp.IsOpen + + fieldHeader, _ := UnmarshalRichText(tmp.Header) + pageBlockDetails.Header = fieldHeader + + fieldPageBlocks, _ := UnmarshalListOfPageBlock(tmp.PageBlocks) + pageBlockDetails.PageBlocks = fieldPageBlocks + + return nil +} + +// Related articles +type PageBlockRelatedArticles struct { + meta + // Block header + Header RichText `json:"header"` + // List of related articles + Articles []*PageBlockRelatedArticle `json:"articles"` +} + +func (entity *PageBlockRelatedArticles) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PageBlockRelatedArticles + + return json.Marshal((*stub)(entity)) +} + +func (*PageBlockRelatedArticles) GetClass() string { + return ClassPageBlock +} + +func (*PageBlockRelatedArticles) GetType() string { + return TypePageBlockRelatedArticles +} + +func (*PageBlockRelatedArticles) PageBlockType() string { + return TypePageBlockRelatedArticles +} + +func (pageBlockRelatedArticles *PageBlockRelatedArticles) UnmarshalJSON(data []byte) error { + var tmp struct { + Header json.RawMessage `json:"header"` + Articles []*PageBlockRelatedArticle `json:"articles"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + pageBlockRelatedArticles.Articles = tmp.Articles + + fieldHeader, _ := UnmarshalRichText(tmp.Header) + pageBlockRelatedArticles.Header = fieldHeader + + return nil +} + +// A map +type PageBlockMap struct { + meta + // Location of the map center + Location *Location `json:"location"` + // Map zoom level + Zoom int32 `json:"zoom"` + // Map width + Width int32 `json:"width"` + // Map height + Height int32 `json:"height"` + // Block caption + Caption *PageBlockCaption `json:"caption"` +} + +func (entity *PageBlockMap) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PageBlockMap + + return json.Marshal((*stub)(entity)) +} + +func (*PageBlockMap) GetClass() string { + return ClassPageBlock +} + +func (*PageBlockMap) GetType() string { + return TypePageBlockMap +} + +func (*PageBlockMap) PageBlockType() string { + return TypePageBlockMap +} + +// Describes an instant view page for a web page +type WebPageInstantView struct { + meta + // Content of the instant view page + PageBlocks []PageBlock `json:"page_blocks"` + // Number of the instant view views; 0 if unknown + ViewCount int32 `json:"view_count"` + // Version of the instant view; currently, can be 1 or 2 + Version int32 `json:"version"` + // True, if the instant view must be shown from right to left + IsRtl bool `json:"is_rtl"` + // True, if the instant view contains the full page. A network request might be needed to get the full instant view + IsFull bool `json:"is_full"` + // An internal link to be opened to leave feedback about the instant view + FeedbackLink InternalLinkType `json:"feedback_link"` +} + +func (entity *WebPageInstantView) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub WebPageInstantView + + return json.Marshal((*stub)(entity)) +} + +func (*WebPageInstantView) GetClass() string { + return ClassWebPageInstantView +} + +func (*WebPageInstantView) GetType() string { + return TypeWebPageInstantView +} + +func (webPageInstantView *WebPageInstantView) UnmarshalJSON(data []byte) error { + var tmp struct { + PageBlocks []json.RawMessage `json:"page_blocks"` + ViewCount int32 `json:"view_count"` + Version int32 `json:"version"` + IsRtl bool `json:"is_rtl"` + IsFull bool `json:"is_full"` + FeedbackLink json.RawMessage `json:"feedback_link"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + webPageInstantView.ViewCount = tmp.ViewCount + webPageInstantView.Version = tmp.Version + webPageInstantView.IsRtl = tmp.IsRtl + webPageInstantView.IsFull = tmp.IsFull + + fieldPageBlocks, _ := UnmarshalListOfPageBlock(tmp.PageBlocks) + webPageInstantView.PageBlocks = fieldPageBlocks + + fieldFeedbackLink, _ := UnmarshalInternalLinkType(tmp.FeedbackLink) + webPageInstantView.FeedbackLink = fieldFeedbackLink + + return nil +} + +// The media is a photo +type LinkPreviewAlbumMediaPhoto struct { + meta + // Photo description + Photo *Photo `json:"photo"` +} + +func (entity *LinkPreviewAlbumMediaPhoto) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LinkPreviewAlbumMediaPhoto + + return json.Marshal((*stub)(entity)) +} + +func (*LinkPreviewAlbumMediaPhoto) GetClass() string { + return ClassLinkPreviewAlbumMedia +} + +func (*LinkPreviewAlbumMediaPhoto) GetType() string { + return TypeLinkPreviewAlbumMediaPhoto +} + +func (*LinkPreviewAlbumMediaPhoto) LinkPreviewAlbumMediaType() string { + return TypeLinkPreviewAlbumMediaPhoto +} + +// The media is a video +type LinkPreviewAlbumMediaVideo struct { + meta + // Video description + Video *Video `json:"video"` +} + +func (entity *LinkPreviewAlbumMediaVideo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LinkPreviewAlbumMediaVideo + + return json.Marshal((*stub)(entity)) +} + +func (*LinkPreviewAlbumMediaVideo) GetClass() string { + return ClassLinkPreviewAlbumMedia +} + +func (*LinkPreviewAlbumMediaVideo) GetType() string { + return TypeLinkPreviewAlbumMediaVideo +} + +func (*LinkPreviewAlbumMediaVideo) LinkPreviewAlbumMediaType() string { + return TypeLinkPreviewAlbumMediaVideo +} + +// The link is a link to a media album consisting of photos and videos +type LinkPreviewTypeAlbum struct { + meta + // The list of album media + Media []LinkPreviewAlbumMedia `json:"media"` + // Album caption + Caption string `json:"caption"` +} + +func (entity *LinkPreviewTypeAlbum) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LinkPreviewTypeAlbum + + return json.Marshal((*stub)(entity)) +} + +func (*LinkPreviewTypeAlbum) GetClass() string { + return ClassLinkPreviewType +} + +func (*LinkPreviewTypeAlbum) GetType() string { + return TypeLinkPreviewTypeAlbum +} + +func (*LinkPreviewTypeAlbum) LinkPreviewTypeType() string { + return TypeLinkPreviewTypeAlbum +} + +func (linkPreviewTypeAlbum *LinkPreviewTypeAlbum) UnmarshalJSON(data []byte) error { + var tmp struct { + Media []json.RawMessage `json:"media"` + Caption string `json:"caption"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + linkPreviewTypeAlbum.Caption = tmp.Caption + + fieldMedia, _ := UnmarshalListOfLinkPreviewAlbumMedia(tmp.Media) + linkPreviewTypeAlbum.Media = fieldMedia + + return nil +} + +// The link is a link to an animation +type LinkPreviewTypeAnimation struct { + meta + // The animation + Animation *Animation `json:"animation"` +} + +func (entity *LinkPreviewTypeAnimation) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LinkPreviewTypeAnimation + + return json.Marshal((*stub)(entity)) +} + +func (*LinkPreviewTypeAnimation) GetClass() string { + return ClassLinkPreviewType +} + +func (*LinkPreviewTypeAnimation) GetType() string { + return TypeLinkPreviewTypeAnimation +} + +func (*LinkPreviewTypeAnimation) LinkPreviewTypeType() string { + return TypeLinkPreviewTypeAnimation +} + +// The link is a link to an app at App Store or Google Play +type LinkPreviewTypeApp struct { + meta + // Photo for the app + Photo *Photo `json:"photo"` +} + +func (entity *LinkPreviewTypeApp) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LinkPreviewTypeApp + + return json.Marshal((*stub)(entity)) +} + +func (*LinkPreviewTypeApp) GetClass() string { + return ClassLinkPreviewType +} + +func (*LinkPreviewTypeApp) GetType() string { + return TypeLinkPreviewTypeApp +} + +func (*LinkPreviewTypeApp) LinkPreviewTypeType() string { + return TypeLinkPreviewTypeApp +} + +// The link is a link to a web site +type LinkPreviewTypeArticle struct { + meta + // Article's main photo; may be null + Photo *Photo `json:"photo"` +} + +func (entity *LinkPreviewTypeArticle) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LinkPreviewTypeArticle + + return json.Marshal((*stub)(entity)) +} + +func (*LinkPreviewTypeArticle) GetClass() string { + return ClassLinkPreviewType +} + +func (*LinkPreviewTypeArticle) GetType() string { + return TypeLinkPreviewTypeArticle +} + +func (*LinkPreviewTypeArticle) LinkPreviewTypeType() string { + return TypeLinkPreviewTypeArticle +} + +// The link is a link to an audio +type LinkPreviewTypeAudio struct { + meta + // The audio description + Audio *Audio `json:"audio"` +} + +func (entity *LinkPreviewTypeAudio) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LinkPreviewTypeAudio + + return json.Marshal((*stub)(entity)) +} + +func (*LinkPreviewTypeAudio) GetClass() string { + return ClassLinkPreviewType +} + +func (*LinkPreviewTypeAudio) GetType() string { + return TypeLinkPreviewTypeAudio +} + +func (*LinkPreviewTypeAudio) LinkPreviewTypeType() string { + return TypeLinkPreviewTypeAudio +} + +// The link is a link to a background. Link preview title and description are available only for filled backgrounds +type LinkPreviewTypeBackground struct { + meta + // Document with the background; may be null for filled backgrounds + Document *Document `json:"document"` + // Type of the background; may be null if unknown + BackgroundType BackgroundType `json:"background_type"` +} + +func (entity *LinkPreviewTypeBackground) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LinkPreviewTypeBackground + + return json.Marshal((*stub)(entity)) +} + +func (*LinkPreviewTypeBackground) GetClass() string { + return ClassLinkPreviewType +} + +func (*LinkPreviewTypeBackground) GetType() string { + return TypeLinkPreviewTypeBackground +} + +func (*LinkPreviewTypeBackground) LinkPreviewTypeType() string { + return TypeLinkPreviewTypeBackground +} + +func (linkPreviewTypeBackground *LinkPreviewTypeBackground) UnmarshalJSON(data []byte) error { + var tmp struct { + Document *Document `json:"document"` + BackgroundType json.RawMessage `json:"background_type"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + linkPreviewTypeBackground.Document = tmp.Document + + fieldBackgroundType, _ := UnmarshalBackgroundType(tmp.BackgroundType) + linkPreviewTypeBackground.BackgroundType = fieldBackgroundType + + return nil +} + +// The link is a link to boost a channel chat +type LinkPreviewTypeChannelBoost struct { + meta + // Photo of the chat; may be null + Photo *ChatPhoto `json:"photo"` +} + +func (entity *LinkPreviewTypeChannelBoost) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LinkPreviewTypeChannelBoost + + return json.Marshal((*stub)(entity)) +} + +func (*LinkPreviewTypeChannelBoost) GetClass() string { + return ClassLinkPreviewType +} + +func (*LinkPreviewTypeChannelBoost) GetType() string { + return TypeLinkPreviewTypeChannelBoost +} + +func (*LinkPreviewTypeChannelBoost) LinkPreviewTypeType() string { + return TypeLinkPreviewTypeChannelBoost +} + +// The link is a link to a chat +type LinkPreviewTypeChat struct { + meta + // Type of the chat + Type InviteLinkChatType `json:"type"` + // Photo of the chat; may be null + Photo *ChatPhoto `json:"photo"` + // True, if the link only creates join request + CreatesJoinRequest bool `json:"creates_join_request"` +} + +func (entity *LinkPreviewTypeChat) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LinkPreviewTypeChat + + return json.Marshal((*stub)(entity)) +} + +func (*LinkPreviewTypeChat) GetClass() string { + return ClassLinkPreviewType +} + +func (*LinkPreviewTypeChat) GetType() string { + return TypeLinkPreviewTypeChat +} + +func (*LinkPreviewTypeChat) LinkPreviewTypeType() string { + return TypeLinkPreviewTypeChat +} + +func (linkPreviewTypeChat *LinkPreviewTypeChat) UnmarshalJSON(data []byte) error { + var tmp struct { + Type json.RawMessage `json:"type"` + Photo *ChatPhoto `json:"photo"` + CreatesJoinRequest bool `json:"creates_join_request"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + linkPreviewTypeChat.Photo = tmp.Photo + linkPreviewTypeChat.CreatesJoinRequest = tmp.CreatesJoinRequest + + fieldType, _ := UnmarshalInviteLinkChatType(tmp.Type) + linkPreviewTypeChat.Type = fieldType + + return nil +} + +// The link is a link to a direct messages chat of a channel +type LinkPreviewTypeDirectMessagesChat struct { + meta + // Photo of the channel chat; may be null + Photo *ChatPhoto `json:"photo"` +} + +func (entity *LinkPreviewTypeDirectMessagesChat) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LinkPreviewTypeDirectMessagesChat + + return json.Marshal((*stub)(entity)) +} + +func (*LinkPreviewTypeDirectMessagesChat) GetClass() string { + return ClassLinkPreviewType +} + +func (*LinkPreviewTypeDirectMessagesChat) GetType() string { + return TypeLinkPreviewTypeDirectMessagesChat +} + +func (*LinkPreviewTypeDirectMessagesChat) LinkPreviewTypeType() string { + return TypeLinkPreviewTypeDirectMessagesChat +} + +// The link is a link to a general file +type LinkPreviewTypeDocument struct { + meta + // The document description + Document *Document `json:"document"` +} + +func (entity *LinkPreviewTypeDocument) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LinkPreviewTypeDocument + + return json.Marshal((*stub)(entity)) +} + +func (*LinkPreviewTypeDocument) GetClass() string { + return ClassLinkPreviewType +} + +func (*LinkPreviewTypeDocument) GetType() string { + return TypeLinkPreviewTypeDocument +} + +func (*LinkPreviewTypeDocument) LinkPreviewTypeType() string { + return TypeLinkPreviewTypeDocument +} + +// The link is a link to an animation player +type LinkPreviewTypeEmbeddedAnimationPlayer struct { + meta + // URL of the external animation player + Url string `json:"url"` + // Thumbnail of the animation; may be null if unknown + Thumbnail *Photo `json:"thumbnail"` + // Duration of the animation, in seconds + Duration int32 `json:"duration"` + // Expected width of the embedded player + Width int32 `json:"width"` + // Expected height of the embedded player + Height int32 `json:"height"` +} + +func (entity *LinkPreviewTypeEmbeddedAnimationPlayer) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LinkPreviewTypeEmbeddedAnimationPlayer + + return json.Marshal((*stub)(entity)) +} + +func (*LinkPreviewTypeEmbeddedAnimationPlayer) GetClass() string { + return ClassLinkPreviewType +} + +func (*LinkPreviewTypeEmbeddedAnimationPlayer) GetType() string { + return TypeLinkPreviewTypeEmbeddedAnimationPlayer +} + +func (*LinkPreviewTypeEmbeddedAnimationPlayer) LinkPreviewTypeType() string { + return TypeLinkPreviewTypeEmbeddedAnimationPlayer +} + +// The link is a link to an audio player +type LinkPreviewTypeEmbeddedAudioPlayer struct { + meta + // URL of the external audio player + Url string `json:"url"` + // Thumbnail of the audio; may be null if unknown + Thumbnail *Photo `json:"thumbnail"` + // Duration of the audio, in seconds + Duration int32 `json:"duration"` + // Expected width of the embedded player + Width int32 `json:"width"` + // Expected height of the embedded player + Height int32 `json:"height"` +} + +func (entity *LinkPreviewTypeEmbeddedAudioPlayer) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LinkPreviewTypeEmbeddedAudioPlayer + + return json.Marshal((*stub)(entity)) +} + +func (*LinkPreviewTypeEmbeddedAudioPlayer) GetClass() string { + return ClassLinkPreviewType +} + +func (*LinkPreviewTypeEmbeddedAudioPlayer) GetType() string { + return TypeLinkPreviewTypeEmbeddedAudioPlayer +} + +func (*LinkPreviewTypeEmbeddedAudioPlayer) LinkPreviewTypeType() string { + return TypeLinkPreviewTypeEmbeddedAudioPlayer +} + +// The link is a link to a video player +type LinkPreviewTypeEmbeddedVideoPlayer struct { + meta + // URL of the external video player + Url string `json:"url"` + // Thumbnail of the video; may be null if unknown + Thumbnail *Photo `json:"thumbnail"` + // Duration of the video, in seconds + Duration int32 `json:"duration"` + // Expected width of the embedded player + Width int32 `json:"width"` + // Expected height of the embedded player + Height int32 `json:"height"` +} + +func (entity *LinkPreviewTypeEmbeddedVideoPlayer) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LinkPreviewTypeEmbeddedVideoPlayer + + return json.Marshal((*stub)(entity)) +} + +func (*LinkPreviewTypeEmbeddedVideoPlayer) GetClass() string { + return ClassLinkPreviewType +} + +func (*LinkPreviewTypeEmbeddedVideoPlayer) GetType() string { + return TypeLinkPreviewTypeEmbeddedVideoPlayer +} + +func (*LinkPreviewTypeEmbeddedVideoPlayer) LinkPreviewTypeType() string { + return TypeLinkPreviewTypeEmbeddedVideoPlayer +} + +// The link is a link to an audio file +type LinkPreviewTypeExternalAudio struct { + meta + // URL of the audio file + Url string `json:"url"` + // MIME type of the audio file + MimeType string `json:"mime_type"` + // Duration of the audio, in seconds; 0 if unknown + Duration int32 `json:"duration"` +} + +func (entity *LinkPreviewTypeExternalAudio) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LinkPreviewTypeExternalAudio + + return json.Marshal((*stub)(entity)) +} + +func (*LinkPreviewTypeExternalAudio) GetClass() string { + return ClassLinkPreviewType +} + +func (*LinkPreviewTypeExternalAudio) GetType() string { + return TypeLinkPreviewTypeExternalAudio +} + +func (*LinkPreviewTypeExternalAudio) LinkPreviewTypeType() string { + return TypeLinkPreviewTypeExternalAudio +} + +// The link is a link to a video file +type LinkPreviewTypeExternalVideo struct { + meta + // URL of the video file + Url string `json:"url"` + // MIME type of the video file + MimeType string `json:"mime_type"` + // Expected width of the video preview; 0 if unknown + Width int32 `json:"width"` + // Expected height of the video preview; 0 if unknown + Height int32 `json:"height"` + // Duration of the video, in seconds; 0 if unknown + Duration int32 `json:"duration"` +} + +func (entity *LinkPreviewTypeExternalVideo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LinkPreviewTypeExternalVideo + + return json.Marshal((*stub)(entity)) +} + +func (*LinkPreviewTypeExternalVideo) GetClass() string { + return ClassLinkPreviewType +} + +func (*LinkPreviewTypeExternalVideo) GetType() string { + return TypeLinkPreviewTypeExternalVideo +} + +func (*LinkPreviewTypeExternalVideo) LinkPreviewTypeType() string { + return TypeLinkPreviewTypeExternalVideo +} + +// The link is a link to a gift auction +type LinkPreviewTypeGiftAuction struct { + meta + // The gift + Gift *Gift `json:"gift"` + // Point in time (Unix timestamp) when the auction will be ended + AuctionEndDate int32 `json:"auction_end_date"` +} + +func (entity *LinkPreviewTypeGiftAuction) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LinkPreviewTypeGiftAuction + + return json.Marshal((*stub)(entity)) +} + +func (*LinkPreviewTypeGiftAuction) GetClass() string { + return ClassLinkPreviewType +} + +func (*LinkPreviewTypeGiftAuction) GetType() string { + return TypeLinkPreviewTypeGiftAuction +} + +func (*LinkPreviewTypeGiftAuction) LinkPreviewTypeType() string { + return TypeLinkPreviewTypeGiftAuction +} + +// The link is a link to a gift collection +type LinkPreviewTypeGiftCollection struct { + meta + // Icons for some gifts from the collection; may be empty + Icons []*Sticker `json:"icons"` +} + +func (entity *LinkPreviewTypeGiftCollection) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LinkPreviewTypeGiftCollection + + return json.Marshal((*stub)(entity)) +} + +func (*LinkPreviewTypeGiftCollection) GetClass() string { + return ClassLinkPreviewType +} + +func (*LinkPreviewTypeGiftCollection) GetType() string { + return TypeLinkPreviewTypeGiftCollection +} + +func (*LinkPreviewTypeGiftCollection) LinkPreviewTypeType() string { + return TypeLinkPreviewTypeGiftCollection +} + +// The link is a link to a group call that isn't bound to a chat +type LinkPreviewTypeGroupCall struct{ + meta +} + +func (entity *LinkPreviewTypeGroupCall) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LinkPreviewTypeGroupCall + + return json.Marshal((*stub)(entity)) +} + +func (*LinkPreviewTypeGroupCall) GetClass() string { + return ClassLinkPreviewType +} + +func (*LinkPreviewTypeGroupCall) GetType() string { + return TypeLinkPreviewTypeGroupCall +} + +func (*LinkPreviewTypeGroupCall) LinkPreviewTypeType() string { + return TypeLinkPreviewTypeGroupCall +} + +// The link is a link to an invoice +type LinkPreviewTypeInvoice struct{ + meta +} + +func (entity *LinkPreviewTypeInvoice) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LinkPreviewTypeInvoice + + return json.Marshal((*stub)(entity)) +} + +func (*LinkPreviewTypeInvoice) GetClass() string { + return ClassLinkPreviewType +} + +func (*LinkPreviewTypeInvoice) GetType() string { + return TypeLinkPreviewTypeInvoice +} + +func (*LinkPreviewTypeInvoice) LinkPreviewTypeType() string { + return TypeLinkPreviewTypeInvoice +} + +// The link is a link to a live story group call +type LinkPreviewTypeLiveStory struct { + meta + // The identifier of the chat that posted the story + StoryPosterChatId int64 `json:"story_poster_chat_id"` + // Story identifier + StoryId int32 `json:"story_id"` +} + +func (entity *LinkPreviewTypeLiveStory) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LinkPreviewTypeLiveStory + + return json.Marshal((*stub)(entity)) +} + +func (*LinkPreviewTypeLiveStory) GetClass() string { + return ClassLinkPreviewType +} + +func (*LinkPreviewTypeLiveStory) GetType() string { + return TypeLinkPreviewTypeLiveStory +} + +func (*LinkPreviewTypeLiveStory) LinkPreviewTypeType() string { + return TypeLinkPreviewTypeLiveStory +} + +// The link is a link to a text or a poll Telegram message +type LinkPreviewTypeMessage struct{ + meta +} + +func (entity *LinkPreviewTypeMessage) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LinkPreviewTypeMessage + + return json.Marshal((*stub)(entity)) +} + +func (*LinkPreviewTypeMessage) GetClass() string { + return ClassLinkPreviewType +} + +func (*LinkPreviewTypeMessage) GetType() string { + return TypeLinkPreviewTypeMessage +} + +func (*LinkPreviewTypeMessage) LinkPreviewTypeType() string { + return TypeLinkPreviewTypeMessage +} + +// The link is a link to a photo +type LinkPreviewTypePhoto struct { + meta + // The photo + Photo *Photo `json:"photo"` +} + +func (entity *LinkPreviewTypePhoto) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LinkPreviewTypePhoto + + return json.Marshal((*stub)(entity)) +} + +func (*LinkPreviewTypePhoto) GetClass() string { + return ClassLinkPreviewType +} + +func (*LinkPreviewTypePhoto) GetType() string { + return TypeLinkPreviewTypePhoto +} + +func (*LinkPreviewTypePhoto) LinkPreviewTypeType() string { + return TypeLinkPreviewTypePhoto +} + +// The link is a link to a Telegram Premium gift code +type LinkPreviewTypePremiumGiftCode struct{ + meta +} + +func (entity *LinkPreviewTypePremiumGiftCode) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LinkPreviewTypePremiumGiftCode + + return json.Marshal((*stub)(entity)) +} + +func (*LinkPreviewTypePremiumGiftCode) GetClass() string { + return ClassLinkPreviewType +} + +func (*LinkPreviewTypePremiumGiftCode) GetType() string { + return TypeLinkPreviewTypePremiumGiftCode +} + +func (*LinkPreviewTypePremiumGiftCode) LinkPreviewTypeType() string { + return TypeLinkPreviewTypePremiumGiftCode +} + +// The link is a link to a shareable chat folder +type LinkPreviewTypeShareableChatFolder struct{ + meta +} + +func (entity *LinkPreviewTypeShareableChatFolder) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LinkPreviewTypeShareableChatFolder + + return json.Marshal((*stub)(entity)) +} + +func (*LinkPreviewTypeShareableChatFolder) GetClass() string { + return ClassLinkPreviewType +} + +func (*LinkPreviewTypeShareableChatFolder) GetType() string { + return TypeLinkPreviewTypeShareableChatFolder +} + +func (*LinkPreviewTypeShareableChatFolder) LinkPreviewTypeType() string { + return TypeLinkPreviewTypeShareableChatFolder +} + +// The link is a link to a sticker +type LinkPreviewTypeSticker struct { + meta + // The sticker. It can be an arbitrary WEBP image and can have dimensions bigger than 512 + Sticker *Sticker `json:"sticker"` +} + +func (entity *LinkPreviewTypeSticker) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LinkPreviewTypeSticker + + return json.Marshal((*stub)(entity)) +} + +func (*LinkPreviewTypeSticker) GetClass() string { + return ClassLinkPreviewType +} + +func (*LinkPreviewTypeSticker) GetType() string { + return TypeLinkPreviewTypeSticker +} + +func (*LinkPreviewTypeSticker) LinkPreviewTypeType() string { + return TypeLinkPreviewTypeSticker +} + +// The link is a link to a sticker set +type LinkPreviewTypeStickerSet struct { + meta + // Up to 4 stickers from the sticker set + Stickers []*Sticker `json:"stickers"` +} + +func (entity *LinkPreviewTypeStickerSet) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LinkPreviewTypeStickerSet + + return json.Marshal((*stub)(entity)) +} + +func (*LinkPreviewTypeStickerSet) GetClass() string { + return ClassLinkPreviewType +} + +func (*LinkPreviewTypeStickerSet) GetType() string { + return TypeLinkPreviewTypeStickerSet +} + +func (*LinkPreviewTypeStickerSet) LinkPreviewTypeType() string { + return TypeLinkPreviewTypeStickerSet +} + +// The link is a link to a story. Link preview description is unavailable +type LinkPreviewTypeStory struct { + meta + // The identifier of the chat that posted the story + StoryPosterChatId int64 `json:"story_poster_chat_id"` + // Story identifier + StoryId int32 `json:"story_id"` +} + +func (entity *LinkPreviewTypeStory) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LinkPreviewTypeStory + + return json.Marshal((*stub)(entity)) +} + +func (*LinkPreviewTypeStory) GetClass() string { + return ClassLinkPreviewType +} + +func (*LinkPreviewTypeStory) GetType() string { + return TypeLinkPreviewTypeStory +} + +func (*LinkPreviewTypeStory) LinkPreviewTypeType() string { + return TypeLinkPreviewTypeStory +} + +// The link is a link to an album of stories +type LinkPreviewTypeStoryAlbum struct { + meta + // Icon of the album; may be null if none + PhotoIcon *Photo `json:"photo_icon"` + // Video icon of the album; may be null if none + VideoIcon *Video `json:"video_icon"` +} + +func (entity *LinkPreviewTypeStoryAlbum) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LinkPreviewTypeStoryAlbum + + return json.Marshal((*stub)(entity)) +} + +func (*LinkPreviewTypeStoryAlbum) GetClass() string { + return ClassLinkPreviewType +} + +func (*LinkPreviewTypeStoryAlbum) GetType() string { + return TypeLinkPreviewTypeStoryAlbum +} + +func (*LinkPreviewTypeStoryAlbum) LinkPreviewTypeType() string { + return TypeLinkPreviewTypeStoryAlbum +} + +// The link is a link to boost a supergroup chat +type LinkPreviewTypeSupergroupBoost struct { + meta + // Photo of the chat; may be null + Photo *ChatPhoto `json:"photo"` +} + +func (entity *LinkPreviewTypeSupergroupBoost) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LinkPreviewTypeSupergroupBoost + + return json.Marshal((*stub)(entity)) +} + +func (*LinkPreviewTypeSupergroupBoost) GetClass() string { + return ClassLinkPreviewType +} + +func (*LinkPreviewTypeSupergroupBoost) GetType() string { + return TypeLinkPreviewTypeSupergroupBoost +} + +func (*LinkPreviewTypeSupergroupBoost) LinkPreviewTypeType() string { + return TypeLinkPreviewTypeSupergroupBoost +} + +// The link is a link to a cloud theme. TDLib has no theme support yet +type LinkPreviewTypeTheme struct { + meta + // The list of files with theme description + Documents []*Document `json:"documents"` + // Settings for the cloud theme; may be null if unknown + Settings *ThemeSettings `json:"settings"` +} + +func (entity *LinkPreviewTypeTheme) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LinkPreviewTypeTheme + + return json.Marshal((*stub)(entity)) +} + +func (*LinkPreviewTypeTheme) GetClass() string { + return ClassLinkPreviewType +} + +func (*LinkPreviewTypeTheme) GetType() string { + return TypeLinkPreviewTypeTheme +} + +func (*LinkPreviewTypeTheme) LinkPreviewTypeType() string { + return TypeLinkPreviewTypeTheme +} + +// The link preview type is unsupported yet +type LinkPreviewTypeUnsupported struct{ + meta +} + +func (entity *LinkPreviewTypeUnsupported) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LinkPreviewTypeUnsupported + + return json.Marshal((*stub)(entity)) +} + +func (*LinkPreviewTypeUnsupported) GetClass() string { + return ClassLinkPreviewType +} + +func (*LinkPreviewTypeUnsupported) GetType() string { + return TypeLinkPreviewTypeUnsupported +} + +func (*LinkPreviewTypeUnsupported) LinkPreviewTypeType() string { + return TypeLinkPreviewTypeUnsupported +} + +// The link is a link to an upgraded gift +type LinkPreviewTypeUpgradedGift struct { + meta + // The gift + Gift *UpgradedGift `json:"gift"` +} + +func (entity *LinkPreviewTypeUpgradedGift) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LinkPreviewTypeUpgradedGift + + return json.Marshal((*stub)(entity)) +} + +func (*LinkPreviewTypeUpgradedGift) GetClass() string { + return ClassLinkPreviewType +} + +func (*LinkPreviewTypeUpgradedGift) GetType() string { + return TypeLinkPreviewTypeUpgradedGift +} + +func (*LinkPreviewTypeUpgradedGift) LinkPreviewTypeType() string { + return TypeLinkPreviewTypeUpgradedGift +} + +// The link is a link to a user +type LinkPreviewTypeUser struct { + meta + // Photo of the user; may be null if none + Photo *ChatPhoto `json:"photo"` + // True, if the user is a bot + IsBot bool `json:"is_bot"` +} + +func (entity *LinkPreviewTypeUser) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LinkPreviewTypeUser + + return json.Marshal((*stub)(entity)) +} + +func (*LinkPreviewTypeUser) GetClass() string { + return ClassLinkPreviewType +} + +func (*LinkPreviewTypeUser) GetType() string { + return TypeLinkPreviewTypeUser +} + +func (*LinkPreviewTypeUser) LinkPreviewTypeType() string { + return TypeLinkPreviewTypeUser +} + +// The link is a link to a video +type LinkPreviewTypeVideo struct { + meta + // The video description + Video *Video `json:"video"` + // Cover of the video; may be null if none + Cover *Photo `json:"cover"` + // Timestamp from which the video playing must start, in seconds + StartTimestamp int32 `json:"start_timestamp"` +} + +func (entity *LinkPreviewTypeVideo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LinkPreviewTypeVideo + + return json.Marshal((*stub)(entity)) +} + +func (*LinkPreviewTypeVideo) GetClass() string { + return ClassLinkPreviewType +} + +func (*LinkPreviewTypeVideo) GetType() string { + return TypeLinkPreviewTypeVideo +} + +func (*LinkPreviewTypeVideo) LinkPreviewTypeType() string { + return TypeLinkPreviewTypeVideo +} + +// The link is a link to a video chat +type LinkPreviewTypeVideoChat struct { + meta + // Photo of the chat with the video chat; may be null if none + Photo *ChatPhoto `json:"photo"` + // True, if the video chat is expected to be a live stream in a channel or a broadcast group + IsLiveStream bool `json:"is_live_stream"` + // True, if the user can use the link to join the video chat without being muted by administrators + JoinsAsSpeaker bool `json:"joins_as_speaker"` +} + +func (entity *LinkPreviewTypeVideoChat) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LinkPreviewTypeVideoChat + + return json.Marshal((*stub)(entity)) +} + +func (*LinkPreviewTypeVideoChat) GetClass() string { + return ClassLinkPreviewType +} + +func (*LinkPreviewTypeVideoChat) GetType() string { + return TypeLinkPreviewTypeVideoChat +} + +func (*LinkPreviewTypeVideoChat) LinkPreviewTypeType() string { + return TypeLinkPreviewTypeVideoChat +} + +// The link is a link to a video note message +type LinkPreviewTypeVideoNote struct { + meta + // The video note + VideoNote *VideoNote `json:"video_note"` +} + +func (entity *LinkPreviewTypeVideoNote) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LinkPreviewTypeVideoNote + + return json.Marshal((*stub)(entity)) +} + +func (*LinkPreviewTypeVideoNote) GetClass() string { + return ClassLinkPreviewType +} + +func (*LinkPreviewTypeVideoNote) GetType() string { + return TypeLinkPreviewTypeVideoNote +} + +func (*LinkPreviewTypeVideoNote) LinkPreviewTypeType() string { + return TypeLinkPreviewTypeVideoNote +} + +// The link is a link to a voice note message +type LinkPreviewTypeVoiceNote struct { + meta + // The voice note + VoiceNote *VoiceNote `json:"voice_note"` +} + +func (entity *LinkPreviewTypeVoiceNote) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LinkPreviewTypeVoiceNote + + return json.Marshal((*stub)(entity)) +} + +func (*LinkPreviewTypeVoiceNote) GetClass() string { + return ClassLinkPreviewType +} + +func (*LinkPreviewTypeVoiceNote) GetType() string { + return TypeLinkPreviewTypeVoiceNote +} + +func (*LinkPreviewTypeVoiceNote) LinkPreviewTypeType() string { + return TypeLinkPreviewTypeVoiceNote +} + +// The link is a link to a Web App +type LinkPreviewTypeWebApp struct { + meta + // Web App photo; may be null if none + Photo *Photo `json:"photo"` +} + +func (entity *LinkPreviewTypeWebApp) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LinkPreviewTypeWebApp + + return json.Marshal((*stub)(entity)) +} + +func (*LinkPreviewTypeWebApp) GetClass() string { + return ClassLinkPreviewType +} + +func (*LinkPreviewTypeWebApp) GetType() string { + return TypeLinkPreviewTypeWebApp +} + +func (*LinkPreviewTypeWebApp) LinkPreviewTypeType() string { + return TypeLinkPreviewTypeWebApp +} + +// Describes a link preview +type LinkPreview struct { + meta + // Original URL of the link + Url string `json:"url"` + // URL to display + DisplayUrl string `json:"display_url"` + // Short name of the site (e.g., Google Docs, App Store) + SiteName string `json:"site_name"` + // Title of the content + Title string `json:"title"` + // Description of the content + Description *FormattedText `json:"description"` + // Author of the content + Author string `json:"author"` + // Type of the link preview + Type LinkPreviewType `json:"type"` + // True, if size of media in the preview can be changed + HasLargeMedia bool `json:"has_large_media"` + // True, if large media preview must be shown; otherwise, the media preview must be shown small and only the first frame must be shown for videos + ShowLargeMedia bool `json:"show_large_media"` + // True, if media must be shown above link preview description; otherwise, the media must be shown below the description + ShowMediaAboveDescription bool `json:"show_media_above_description"` + // True, if there is no need to show an ordinary open URL confirmation, when opening the URL from the preview, because the URL is shown in the message text in clear + SkipConfirmation bool `json:"skip_confirmation"` + // True, if the link preview must be shown above message text; otherwise, the link preview must be shown below the message text + ShowAboveText bool `json:"show_above_text"` + // Version of instant view (currently, can be 1 or 2) for the web page; 0 if none + InstantViewVersion int32 `json:"instant_view_version"` +} + +func (entity *LinkPreview) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LinkPreview + + return json.Marshal((*stub)(entity)) +} + +func (*LinkPreview) GetClass() string { + return ClassLinkPreview +} + +func (*LinkPreview) GetType() string { + return TypeLinkPreview +} + +func (linkPreview *LinkPreview) UnmarshalJSON(data []byte) error { + var tmp struct { + Url string `json:"url"` + DisplayUrl string `json:"display_url"` + SiteName string `json:"site_name"` + Title string `json:"title"` + Description *FormattedText `json:"description"` + Author string `json:"author"` + Type json.RawMessage `json:"type"` + HasLargeMedia bool `json:"has_large_media"` + ShowLargeMedia bool `json:"show_large_media"` + ShowMediaAboveDescription bool `json:"show_media_above_description"` + SkipConfirmation bool `json:"skip_confirmation"` + ShowAboveText bool `json:"show_above_text"` + InstantViewVersion int32 `json:"instant_view_version"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + linkPreview.Url = tmp.Url + linkPreview.DisplayUrl = tmp.DisplayUrl + linkPreview.SiteName = tmp.SiteName + linkPreview.Title = tmp.Title + linkPreview.Description = tmp.Description + linkPreview.Author = tmp.Author + linkPreview.HasLargeMedia = tmp.HasLargeMedia + linkPreview.ShowLargeMedia = tmp.ShowLargeMedia + linkPreview.ShowMediaAboveDescription = tmp.ShowMediaAboveDescription + linkPreview.SkipConfirmation = tmp.SkipConfirmation + linkPreview.ShowAboveText = tmp.ShowAboveText + linkPreview.InstantViewVersion = tmp.InstantViewVersion + + fieldType, _ := UnmarshalLinkPreviewType(tmp.Type) + linkPreview.Type = fieldType + + return nil +} + +// Contains information about a country +type CountryInfo struct { + meta + // A two-letter ISO 3166-1 alpha-2 country code + CountryCode string `json:"country_code"` + // Native name of the country + Name string `json:"name"` + // English name of the country + EnglishName string `json:"english_name"` + // True, if the country must be hidden from the list of all countries + IsHidden bool `json:"is_hidden"` + // List of country calling codes + CallingCodes []string `json:"calling_codes"` +} + +func (entity *CountryInfo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub CountryInfo + + return json.Marshal((*stub)(entity)) +} + +func (*CountryInfo) GetClass() string { + return ClassCountryInfo +} + +func (*CountryInfo) GetType() string { + return TypeCountryInfo +} + +// Contains information about countries +type Countries struct { + meta + // The list of countries + Countries []*CountryInfo `json:"countries"` +} + +func (entity *Countries) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub Countries + + return json.Marshal((*stub)(entity)) +} + +func (*Countries) GetClass() string { + return ClassCountries +} + +func (*Countries) GetType() string { + return TypeCountries +} + +// Contains information about a phone number +type PhoneNumberInfo struct { + meta + // Information about the country to which the phone number belongs; may be null + Country *CountryInfo `json:"country"` + // The part of the phone number denoting country calling code or its part + CountryCallingCode string `json:"country_calling_code"` + // The phone number without country calling code formatted accordingly to local rules. Expected digits are returned as '-', but even more digits might be entered by the user + FormattedPhoneNumber string `json:"formatted_phone_number"` + // True, if the phone number was bought at https://fragment.com and isn't tied to a SIM card. Information about the phone number can be received using getCollectibleItemInfo + IsAnonymous bool `json:"is_anonymous"` +} + +func (entity *PhoneNumberInfo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PhoneNumberInfo + + return json.Marshal((*stub)(entity)) +} + +func (*PhoneNumberInfo) GetClass() string { + return ClassPhoneNumberInfo +} + +func (*PhoneNumberInfo) GetType() string { + return TypePhoneNumberInfo +} + +// A username +type CollectibleItemTypeUsername struct { + meta + // The username + Username string `json:"username"` +} + +func (entity *CollectibleItemTypeUsername) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub CollectibleItemTypeUsername + + return json.Marshal((*stub)(entity)) +} + +func (*CollectibleItemTypeUsername) GetClass() string { + return ClassCollectibleItemType +} + +func (*CollectibleItemTypeUsername) GetType() string { + return TypeCollectibleItemTypeUsername +} + +func (*CollectibleItemTypeUsername) CollectibleItemTypeType() string { + return TypeCollectibleItemTypeUsername +} + +// A phone number +type CollectibleItemTypePhoneNumber struct { + meta + // The phone number + PhoneNumber string `json:"phone_number"` +} + +func (entity *CollectibleItemTypePhoneNumber) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub CollectibleItemTypePhoneNumber + + return json.Marshal((*stub)(entity)) +} + +func (*CollectibleItemTypePhoneNumber) GetClass() string { + return ClassCollectibleItemType +} + +func (*CollectibleItemTypePhoneNumber) GetType() string { + return TypeCollectibleItemTypePhoneNumber +} + +func (*CollectibleItemTypePhoneNumber) CollectibleItemTypeType() string { + return TypeCollectibleItemTypePhoneNumber +} + +// Contains information about a collectible item and its last purchase +type CollectibleItemInfo struct { + meta + // Point in time (Unix timestamp) when the item was purchased + PurchaseDate int32 `json:"purchase_date"` + // Currency for the paid amount + Currency string `json:"currency"` + // The paid amount, in the smallest units of the currency + Amount int64 `json:"amount"` + // Cryptocurrency used to pay for the item + Cryptocurrency string `json:"cryptocurrency"` + // The paid amount, in the smallest units of the cryptocurrency + CryptocurrencyAmount JsonInt64 `json:"cryptocurrency_amount"` + // Individual URL for the item on https://fragment.com + Url string `json:"url"` +} + +func (entity *CollectibleItemInfo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub CollectibleItemInfo + + return json.Marshal((*stub)(entity)) +} + +func (*CollectibleItemInfo) GetClass() string { + return ClassCollectibleItemInfo +} + +func (*CollectibleItemInfo) GetType() string { + return TypeCollectibleItemInfo +} + +// Describes an action associated with a bank card number +type BankCardActionOpenUrl struct { + meta + // Action text + Text string `json:"text"` + // The URL to be opened + Url string `json:"url"` +} + +func (entity *BankCardActionOpenUrl) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BankCardActionOpenUrl + + return json.Marshal((*stub)(entity)) +} + +func (*BankCardActionOpenUrl) GetClass() string { + return ClassBankCardActionOpenUrl +} + +func (*BankCardActionOpenUrl) GetType() string { + return TypeBankCardActionOpenUrl +} + +// Information about a bank card +type BankCardInfo struct { + meta + // Title of the bank card description + Title string `json:"title"` + // Actions that can be done with the bank card number + Actions []*BankCardActionOpenUrl `json:"actions"` +} + +func (entity *BankCardInfo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BankCardInfo + + return json.Marshal((*stub)(entity)) +} + +func (*BankCardInfo) GetClass() string { + return ClassBankCardInfo +} + +func (*BankCardInfo) GetType() string { + return TypeBankCardInfo +} + +// Describes an address +type Address struct { + meta + // A two-letter ISO 3166-1 alpha-2 country code + CountryCode string `json:"country_code"` + // State, if applicable + State string `json:"state"` + // City + City string `json:"city"` + // First line of the address + StreetLine1 string `json:"street_line1"` + // Second line of the address + StreetLine2 string `json:"street_line2"` + // Address postal code + PostalCode string `json:"postal_code"` +} + +func (entity *Address) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub Address + + return json.Marshal((*stub)(entity)) +} + +func (*Address) GetClass() string { + return ClassAddress +} + +func (*Address) GetType() string { + return TypeAddress +} + +// Describes an address of a location +type LocationAddress struct { + meta + // A two-letter ISO 3166-1 alpha-2 country code + CountryCode string `json:"country_code"` + // State, if applicable; empty if unknown + State string `json:"state"` + // City; empty if unknown + City string `json:"city"` + // The address; empty if unknown + Street string `json:"street"` +} + +func (entity *LocationAddress) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LocationAddress + + return json.Marshal((*stub)(entity)) +} + +func (*LocationAddress) GetClass() string { + return ClassLocationAddress +} + +func (*LocationAddress) GetType() string { + return TypeLocationAddress +} + +// Portion of the price of a product (e.g., "delivery cost", "tax amount") +type LabeledPricePart struct { + meta + // Label for this portion of the product price + Label string `json:"label"` + // Currency amount in the smallest units of the currency + Amount int64 `json:"amount"` +} + +func (entity *LabeledPricePart) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LabeledPricePart + + return json.Marshal((*stub)(entity)) +} + +func (*LabeledPricePart) GetClass() string { + return ClassLabeledPricePart +} + +func (*LabeledPricePart) GetType() string { + return TypeLabeledPricePart +} + +// Product invoice +type Invoice struct { + meta + // ISO 4217 currency code + Currency string `json:"currency"` + // A list of objects used to calculate the total price of the product + PriceParts []*LabeledPricePart `json:"price_parts"` + // The number of seconds between consecutive Telegram Star debiting for subscription invoices; 0 if the invoice doesn't create subscription + SubscriptionPeriod int32 `json:"subscription_period"` + // The maximum allowed amount of tip in the smallest units of the currency + MaxTipAmount int64 `json:"max_tip_amount"` + // Suggested amounts of tip in the smallest units of the currency + SuggestedTipAmounts []int64 `json:"suggested_tip_amounts"` + // An HTTP URL with terms of service for recurring payments. If non-empty, the invoice payment will result in recurring payments and the user must accept the terms of service before allowed to pay + RecurringPaymentTermsOfServiceUrl string `json:"recurring_payment_terms_of_service_url"` + // An HTTP URL with terms of service for non-recurring payments. If non-empty, then the user must accept the terms of service before allowed to pay + TermsOfServiceUrl string `json:"terms_of_service_url"` + // True, if the payment is a test payment + IsTest bool `json:"is_test"` + // True, if the user's name is needed for payment + NeedName bool `json:"need_name"` + // True, if the user's phone number is needed for payment + NeedPhoneNumber bool `json:"need_phone_number"` + // True, if the user's email address is needed for payment + NeedEmailAddress bool `json:"need_email_address"` + // True, if the user's shipping address is needed for payment + NeedShippingAddress bool `json:"need_shipping_address"` + // True, if the user's phone number will be sent to the provider + SendPhoneNumberToProvider bool `json:"send_phone_number_to_provider"` + // True, if the user's email address will be sent to the provider + SendEmailAddressToProvider bool `json:"send_email_address_to_provider"` + // True, if the total price depends on the shipping method + IsFlexible bool `json:"is_flexible"` +} + +func (entity *Invoice) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub Invoice + + return json.Marshal((*stub)(entity)) +} + +func (*Invoice) GetClass() string { + return ClassInvoice +} + +func (*Invoice) GetType() string { + return TypeInvoice +} + +// Order information +type OrderInfo struct { + meta + // Name of the user + Name string `json:"name"` + // Phone number of the user + PhoneNumber string `json:"phone_number"` + // Email address of the user + EmailAddress string `json:"email_address"` + // Shipping address for this order; may be null + ShippingAddress *Address `json:"shipping_address"` +} + +func (entity *OrderInfo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub OrderInfo + + return json.Marshal((*stub)(entity)) +} + +func (*OrderInfo) GetClass() string { + return ClassOrderInfo +} + +func (*OrderInfo) GetType() string { + return TypeOrderInfo +} + +// One shipping option +type ShippingOption struct { + meta + // Shipping option identifier + Id string `json:"id"` + // Option title + Title string `json:"title"` + // A list of objects used to calculate the total shipping costs + PriceParts []*LabeledPricePart `json:"price_parts"` +} + +func (entity *ShippingOption) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ShippingOption + + return json.Marshal((*stub)(entity)) +} + +func (*ShippingOption) GetClass() string { + return ClassShippingOption +} + +func (*ShippingOption) GetType() string { + return TypeShippingOption +} + +// Contains information about saved payment credentials +type SavedCredentials struct { + meta + // Unique identifier of the saved credentials + Id string `json:"id"` + // Title of the saved credentials + Title string `json:"title"` +} + +func (entity *SavedCredentials) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SavedCredentials + + return json.Marshal((*stub)(entity)) +} + +func (*SavedCredentials) GetClass() string { + return ClassSavedCredentials +} + +func (*SavedCredentials) GetType() string { + return TypeSavedCredentials +} + +// Applies if a user chooses some previously saved payment credentials. To use their previously saved credentials, the user must have a valid temporary password +type InputCredentialsSaved struct { + meta + // Identifier of the saved credentials + SavedCredentialsId string `json:"saved_credentials_id"` +} + +func (entity *InputCredentialsSaved) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputCredentialsSaved + + return json.Marshal((*stub)(entity)) +} + +func (*InputCredentialsSaved) GetClass() string { + return ClassInputCredentials +} + +func (*InputCredentialsSaved) GetType() string { + return TypeInputCredentialsSaved +} + +func (*InputCredentialsSaved) InputCredentialsType() string { + return TypeInputCredentialsSaved +} + +// Applies if a user enters new credentials on a payment provider website +type InputCredentialsNew struct { + meta + // JSON-encoded data with the credential identifier from the payment provider + Data string `json:"data"` + // True, if the credential identifier can be saved on the server side + AllowSave bool `json:"allow_save"` +} + +func (entity *InputCredentialsNew) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputCredentialsNew + + return json.Marshal((*stub)(entity)) +} + +func (*InputCredentialsNew) GetClass() string { + return ClassInputCredentials +} + +func (*InputCredentialsNew) GetType() string { + return TypeInputCredentialsNew +} + +func (*InputCredentialsNew) InputCredentialsType() string { + return TypeInputCredentialsNew +} + +// Applies if a user enters new credentials using Apple Pay +type InputCredentialsApplePay struct { + meta + // JSON-encoded data with the credential identifier + Data string `json:"data"` +} + +func (entity *InputCredentialsApplePay) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputCredentialsApplePay + + return json.Marshal((*stub)(entity)) +} + +func (*InputCredentialsApplePay) GetClass() string { + return ClassInputCredentials +} + +func (*InputCredentialsApplePay) GetType() string { + return TypeInputCredentialsApplePay +} + +func (*InputCredentialsApplePay) InputCredentialsType() string { + return TypeInputCredentialsApplePay +} + +// Applies if a user enters new credentials using Google Pay +type InputCredentialsGooglePay struct { + meta + // JSON-encoded data with the credential identifier + Data string `json:"data"` +} + +func (entity *InputCredentialsGooglePay) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputCredentialsGooglePay + + return json.Marshal((*stub)(entity)) +} + +func (*InputCredentialsGooglePay) GetClass() string { + return ClassInputCredentials +} + +func (*InputCredentialsGooglePay) GetType() string { + return TypeInputCredentialsGooglePay +} + +func (*InputCredentialsGooglePay) InputCredentialsType() string { + return TypeInputCredentialsGooglePay +} + +// Smart Glocal payment provider +type PaymentProviderSmartGlocal struct { + meta + // Public payment token + PublicToken string `json:"public_token"` + // URL for sending card tokenization requests + TokenizeUrl string `json:"tokenize_url"` +} + +func (entity *PaymentProviderSmartGlocal) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PaymentProviderSmartGlocal + + return json.Marshal((*stub)(entity)) +} + +func (*PaymentProviderSmartGlocal) GetClass() string { + return ClassPaymentProvider +} + +func (*PaymentProviderSmartGlocal) GetType() string { + return TypePaymentProviderSmartGlocal +} + +func (*PaymentProviderSmartGlocal) PaymentProviderType() string { + return TypePaymentProviderSmartGlocal +} + +// Stripe payment provider +type PaymentProviderStripe struct { + meta + // Stripe API publishable key + PublishableKey string `json:"publishable_key"` + // True, if the user country must be provided + NeedCountry bool `json:"need_country"` + // True, if the user ZIP/postal code must be provided + NeedPostalCode bool `json:"need_postal_code"` + // True, if the cardholder name must be provided + NeedCardholderName bool `json:"need_cardholder_name"` +} + +func (entity *PaymentProviderStripe) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PaymentProviderStripe + + return json.Marshal((*stub)(entity)) +} + +func (*PaymentProviderStripe) GetClass() string { + return ClassPaymentProvider +} + +func (*PaymentProviderStripe) GetType() string { + return TypePaymentProviderStripe +} + +func (*PaymentProviderStripe) PaymentProviderType() string { + return TypePaymentProviderStripe +} + +// Some other payment provider, for which a web payment form must be shown +type PaymentProviderOther struct { + meta + // Payment form URL + Url string `json:"url"` +} + +func (entity *PaymentProviderOther) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PaymentProviderOther + + return json.Marshal((*stub)(entity)) +} + +func (*PaymentProviderOther) GetClass() string { + return ClassPaymentProvider +} + +func (*PaymentProviderOther) GetType() string { + return TypePaymentProviderOther +} + +func (*PaymentProviderOther) PaymentProviderType() string { + return TypePaymentProviderOther +} + +// Describes an additional payment option +type PaymentOption struct { + meta + // Title for the payment option + Title string `json:"title"` + // Payment form URL to be opened in a web view + Url string `json:"url"` +} + +func (entity *PaymentOption) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PaymentOption + + return json.Marshal((*stub)(entity)) +} + +func (*PaymentOption) GetClass() string { + return ClassPaymentOption +} + +func (*PaymentOption) GetType() string { + return TypePaymentOption +} + +// The payment form is for a regular payment +type PaymentFormTypeRegular struct { + meta + // Full information about the invoice + Invoice *Invoice `json:"invoice"` + // User identifier of the payment provider bot + PaymentProviderUserId int64 `json:"payment_provider_user_id"` + // Information about the payment provider + PaymentProvider PaymentProvider `json:"payment_provider"` + // The list of additional payment options + AdditionalPaymentOptions []*PaymentOption `json:"additional_payment_options"` + // Saved server-side order information; may be null + SavedOrderInfo *OrderInfo `json:"saved_order_info"` + // The list of saved payment credentials + SavedCredentials []*SavedCredentials `json:"saved_credentials"` + // True, if the user can choose to save credentials + CanSaveCredentials bool `json:"can_save_credentials"` + // True, if the user will be able to save credentials, if sets up a 2-step verification password + NeedPassword bool `json:"need_password"` +} + +func (entity *PaymentFormTypeRegular) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PaymentFormTypeRegular + + return json.Marshal((*stub)(entity)) +} + +func (*PaymentFormTypeRegular) GetClass() string { + return ClassPaymentFormType +} + +func (*PaymentFormTypeRegular) GetType() string { + return TypePaymentFormTypeRegular +} + +func (*PaymentFormTypeRegular) PaymentFormTypeType() string { + return TypePaymentFormTypeRegular +} + +func (paymentFormTypeRegular *PaymentFormTypeRegular) UnmarshalJSON(data []byte) error { + var tmp struct { + Invoice *Invoice `json:"invoice"` + PaymentProviderUserId int64 `json:"payment_provider_user_id"` + PaymentProvider json.RawMessage `json:"payment_provider"` + AdditionalPaymentOptions []*PaymentOption `json:"additional_payment_options"` + SavedOrderInfo *OrderInfo `json:"saved_order_info"` + SavedCredentials []*SavedCredentials `json:"saved_credentials"` + CanSaveCredentials bool `json:"can_save_credentials"` + NeedPassword bool `json:"need_password"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + paymentFormTypeRegular.Invoice = tmp.Invoice + paymentFormTypeRegular.PaymentProviderUserId = tmp.PaymentProviderUserId + paymentFormTypeRegular.AdditionalPaymentOptions = tmp.AdditionalPaymentOptions + paymentFormTypeRegular.SavedOrderInfo = tmp.SavedOrderInfo + paymentFormTypeRegular.SavedCredentials = tmp.SavedCredentials + paymentFormTypeRegular.CanSaveCredentials = tmp.CanSaveCredentials + paymentFormTypeRegular.NeedPassword = tmp.NeedPassword + + fieldPaymentProvider, _ := UnmarshalPaymentProvider(tmp.PaymentProvider) + paymentFormTypeRegular.PaymentProvider = fieldPaymentProvider + + return nil +} + +// The payment form is for a payment in Telegram Stars +type PaymentFormTypeStars struct { + meta + // Number of Telegram Stars that will be paid + StarCount int64 `json:"star_count"` +} + +func (entity *PaymentFormTypeStars) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PaymentFormTypeStars + + return json.Marshal((*stub)(entity)) +} + +func (*PaymentFormTypeStars) GetClass() string { + return ClassPaymentFormType +} + +func (*PaymentFormTypeStars) GetType() string { + return TypePaymentFormTypeStars +} + +func (*PaymentFormTypeStars) PaymentFormTypeType() string { + return TypePaymentFormTypeStars +} + +// The payment form is for a payment in Telegram Stars for subscription +type PaymentFormTypeStarSubscription struct { + meta + // Information about subscription plan + Pricing *StarSubscriptionPricing `json:"pricing"` +} + +func (entity *PaymentFormTypeStarSubscription) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PaymentFormTypeStarSubscription + + return json.Marshal((*stub)(entity)) +} + +func (*PaymentFormTypeStarSubscription) GetClass() string { + return ClassPaymentFormType +} + +func (*PaymentFormTypeStarSubscription) GetType() string { + return TypePaymentFormTypeStarSubscription +} + +func (*PaymentFormTypeStarSubscription) PaymentFormTypeType() string { + return TypePaymentFormTypeStarSubscription +} + +// Contains information about an invoice payment form +type PaymentForm struct { + meta + // The payment form identifier + Id JsonInt64 `json:"id"` + // Type of the payment form + Type PaymentFormType `json:"type"` + // User identifier of the seller bot + SellerBotUserId int64 `json:"seller_bot_user_id"` + // Information about the product + ProductInfo *ProductInfo `json:"product_info"` +} + +func (entity *PaymentForm) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PaymentForm + + return json.Marshal((*stub)(entity)) +} + +func (*PaymentForm) GetClass() string { + return ClassPaymentForm +} + +func (*PaymentForm) GetType() string { + return TypePaymentForm +} + +func (paymentForm *PaymentForm) UnmarshalJSON(data []byte) error { + var tmp struct { + Id JsonInt64 `json:"id"` + Type json.RawMessage `json:"type"` + SellerBotUserId int64 `json:"seller_bot_user_id"` + ProductInfo *ProductInfo `json:"product_info"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + paymentForm.Id = tmp.Id + paymentForm.SellerBotUserId = tmp.SellerBotUserId + paymentForm.ProductInfo = tmp.ProductInfo + + fieldType, _ := UnmarshalPaymentFormType(tmp.Type) + paymentForm.Type = fieldType + + return nil +} + +// Contains a temporary identifier of validated order information, which is stored for one hour, and the available shipping options +type ValidatedOrderInfo struct { + meta + // Temporary identifier of the order information + OrderInfoId string `json:"order_info_id"` + // Available shipping options + ShippingOptions []*ShippingOption `json:"shipping_options"` +} + +func (entity *ValidatedOrderInfo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ValidatedOrderInfo + + return json.Marshal((*stub)(entity)) +} + +func (*ValidatedOrderInfo) GetClass() string { + return ClassValidatedOrderInfo +} + +func (*ValidatedOrderInfo) GetType() string { + return TypeValidatedOrderInfo +} + +// Contains the result of a payment request +type PaymentResult struct { + meta + // True, if the payment request was successful; otherwise, the verification_url will be non-empty + Success bool `json:"success"` + // URL for additional payment credentials verification + VerificationUrl string `json:"verification_url"` +} + +func (entity *PaymentResult) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PaymentResult + + return json.Marshal((*stub)(entity)) +} + +func (*PaymentResult) GetClass() string { + return ClassPaymentResult +} + +func (*PaymentResult) GetType() string { + return TypePaymentResult +} + +// The payment was done using a third-party payment provider +type PaymentReceiptTypeRegular struct { + meta + // User identifier of the payment provider bot + PaymentProviderUserId int64 `json:"payment_provider_user_id"` + // Information about the invoice + Invoice *Invoice `json:"invoice"` + // Order information; may be null + OrderInfo *OrderInfo `json:"order_info"` + // Chosen shipping option; may be null + ShippingOption *ShippingOption `json:"shipping_option"` + // Title of the saved credentials chosen by the buyer + CredentialsTitle string `json:"credentials_title"` + // The amount of tip chosen by the buyer in the smallest units of the currency + TipAmount int64 `json:"tip_amount"` +} + +func (entity *PaymentReceiptTypeRegular) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PaymentReceiptTypeRegular + + return json.Marshal((*stub)(entity)) +} + +func (*PaymentReceiptTypeRegular) GetClass() string { + return ClassPaymentReceiptType +} + +func (*PaymentReceiptTypeRegular) GetType() string { + return TypePaymentReceiptTypeRegular +} + +func (*PaymentReceiptTypeRegular) PaymentReceiptTypeType() string { + return TypePaymentReceiptTypeRegular +} + +// The payment was done using Telegram Stars +type PaymentReceiptTypeStars struct { + meta + // Number of Telegram Stars that were paid + StarCount int64 `json:"star_count"` + // Unique identifier of the transaction that can be used to dispute it + TransactionId string `json:"transaction_id"` +} + +func (entity *PaymentReceiptTypeStars) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PaymentReceiptTypeStars + + return json.Marshal((*stub)(entity)) +} + +func (*PaymentReceiptTypeStars) GetClass() string { + return ClassPaymentReceiptType +} + +func (*PaymentReceiptTypeStars) GetType() string { + return TypePaymentReceiptTypeStars +} + +func (*PaymentReceiptTypeStars) PaymentReceiptTypeType() string { + return TypePaymentReceiptTypeStars +} + +// Contains information about a successful payment +type PaymentReceipt struct { + meta + // Information about the product + ProductInfo *ProductInfo `json:"product_info"` + // Point in time (Unix timestamp) when the payment was made + Date int32 `json:"date"` + // User identifier of the seller bot + SellerBotUserId int64 `json:"seller_bot_user_id"` + // Type of the payment receipt + Type PaymentReceiptType `json:"type"` +} + +func (entity *PaymentReceipt) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PaymentReceipt + + return json.Marshal((*stub)(entity)) +} + +func (*PaymentReceipt) GetClass() string { + return ClassPaymentReceipt +} + +func (*PaymentReceipt) GetType() string { + return TypePaymentReceipt +} + +func (paymentReceipt *PaymentReceipt) UnmarshalJSON(data []byte) error { + var tmp struct { + ProductInfo *ProductInfo `json:"product_info"` + Date int32 `json:"date"` + SellerBotUserId int64 `json:"seller_bot_user_id"` + Type json.RawMessage `json:"type"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + paymentReceipt.ProductInfo = tmp.ProductInfo + paymentReceipt.Date = tmp.Date + paymentReceipt.SellerBotUserId = tmp.SellerBotUserId + + fieldType, _ := UnmarshalPaymentReceiptType(tmp.Type) + paymentReceipt.Type = fieldType + + return nil +} + +// An invoice from a message of the type messageInvoice or paid media purchase from messagePaidMedia +type InputInvoiceMessage struct { + meta + // Chat identifier of the message + ChatId int64 `json:"chat_id"` + // Message identifier. Use messageProperties.can_be_paid to check whether the message can be used in the method + MessageId int64 `json:"message_id"` +} + +func (entity *InputInvoiceMessage) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputInvoiceMessage + + return json.Marshal((*stub)(entity)) +} + +func (*InputInvoiceMessage) GetClass() string { + return ClassInputInvoice +} + +func (*InputInvoiceMessage) GetType() string { + return TypeInputInvoiceMessage +} + +func (*InputInvoiceMessage) InputInvoiceType() string { + return TypeInputInvoiceMessage +} + +// An invoice from a link of the type internalLinkTypeInvoice +type InputInvoiceName struct { + meta + // Name of the invoice + Name string `json:"name"` +} + +func (entity *InputInvoiceName) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputInvoiceName + + return json.Marshal((*stub)(entity)) +} + +func (*InputInvoiceName) GetClass() string { + return ClassInputInvoice +} + +func (*InputInvoiceName) GetType() string { + return TypeInputInvoiceName +} + +func (*InputInvoiceName) InputInvoiceType() string { + return TypeInputInvoiceName +} + +// An invoice for a payment toward Telegram; must not be used in the in-store apps +type InputInvoiceTelegram struct { + meta + // Transaction purpose + Purpose TelegramPaymentPurpose `json:"purpose"` +} + +func (entity *InputInvoiceTelegram) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputInvoiceTelegram + + return json.Marshal((*stub)(entity)) +} + +func (*InputInvoiceTelegram) GetClass() string { + return ClassInputInvoice +} + +func (*InputInvoiceTelegram) GetType() string { + return TypeInputInvoiceTelegram +} + +func (*InputInvoiceTelegram) InputInvoiceType() string { + return TypeInputInvoiceTelegram +} + +func (inputInvoiceTelegram *InputInvoiceTelegram) UnmarshalJSON(data []byte) error { + var tmp struct { + Purpose json.RawMessage `json:"purpose"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldPurpose, _ := UnmarshalTelegramPaymentPurpose(tmp.Purpose) + inputInvoiceTelegram.Purpose = fieldPurpose + + return nil +} + +// The media is hidden until the invoice is paid +type PaidMediaPreview struct { + meta + // Media width; 0 if unknown + Width int32 `json:"width"` + // Media height; 0 if unknown + Height int32 `json:"height"` + // Media duration, in seconds; 0 if unknown + Duration int32 `json:"duration"` + // Media minithumbnail; may be null + Minithumbnail *Minithumbnail `json:"minithumbnail"` +} + +func (entity *PaidMediaPreview) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PaidMediaPreview + + return json.Marshal((*stub)(entity)) +} + +func (*PaidMediaPreview) GetClass() string { + return ClassPaidMedia +} + +func (*PaidMediaPreview) GetType() string { + return TypePaidMediaPreview +} + +func (*PaidMediaPreview) PaidMediaType() string { + return TypePaidMediaPreview +} + +// The media is a photo +type PaidMediaPhoto struct { + meta + // The photo + Photo *Photo `json:"photo"` +} + +func (entity *PaidMediaPhoto) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PaidMediaPhoto + + return json.Marshal((*stub)(entity)) +} + +func (*PaidMediaPhoto) GetClass() string { + return ClassPaidMedia +} + +func (*PaidMediaPhoto) GetType() string { + return TypePaidMediaPhoto +} + +func (*PaidMediaPhoto) PaidMediaType() string { + return TypePaidMediaPhoto +} + +// The media is a video +type PaidMediaVideo struct { + meta + // The video + Video *Video `json:"video"` + // Cover of the video; may be null if none + Cover *Photo `json:"cover"` + // Timestamp from which the video playing must start, in seconds + StartTimestamp int32 `json:"start_timestamp"` +} + +func (entity *PaidMediaVideo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PaidMediaVideo + + return json.Marshal((*stub)(entity)) +} + +func (*PaidMediaVideo) GetClass() string { + return ClassPaidMedia +} + +func (*PaidMediaVideo) GetType() string { + return TypePaidMediaVideo +} + +func (*PaidMediaVideo) PaidMediaType() string { + return TypePaidMediaVideo +} + +// The media is unsupported +type PaidMediaUnsupported struct{ + meta +} + +func (entity *PaidMediaUnsupported) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PaidMediaUnsupported + + return json.Marshal((*stub)(entity)) +} + +func (*PaidMediaUnsupported) GetClass() string { + return ClassPaidMedia +} + +func (*PaidMediaUnsupported) GetType() string { + return TypePaidMediaUnsupported +} + +func (*PaidMediaUnsupported) PaidMediaType() string { + return TypePaidMediaUnsupported +} + +// Describes parameters of a giveaway +type GiveawayParameters struct { + meta + // Identifier of the supergroup or channel chat, which will be automatically boosted by the winners of the giveaway for duration of the Telegram Premium subscription, or for the specified time. If the chat is a channel, then can_post_messages administrator right is required in the channel, otherwise, the user must be an administrator in the supergroup + BoostedChatId int64 `json:"boosted_chat_id"` + // Identifiers of other supergroup or channel chats that must be subscribed by the users to be eligible for the giveaway. There can be up to getOption("giveaway_additional_chat_count_max") additional chats + AdditionalChatIds []int64 `json:"additional_chat_ids"` + // Point in time (Unix timestamp) when the giveaway is expected to be performed; must be 60-getOption("giveaway_duration_max") seconds in the future in scheduled giveaways + WinnersSelectionDate int32 `json:"winners_selection_date"` + // True, if only new members of the chats will be eligible for the giveaway + OnlyNewMembers bool `json:"only_new_members"` + // True, if the list of winners of the giveaway will be available to everyone + HasPublicWinners bool `json:"has_public_winners"` + // The list of two-letter ISO 3166-1 alpha-2 codes of countries, users from which will be eligible for the giveaway. If empty, then all users can participate in the giveaway. There can be up to getOption("giveaway_country_count_max") chosen countries. Users with phone number that was bought at https://fragment.com can participate in any giveaway and the country code "FT" must not be specified in the list + CountryCodes []string `json:"country_codes"` + // Additional description of the giveaway prize; 0-128 characters + PrizeDescription string `json:"prize_description"` +} + +func (entity *GiveawayParameters) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub GiveawayParameters + + return json.Marshal((*stub)(entity)) +} + +func (*GiveawayParameters) GetClass() string { + return ClassGiveawayParameters +} + +func (*GiveawayParameters) GetType() string { + return TypeGiveawayParameters +} + +// File with the date it was uploaded +type DatedFile struct { + meta + // The file + File *File `json:"file"` + // Point in time (Unix timestamp) when the file was uploaded + Date int32 `json:"date"` +} + +func (entity *DatedFile) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub DatedFile + + return json.Marshal((*stub)(entity)) +} + +func (*DatedFile) GetClass() string { + return ClassDatedFile +} + +func (*DatedFile) GetType() string { + return TypeDatedFile +} + +// A Telegram Passport element containing the user's personal details +type PassportElementTypePersonalDetails struct{ + meta +} + +func (entity *PassportElementTypePersonalDetails) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PassportElementTypePersonalDetails + + return json.Marshal((*stub)(entity)) +} + +func (*PassportElementTypePersonalDetails) GetClass() string { + return ClassPassportElementType +} + +func (*PassportElementTypePersonalDetails) GetType() string { + return TypePassportElementTypePersonalDetails +} + +func (*PassportElementTypePersonalDetails) PassportElementTypeType() string { + return TypePassportElementTypePersonalDetails +} + +// A Telegram Passport element containing the user's passport +type PassportElementTypePassport struct{ + meta +} + +func (entity *PassportElementTypePassport) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PassportElementTypePassport + + return json.Marshal((*stub)(entity)) +} + +func (*PassportElementTypePassport) GetClass() string { + return ClassPassportElementType +} + +func (*PassportElementTypePassport) GetType() string { + return TypePassportElementTypePassport +} + +func (*PassportElementTypePassport) PassportElementTypeType() string { + return TypePassportElementTypePassport +} + +// A Telegram Passport element containing the user's driver license +type PassportElementTypeDriverLicense struct{ + meta +} + +func (entity *PassportElementTypeDriverLicense) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PassportElementTypeDriverLicense + + return json.Marshal((*stub)(entity)) +} + +func (*PassportElementTypeDriverLicense) GetClass() string { + return ClassPassportElementType +} + +func (*PassportElementTypeDriverLicense) GetType() string { + return TypePassportElementTypeDriverLicense +} + +func (*PassportElementTypeDriverLicense) PassportElementTypeType() string { + return TypePassportElementTypeDriverLicense +} + +// A Telegram Passport element containing the user's identity card +type PassportElementTypeIdentityCard struct{ + meta +} + +func (entity *PassportElementTypeIdentityCard) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PassportElementTypeIdentityCard + + return json.Marshal((*stub)(entity)) +} + +func (*PassportElementTypeIdentityCard) GetClass() string { + return ClassPassportElementType +} + +func (*PassportElementTypeIdentityCard) GetType() string { + return TypePassportElementTypeIdentityCard +} + +func (*PassportElementTypeIdentityCard) PassportElementTypeType() string { + return TypePassportElementTypeIdentityCard +} + +// A Telegram Passport element containing the user's internal passport +type PassportElementTypeInternalPassport struct{ + meta +} + +func (entity *PassportElementTypeInternalPassport) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PassportElementTypeInternalPassport + + return json.Marshal((*stub)(entity)) +} + +func (*PassportElementTypeInternalPassport) GetClass() string { + return ClassPassportElementType +} + +func (*PassportElementTypeInternalPassport) GetType() string { + return TypePassportElementTypeInternalPassport +} + +func (*PassportElementTypeInternalPassport) PassportElementTypeType() string { + return TypePassportElementTypeInternalPassport +} + +// A Telegram Passport element containing the user's address +type PassportElementTypeAddress struct{ + meta +} + +func (entity *PassportElementTypeAddress) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PassportElementTypeAddress + + return json.Marshal((*stub)(entity)) +} + +func (*PassportElementTypeAddress) GetClass() string { + return ClassPassportElementType +} + +func (*PassportElementTypeAddress) GetType() string { + return TypePassportElementTypeAddress +} + +func (*PassportElementTypeAddress) PassportElementTypeType() string { + return TypePassportElementTypeAddress +} + +// A Telegram Passport element containing the user's utility bill +type PassportElementTypeUtilityBill struct{ + meta +} + +func (entity *PassportElementTypeUtilityBill) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PassportElementTypeUtilityBill + + return json.Marshal((*stub)(entity)) +} + +func (*PassportElementTypeUtilityBill) GetClass() string { + return ClassPassportElementType +} + +func (*PassportElementTypeUtilityBill) GetType() string { + return TypePassportElementTypeUtilityBill +} + +func (*PassportElementTypeUtilityBill) PassportElementTypeType() string { + return TypePassportElementTypeUtilityBill +} + +// A Telegram Passport element containing the user's bank statement +type PassportElementTypeBankStatement struct{ + meta +} + +func (entity *PassportElementTypeBankStatement) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PassportElementTypeBankStatement + + return json.Marshal((*stub)(entity)) +} + +func (*PassportElementTypeBankStatement) GetClass() string { + return ClassPassportElementType +} + +func (*PassportElementTypeBankStatement) GetType() string { + return TypePassportElementTypeBankStatement +} + +func (*PassportElementTypeBankStatement) PassportElementTypeType() string { + return TypePassportElementTypeBankStatement +} + +// A Telegram Passport element containing the user's rental agreement +type PassportElementTypeRentalAgreement struct{ + meta +} + +func (entity *PassportElementTypeRentalAgreement) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PassportElementTypeRentalAgreement + + return json.Marshal((*stub)(entity)) +} + +func (*PassportElementTypeRentalAgreement) GetClass() string { + return ClassPassportElementType +} + +func (*PassportElementTypeRentalAgreement) GetType() string { + return TypePassportElementTypeRentalAgreement +} + +func (*PassportElementTypeRentalAgreement) PassportElementTypeType() string { + return TypePassportElementTypeRentalAgreement +} + +// A Telegram Passport element containing the registration page of the user's passport +type PassportElementTypePassportRegistration struct{ + meta +} + +func (entity *PassportElementTypePassportRegistration) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PassportElementTypePassportRegistration + + return json.Marshal((*stub)(entity)) +} + +func (*PassportElementTypePassportRegistration) GetClass() string { + return ClassPassportElementType +} + +func (*PassportElementTypePassportRegistration) GetType() string { + return TypePassportElementTypePassportRegistration +} + +func (*PassportElementTypePassportRegistration) PassportElementTypeType() string { + return TypePassportElementTypePassportRegistration +} + +// A Telegram Passport element containing the user's temporary registration +type PassportElementTypeTemporaryRegistration struct{ + meta +} + +func (entity *PassportElementTypeTemporaryRegistration) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PassportElementTypeTemporaryRegistration + + return json.Marshal((*stub)(entity)) +} + +func (*PassportElementTypeTemporaryRegistration) GetClass() string { + return ClassPassportElementType +} + +func (*PassportElementTypeTemporaryRegistration) GetType() string { + return TypePassportElementTypeTemporaryRegistration +} + +func (*PassportElementTypeTemporaryRegistration) PassportElementTypeType() string { + return TypePassportElementTypeTemporaryRegistration +} + +// A Telegram Passport element containing the user's phone number +type PassportElementTypePhoneNumber struct{ + meta +} + +func (entity *PassportElementTypePhoneNumber) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PassportElementTypePhoneNumber + + return json.Marshal((*stub)(entity)) +} + +func (*PassportElementTypePhoneNumber) GetClass() string { + return ClassPassportElementType +} + +func (*PassportElementTypePhoneNumber) GetType() string { + return TypePassportElementTypePhoneNumber +} + +func (*PassportElementTypePhoneNumber) PassportElementTypeType() string { + return TypePassportElementTypePhoneNumber +} + +// A Telegram Passport element containing the user's email address +type PassportElementTypeEmailAddress struct{ + meta +} + +func (entity *PassportElementTypeEmailAddress) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PassportElementTypeEmailAddress + + return json.Marshal((*stub)(entity)) +} + +func (*PassportElementTypeEmailAddress) GetClass() string { + return ClassPassportElementType +} + +func (*PassportElementTypeEmailAddress) GetType() string { + return TypePassportElementTypeEmailAddress +} + +func (*PassportElementTypeEmailAddress) PassportElementTypeType() string { + return TypePassportElementTypeEmailAddress +} + +// Represents a date according to the Gregorian calendar +type Date struct { + meta + // Day of the month; 1-31 + Day int32 `json:"day"` + // Month; 1-12 + Month int32 `json:"month"` + // Year; 1-9999 + Year int32 `json:"year"` +} + +func (entity *Date) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub Date + + return json.Marshal((*stub)(entity)) +} + +func (*Date) GetClass() string { + return ClassDate +} + +func (*Date) GetType() string { + return TypeDate +} + +// Contains the user's personal details +type PersonalDetails struct { + meta + // First name of the user written in English; 1-255 characters + FirstName string `json:"first_name"` + // Middle name of the user written in English; 0-255 characters + MiddleName string `json:"middle_name"` + // Last name of the user written in English; 1-255 characters + LastName string `json:"last_name"` + // Native first name of the user; 1-255 characters + NativeFirstName string `json:"native_first_name"` + // Native middle name of the user; 0-255 characters + NativeMiddleName string `json:"native_middle_name"` + // Native last name of the user; 1-255 characters + NativeLastName string `json:"native_last_name"` + // Birthdate of the user + Birthdate *Date `json:"birthdate"` + // Gender of the user, "male" or "female" + Gender string `json:"gender"` + // A two-letter ISO 3166-1 alpha-2 country code of the user's country + CountryCode string `json:"country_code"` + // A two-letter ISO 3166-1 alpha-2 country code of the user's residence country + ResidenceCountryCode string `json:"residence_country_code"` +} + +func (entity *PersonalDetails) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PersonalDetails + + return json.Marshal((*stub)(entity)) +} + +func (*PersonalDetails) GetClass() string { + return ClassPersonalDetails +} + +func (*PersonalDetails) GetType() string { + return TypePersonalDetails +} + +// An identity document +type IdentityDocument struct { + meta + // Document number; 1-24 characters + Number string `json:"number"` + // Document expiration date; may be null if not applicable + ExpirationDate *Date `json:"expiration_date"` + // Front side of the document + FrontSide *DatedFile `json:"front_side"` + // Reverse side of the document; only for driver license and identity card; may be null + ReverseSide *DatedFile `json:"reverse_side"` + // Selfie with the document; may be null + Selfie *DatedFile `json:"selfie"` + // List of files containing a certified English translation of the document + Translation []*DatedFile `json:"translation"` +} + +func (entity *IdentityDocument) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub IdentityDocument + + return json.Marshal((*stub)(entity)) +} + +func (*IdentityDocument) GetClass() string { + return ClassIdentityDocument +} + +func (*IdentityDocument) GetType() string { + return TypeIdentityDocument +} + +// An identity document to be saved to Telegram Passport +type InputIdentityDocument struct { + meta + // Document number; 1-24 characters + Number string `json:"number"` + // Document expiration date; pass null if not applicable + ExpirationDate *Date `json:"expiration_date"` + // Front side of the document + FrontSide InputFile `json:"front_side"` + // Reverse side of the document; only for driver license and identity card; pass null otherwise + ReverseSide InputFile `json:"reverse_side"` + // Selfie with the document; pass null if unavailable + Selfie InputFile `json:"selfie"` + // List of files containing a certified English translation of the document + Translation []InputFile `json:"translation"` +} + +func (entity *InputIdentityDocument) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputIdentityDocument + + return json.Marshal((*stub)(entity)) +} + +func (*InputIdentityDocument) GetClass() string { + return ClassInputIdentityDocument +} + +func (*InputIdentityDocument) GetType() string { + return TypeInputIdentityDocument +} + +func (inputIdentityDocument *InputIdentityDocument) UnmarshalJSON(data []byte) error { + var tmp struct { + Number string `json:"number"` + ExpirationDate *Date `json:"expiration_date"` + FrontSide json.RawMessage `json:"front_side"` + ReverseSide json.RawMessage `json:"reverse_side"` + Selfie json.RawMessage `json:"selfie"` + Translation []json.RawMessage `json:"translation"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + inputIdentityDocument.Number = tmp.Number + inputIdentityDocument.ExpirationDate = tmp.ExpirationDate + + fieldFrontSide, _ := UnmarshalInputFile(tmp.FrontSide) + inputIdentityDocument.FrontSide = fieldFrontSide + + fieldReverseSide, _ := UnmarshalInputFile(tmp.ReverseSide) + inputIdentityDocument.ReverseSide = fieldReverseSide + + fieldSelfie, _ := UnmarshalInputFile(tmp.Selfie) + inputIdentityDocument.Selfie = fieldSelfie + + fieldTranslation, _ := UnmarshalListOfInputFile(tmp.Translation) + inputIdentityDocument.Translation = fieldTranslation + + return nil +} + +// A personal document, containing some information about a user +type PersonalDocument struct { + meta + // List of files containing the pages of the document + Files []*DatedFile `json:"files"` + // List of files containing a certified English translation of the document + Translation []*DatedFile `json:"translation"` +} + +func (entity *PersonalDocument) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PersonalDocument + + return json.Marshal((*stub)(entity)) +} + +func (*PersonalDocument) GetClass() string { + return ClassPersonalDocument +} + +func (*PersonalDocument) GetType() string { + return TypePersonalDocument +} + +// A personal document to be saved to Telegram Passport +type InputPersonalDocument struct { + meta + // List of files containing the pages of the document + Files []InputFile `json:"files"` + // List of files containing a certified English translation of the document + Translation []InputFile `json:"translation"` +} + +func (entity *InputPersonalDocument) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputPersonalDocument + + return json.Marshal((*stub)(entity)) +} + +func (*InputPersonalDocument) GetClass() string { + return ClassInputPersonalDocument +} + +func (*InputPersonalDocument) GetType() string { + return TypeInputPersonalDocument +} + +func (inputPersonalDocument *InputPersonalDocument) UnmarshalJSON(data []byte) error { + var tmp struct { + Files []json.RawMessage `json:"files"` + Translation []json.RawMessage `json:"translation"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldFiles, _ := UnmarshalListOfInputFile(tmp.Files) + inputPersonalDocument.Files = fieldFiles + + fieldTranslation, _ := UnmarshalListOfInputFile(tmp.Translation) + inputPersonalDocument.Translation = fieldTranslation + + return nil +} + +// A Telegram Passport element containing the user's personal details +type PassportElementPersonalDetails struct { + meta + // Personal details of the user + PersonalDetails *PersonalDetails `json:"personal_details"` +} + +func (entity *PassportElementPersonalDetails) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PassportElementPersonalDetails + + return json.Marshal((*stub)(entity)) +} + +func (*PassportElementPersonalDetails) GetClass() string { + return ClassPassportElement +} + +func (*PassportElementPersonalDetails) GetType() string { + return TypePassportElementPersonalDetails +} + +func (*PassportElementPersonalDetails) PassportElementType() string { + return TypePassportElementPersonalDetails +} + +// A Telegram Passport element containing the user's passport +type PassportElementPassport struct { + meta + // Passport + Passport *IdentityDocument `json:"passport"` +} + +func (entity *PassportElementPassport) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PassportElementPassport + + return json.Marshal((*stub)(entity)) +} + +func (*PassportElementPassport) GetClass() string { + return ClassPassportElement +} + +func (*PassportElementPassport) GetType() string { + return TypePassportElementPassport +} + +func (*PassportElementPassport) PassportElementType() string { + return TypePassportElementPassport +} + +// A Telegram Passport element containing the user's driver license +type PassportElementDriverLicense struct { + meta + // Driver license + DriverLicense *IdentityDocument `json:"driver_license"` +} + +func (entity *PassportElementDriverLicense) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PassportElementDriverLicense + + return json.Marshal((*stub)(entity)) +} + +func (*PassportElementDriverLicense) GetClass() string { + return ClassPassportElement +} + +func (*PassportElementDriverLicense) GetType() string { + return TypePassportElementDriverLicense +} + +func (*PassportElementDriverLicense) PassportElementType() string { + return TypePassportElementDriverLicense +} + +// A Telegram Passport element containing the user's identity card +type PassportElementIdentityCard struct { + meta + // Identity card + IdentityCard *IdentityDocument `json:"identity_card"` +} + +func (entity *PassportElementIdentityCard) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PassportElementIdentityCard + + return json.Marshal((*stub)(entity)) +} + +func (*PassportElementIdentityCard) GetClass() string { + return ClassPassportElement +} + +func (*PassportElementIdentityCard) GetType() string { + return TypePassportElementIdentityCard +} + +func (*PassportElementIdentityCard) PassportElementType() string { + return TypePassportElementIdentityCard +} + +// A Telegram Passport element containing the user's internal passport +type PassportElementInternalPassport struct { + meta + // Internal passport + InternalPassport *IdentityDocument `json:"internal_passport"` +} + +func (entity *PassportElementInternalPassport) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PassportElementInternalPassport + + return json.Marshal((*stub)(entity)) +} + +func (*PassportElementInternalPassport) GetClass() string { + return ClassPassportElement +} + +func (*PassportElementInternalPassport) GetType() string { + return TypePassportElementInternalPassport +} + +func (*PassportElementInternalPassport) PassportElementType() string { + return TypePassportElementInternalPassport +} + +// A Telegram Passport element containing the user's address +type PassportElementAddress struct { + meta + // Address + Address *Address `json:"address"` +} + +func (entity *PassportElementAddress) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PassportElementAddress + + return json.Marshal((*stub)(entity)) +} + +func (*PassportElementAddress) GetClass() string { + return ClassPassportElement +} + +func (*PassportElementAddress) GetType() string { + return TypePassportElementAddress +} + +func (*PassportElementAddress) PassportElementType() string { + return TypePassportElementAddress +} + +// A Telegram Passport element containing the user's utility bill +type PassportElementUtilityBill struct { + meta + // Utility bill + UtilityBill *PersonalDocument `json:"utility_bill"` +} + +func (entity *PassportElementUtilityBill) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PassportElementUtilityBill + + return json.Marshal((*stub)(entity)) +} + +func (*PassportElementUtilityBill) GetClass() string { + return ClassPassportElement +} + +func (*PassportElementUtilityBill) GetType() string { + return TypePassportElementUtilityBill +} + +func (*PassportElementUtilityBill) PassportElementType() string { + return TypePassportElementUtilityBill +} + +// A Telegram Passport element containing the user's bank statement +type PassportElementBankStatement struct { + meta + // Bank statement + BankStatement *PersonalDocument `json:"bank_statement"` +} + +func (entity *PassportElementBankStatement) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PassportElementBankStatement + + return json.Marshal((*stub)(entity)) +} + +func (*PassportElementBankStatement) GetClass() string { + return ClassPassportElement +} + +func (*PassportElementBankStatement) GetType() string { + return TypePassportElementBankStatement +} + +func (*PassportElementBankStatement) PassportElementType() string { + return TypePassportElementBankStatement +} + +// A Telegram Passport element containing the user's rental agreement +type PassportElementRentalAgreement struct { + meta + // Rental agreement + RentalAgreement *PersonalDocument `json:"rental_agreement"` +} + +func (entity *PassportElementRentalAgreement) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PassportElementRentalAgreement + + return json.Marshal((*stub)(entity)) +} + +func (*PassportElementRentalAgreement) GetClass() string { + return ClassPassportElement +} + +func (*PassportElementRentalAgreement) GetType() string { + return TypePassportElementRentalAgreement +} + +func (*PassportElementRentalAgreement) PassportElementType() string { + return TypePassportElementRentalAgreement +} + +// A Telegram Passport element containing the user's passport registration pages +type PassportElementPassportRegistration struct { + meta + // Passport registration pages + PassportRegistration *PersonalDocument `json:"passport_registration"` +} + +func (entity *PassportElementPassportRegistration) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PassportElementPassportRegistration + + return json.Marshal((*stub)(entity)) +} + +func (*PassportElementPassportRegistration) GetClass() string { + return ClassPassportElement +} + +func (*PassportElementPassportRegistration) GetType() string { + return TypePassportElementPassportRegistration +} + +func (*PassportElementPassportRegistration) PassportElementType() string { + return TypePassportElementPassportRegistration +} + +// A Telegram Passport element containing the user's temporary registration +type PassportElementTemporaryRegistration struct { + meta + // Temporary registration + TemporaryRegistration *PersonalDocument `json:"temporary_registration"` +} + +func (entity *PassportElementTemporaryRegistration) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PassportElementTemporaryRegistration + + return json.Marshal((*stub)(entity)) +} + +func (*PassportElementTemporaryRegistration) GetClass() string { + return ClassPassportElement +} + +func (*PassportElementTemporaryRegistration) GetType() string { + return TypePassportElementTemporaryRegistration +} + +func (*PassportElementTemporaryRegistration) PassportElementType() string { + return TypePassportElementTemporaryRegistration +} + +// A Telegram Passport element containing the user's phone number +type PassportElementPhoneNumber struct { + meta + // Phone number + PhoneNumber string `json:"phone_number"` +} + +func (entity *PassportElementPhoneNumber) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PassportElementPhoneNumber + + return json.Marshal((*stub)(entity)) +} + +func (*PassportElementPhoneNumber) GetClass() string { + return ClassPassportElement +} + +func (*PassportElementPhoneNumber) GetType() string { + return TypePassportElementPhoneNumber +} + +func (*PassportElementPhoneNumber) PassportElementType() string { + return TypePassportElementPhoneNumber +} + +// A Telegram Passport element containing the user's email address +type PassportElementEmailAddress struct { + meta + // Email address + EmailAddress string `json:"email_address"` +} + +func (entity *PassportElementEmailAddress) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PassportElementEmailAddress + + return json.Marshal((*stub)(entity)) +} + +func (*PassportElementEmailAddress) GetClass() string { + return ClassPassportElement +} + +func (*PassportElementEmailAddress) GetType() string { + return TypePassportElementEmailAddress +} + +func (*PassportElementEmailAddress) PassportElementType() string { + return TypePassportElementEmailAddress +} + +// A Telegram Passport element to be saved containing the user's personal details +type InputPassportElementPersonalDetails struct { + meta + // Personal details of the user + PersonalDetails *PersonalDetails `json:"personal_details"` +} + +func (entity *InputPassportElementPersonalDetails) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputPassportElementPersonalDetails + + return json.Marshal((*stub)(entity)) +} + +func (*InputPassportElementPersonalDetails) GetClass() string { + return ClassInputPassportElement +} + +func (*InputPassportElementPersonalDetails) GetType() string { + return TypeInputPassportElementPersonalDetails +} + +func (*InputPassportElementPersonalDetails) InputPassportElementType() string { + return TypeInputPassportElementPersonalDetails +} + +// A Telegram Passport element to be saved containing the user's passport +type InputPassportElementPassport struct { + meta + // The passport to be saved + Passport *InputIdentityDocument `json:"passport"` +} + +func (entity *InputPassportElementPassport) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputPassportElementPassport + + return json.Marshal((*stub)(entity)) +} + +func (*InputPassportElementPassport) GetClass() string { + return ClassInputPassportElement +} + +func (*InputPassportElementPassport) GetType() string { + return TypeInputPassportElementPassport +} + +func (*InputPassportElementPassport) InputPassportElementType() string { + return TypeInputPassportElementPassport +} + +// A Telegram Passport element to be saved containing the user's driver license +type InputPassportElementDriverLicense struct { + meta + // The driver license to be saved + DriverLicense *InputIdentityDocument `json:"driver_license"` +} + +func (entity *InputPassportElementDriverLicense) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputPassportElementDriverLicense + + return json.Marshal((*stub)(entity)) +} + +func (*InputPassportElementDriverLicense) GetClass() string { + return ClassInputPassportElement +} + +func (*InputPassportElementDriverLicense) GetType() string { + return TypeInputPassportElementDriverLicense +} + +func (*InputPassportElementDriverLicense) InputPassportElementType() string { + return TypeInputPassportElementDriverLicense } -// Describes a chat theme -type ChatTheme struct { - meta - // Theme name - Name string `json:"name"` - // Theme settings for a light chat theme - LightSettings *ThemeSettings `json:"light_settings"` - // Theme settings for a dark chat theme - DarkSettings *ThemeSettings `json:"dark_settings"` +// A Telegram Passport element to be saved containing the user's identity card +type InputPassportElementIdentityCard struct { + meta + // The identity card to be saved + IdentityCard *InputIdentityDocument `json:"identity_card"` } -func (entity *ChatTheme) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *InputPassportElementIdentityCard) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputPassportElementIdentityCard - type stub ChatTheme + return json.Marshal((*stub)(entity)) +} - return json.Marshal((*stub)(entity)) +func (*InputPassportElementIdentityCard) GetClass() string { + return ClassInputPassportElement } -func (*ChatTheme) GetClass() string { - return ClassChatTheme +func (*InputPassportElementIdentityCard) GetType() string { + return TypeInputPassportElementIdentityCard } -func (*ChatTheme) GetType() string { - return TypeChatTheme +func (*InputPassportElementIdentityCard) InputPassportElementType() string { + return TypeInputPassportElementIdentityCard } -// Contains a list of hashtags -type Hashtags struct { - meta - // A list of hashtags - Hashtags []string `json:"hashtags"` +// A Telegram Passport element to be saved containing the user's internal passport +type InputPassportElementInternalPassport struct { + meta + // The internal passport to be saved + InternalPassport *InputIdentityDocument `json:"internal_passport"` } -func (entity *Hashtags) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *InputPassportElementInternalPassport) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputPassportElementInternalPassport - type stub Hashtags + return json.Marshal((*stub)(entity)) +} - return json.Marshal((*stub)(entity)) +func (*InputPassportElementInternalPassport) GetClass() string { + return ClassInputPassportElement } -func (*Hashtags) GetClass() string { - return ClassHashtags +func (*InputPassportElementInternalPassport) GetType() string { + return TypeInputPassportElementInternalPassport } -func (*Hashtags) GetType() string { - return TypeHashtags +func (*InputPassportElementInternalPassport) InputPassportElementType() string { + return TypeInputPassportElementInternalPassport } -// The session can be used -type CanTransferOwnershipResultOk struct { - meta +// A Telegram Passport element to be saved containing the user's address +type InputPassportElementAddress struct { + meta + // The address to be saved + Address *Address `json:"address"` } -func (entity *CanTransferOwnershipResultOk) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *InputPassportElementAddress) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub CanTransferOwnershipResultOk + type stub InputPassportElementAddress - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*CanTransferOwnershipResultOk) GetClass() string { - return ClassCanTransferOwnershipResult +func (*InputPassportElementAddress) GetClass() string { + return ClassInputPassportElement } -func (*CanTransferOwnershipResultOk) GetType() string { - return TypeCanTransferOwnershipResultOk +func (*InputPassportElementAddress) GetType() string { + return TypeInputPassportElementAddress } -func (*CanTransferOwnershipResultOk) CanTransferOwnershipResultType() string { - return TypeCanTransferOwnershipResultOk +func (*InputPassportElementAddress) InputPassportElementType() string { + return TypeInputPassportElementAddress } -// The 2-step verification needs to be enabled first -type CanTransferOwnershipResultPasswordNeeded struct { - meta +// A Telegram Passport element to be saved containing the user's utility bill +type InputPassportElementUtilityBill struct { + meta + // The utility bill to be saved + UtilityBill *InputPersonalDocument `json:"utility_bill"` } -func (entity *CanTransferOwnershipResultPasswordNeeded) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *InputPassportElementUtilityBill) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub CanTransferOwnershipResultPasswordNeeded + type stub InputPassportElementUtilityBill - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*CanTransferOwnershipResultPasswordNeeded) GetClass() string { - return ClassCanTransferOwnershipResult +func (*InputPassportElementUtilityBill) GetClass() string { + return ClassInputPassportElement } -func (*CanTransferOwnershipResultPasswordNeeded) GetType() string { - return TypeCanTransferOwnershipResultPasswordNeeded +func (*InputPassportElementUtilityBill) GetType() string { + return TypeInputPassportElementUtilityBill } -func (*CanTransferOwnershipResultPasswordNeeded) CanTransferOwnershipResultType() string { - return TypeCanTransferOwnershipResultPasswordNeeded +func (*InputPassportElementUtilityBill) InputPassportElementType() string { + return TypeInputPassportElementUtilityBill } -// The 2-step verification was enabled recently, user needs to wait -type CanTransferOwnershipResultPasswordTooFresh struct { - meta - // Time left before the session can be used to transfer ownership of a chat, in seconds - RetryAfter int32 `json:"retry_after"` +// A Telegram Passport element to be saved containing the user's bank statement +type InputPassportElementBankStatement struct { + meta + // The bank statement to be saved + BankStatement *InputPersonalDocument `json:"bank_statement"` } -func (entity *CanTransferOwnershipResultPasswordTooFresh) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *InputPassportElementBankStatement) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub CanTransferOwnershipResultPasswordTooFresh + type stub InputPassportElementBankStatement - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*CanTransferOwnershipResultPasswordTooFresh) GetClass() string { - return ClassCanTransferOwnershipResult +func (*InputPassportElementBankStatement) GetClass() string { + return ClassInputPassportElement } -func (*CanTransferOwnershipResultPasswordTooFresh) GetType() string { - return TypeCanTransferOwnershipResultPasswordTooFresh +func (*InputPassportElementBankStatement) GetType() string { + return TypeInputPassportElementBankStatement } -func (*CanTransferOwnershipResultPasswordTooFresh) CanTransferOwnershipResultType() string { - return TypeCanTransferOwnershipResultPasswordTooFresh +func (*InputPassportElementBankStatement) InputPassportElementType() string { + return TypeInputPassportElementBankStatement } -// The session was created recently, user needs to wait -type CanTransferOwnershipResultSessionTooFresh struct { - meta - // Time left before the session can be used to transfer ownership of a chat, in seconds - RetryAfter int32 `json:"retry_after"` +// A Telegram Passport element to be saved containing the user's rental agreement +type InputPassportElementRentalAgreement struct { + meta + // The rental agreement to be saved + RentalAgreement *InputPersonalDocument `json:"rental_agreement"` } -func (entity *CanTransferOwnershipResultSessionTooFresh) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *InputPassportElementRentalAgreement) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub CanTransferOwnershipResultSessionTooFresh + type stub InputPassportElementRentalAgreement - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*CanTransferOwnershipResultSessionTooFresh) GetClass() string { - return ClassCanTransferOwnershipResult +func (*InputPassportElementRentalAgreement) GetClass() string { + return ClassInputPassportElement } -func (*CanTransferOwnershipResultSessionTooFresh) GetType() string { - return TypeCanTransferOwnershipResultSessionTooFresh +func (*InputPassportElementRentalAgreement) GetType() string { + return TypeInputPassportElementRentalAgreement } -func (*CanTransferOwnershipResultSessionTooFresh) CanTransferOwnershipResultType() string { - return TypeCanTransferOwnershipResultSessionTooFresh +func (*InputPassportElementRentalAgreement) InputPassportElementType() string { + return TypeInputPassportElementRentalAgreement } -// The username can be set -type CheckChatUsernameResultOk struct { - meta +// A Telegram Passport element to be saved containing the user's passport registration +type InputPassportElementPassportRegistration struct { + meta + // The passport registration page to be saved + PassportRegistration *InputPersonalDocument `json:"passport_registration"` } -func (entity *CheckChatUsernameResultOk) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *InputPassportElementPassportRegistration) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub CheckChatUsernameResultOk + type stub InputPassportElementPassportRegistration - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*CheckChatUsernameResultOk) GetClass() string { - return ClassCheckChatUsernameResult +func (*InputPassportElementPassportRegistration) GetClass() string { + return ClassInputPassportElement } -func (*CheckChatUsernameResultOk) GetType() string { - return TypeCheckChatUsernameResultOk +func (*InputPassportElementPassportRegistration) GetType() string { + return TypeInputPassportElementPassportRegistration } -func (*CheckChatUsernameResultOk) CheckChatUsernameResultType() string { - return TypeCheckChatUsernameResultOk +func (*InputPassportElementPassportRegistration) InputPassportElementType() string { + return TypeInputPassportElementPassportRegistration } -// The username is invalid -type CheckChatUsernameResultUsernameInvalid struct { - meta +// A Telegram Passport element to be saved containing the user's temporary registration +type InputPassportElementTemporaryRegistration struct { + meta + // The temporary registration document to be saved + TemporaryRegistration *InputPersonalDocument `json:"temporary_registration"` } -func (entity *CheckChatUsernameResultUsernameInvalid) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *InputPassportElementTemporaryRegistration) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub CheckChatUsernameResultUsernameInvalid + type stub InputPassportElementTemporaryRegistration - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*CheckChatUsernameResultUsernameInvalid) GetClass() string { - return ClassCheckChatUsernameResult +func (*InputPassportElementTemporaryRegistration) GetClass() string { + return ClassInputPassportElement } -func (*CheckChatUsernameResultUsernameInvalid) GetType() string { - return TypeCheckChatUsernameResultUsernameInvalid +func (*InputPassportElementTemporaryRegistration) GetType() string { + return TypeInputPassportElementTemporaryRegistration } -func (*CheckChatUsernameResultUsernameInvalid) CheckChatUsernameResultType() string { - return TypeCheckChatUsernameResultUsernameInvalid +func (*InputPassportElementTemporaryRegistration) InputPassportElementType() string { + return TypeInputPassportElementTemporaryRegistration } -// The username is occupied -type CheckChatUsernameResultUsernameOccupied struct { - meta +// A Telegram Passport element to be saved containing the user's phone number +type InputPassportElementPhoneNumber struct { + meta + // The phone number to be saved + PhoneNumber string `json:"phone_number"` } -func (entity *CheckChatUsernameResultUsernameOccupied) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *InputPassportElementPhoneNumber) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub CheckChatUsernameResultUsernameOccupied + type stub InputPassportElementPhoneNumber - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*CheckChatUsernameResultUsernameOccupied) GetClass() string { - return ClassCheckChatUsernameResult +func (*InputPassportElementPhoneNumber) GetClass() string { + return ClassInputPassportElement } -func (*CheckChatUsernameResultUsernameOccupied) GetType() string { - return TypeCheckChatUsernameResultUsernameOccupied +func (*InputPassportElementPhoneNumber) GetType() string { + return TypeInputPassportElementPhoneNumber } -func (*CheckChatUsernameResultUsernameOccupied) CheckChatUsernameResultType() string { - return TypeCheckChatUsernameResultUsernameOccupied +func (*InputPassportElementPhoneNumber) InputPassportElementType() string { + return TypeInputPassportElementPhoneNumber } -// The username can be purchased at fragment.com -type CheckChatUsernameResultUsernamePurchasable struct { - meta +// A Telegram Passport element to be saved containing the user's email address +type InputPassportElementEmailAddress struct { + meta + // The email address to be saved + EmailAddress string `json:"email_address"` } -func (entity *CheckChatUsernameResultUsernamePurchasable) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *InputPassportElementEmailAddress) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub CheckChatUsernameResultUsernamePurchasable + type stub InputPassportElementEmailAddress - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*CheckChatUsernameResultUsernamePurchasable) GetClass() string { - return ClassCheckChatUsernameResult +func (*InputPassportElementEmailAddress) GetClass() string { + return ClassInputPassportElement } -func (*CheckChatUsernameResultUsernamePurchasable) GetType() string { - return TypeCheckChatUsernameResultUsernamePurchasable +func (*InputPassportElementEmailAddress) GetType() string { + return TypeInputPassportElementEmailAddress } -func (*CheckChatUsernameResultUsernamePurchasable) CheckChatUsernameResultType() string { - return TypeCheckChatUsernameResultUsernamePurchasable +func (*InputPassportElementEmailAddress) InputPassportElementType() string { + return TypeInputPassportElementEmailAddress } -// The user has too many chats with username, one of them must be made private first -type CheckChatUsernameResultPublicChatsTooMany struct { - meta +// Contains information about saved Telegram Passport elements +type PassportElements struct { + meta + // Telegram Passport elements + Elements []PassportElement `json:"elements"` } -func (entity *CheckChatUsernameResultPublicChatsTooMany) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *PassportElements) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub CheckChatUsernameResultPublicChatsTooMany + type stub PassportElements - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*CheckChatUsernameResultPublicChatsTooMany) GetClass() string { - return ClassCheckChatUsernameResult +func (*PassportElements) GetClass() string { + return ClassPassportElements } -func (*CheckChatUsernameResultPublicChatsTooMany) GetType() string { - return TypeCheckChatUsernameResultPublicChatsTooMany +func (*PassportElements) GetType() string { + return TypePassportElements } -func (*CheckChatUsernameResultPublicChatsTooMany) CheckChatUsernameResultType() string { - return TypeCheckChatUsernameResultPublicChatsTooMany +func (passportElements *PassportElements) UnmarshalJSON(data []byte) error { + var tmp struct { + Elements []json.RawMessage `json:"elements"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldElements, _ := UnmarshalListOfPassportElement(tmp.Elements) + passportElements.Elements = fieldElements + + return nil } -// The user can't be a member of a public supergroup -type CheckChatUsernameResultPublicGroupsUnavailable struct { - meta +// The element contains an error in an unspecified place. The error will be considered resolved when new data is added +type PassportElementErrorSourceUnspecified struct{ + meta } -func (entity *CheckChatUsernameResultPublicGroupsUnavailable) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *PassportElementErrorSourceUnspecified) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub CheckChatUsernameResultPublicGroupsUnavailable + type stub PassportElementErrorSourceUnspecified - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*CheckChatUsernameResultPublicGroupsUnavailable) GetClass() string { - return ClassCheckChatUsernameResult +func (*PassportElementErrorSourceUnspecified) GetClass() string { + return ClassPassportElementErrorSource } -func (*CheckChatUsernameResultPublicGroupsUnavailable) GetType() string { - return TypeCheckChatUsernameResultPublicGroupsUnavailable +func (*PassportElementErrorSourceUnspecified) GetType() string { + return TypePassportElementErrorSourceUnspecified } -func (*CheckChatUsernameResultPublicGroupsUnavailable) CheckChatUsernameResultType() string { - return TypeCheckChatUsernameResultPublicGroupsUnavailable +func (*PassportElementErrorSourceUnspecified) PassportElementErrorSourceType() string { + return TypePassportElementErrorSourceUnspecified } -// The name can be set -type CheckStickerSetNameResultOk struct { - meta +// One of the data fields contains an error. The error will be considered resolved when the value of the field changes +type PassportElementErrorSourceDataField struct { + meta + // Field name + FieldName string `json:"field_name"` } -func (entity *CheckStickerSetNameResultOk) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *PassportElementErrorSourceDataField) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub CheckStickerSetNameResultOk + type stub PassportElementErrorSourceDataField - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*CheckStickerSetNameResultOk) GetClass() string { - return ClassCheckStickerSetNameResult +func (*PassportElementErrorSourceDataField) GetClass() string { + return ClassPassportElementErrorSource } -func (*CheckStickerSetNameResultOk) GetType() string { - return TypeCheckStickerSetNameResultOk +func (*PassportElementErrorSourceDataField) GetType() string { + return TypePassportElementErrorSourceDataField } -func (*CheckStickerSetNameResultOk) CheckStickerSetNameResultType() string { - return TypeCheckStickerSetNameResultOk +func (*PassportElementErrorSourceDataField) PassportElementErrorSourceType() string { + return TypePassportElementErrorSourceDataField } -// The name is invalid -type CheckStickerSetNameResultNameInvalid struct { - meta +// The front side of the document contains an error. The error will be considered resolved when the file with the front side changes +type PassportElementErrorSourceFrontSide struct{ + meta } -func (entity *CheckStickerSetNameResultNameInvalid) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *PassportElementErrorSourceFrontSide) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub CheckStickerSetNameResultNameInvalid + type stub PassportElementErrorSourceFrontSide - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*CheckStickerSetNameResultNameInvalid) GetClass() string { - return ClassCheckStickerSetNameResult +func (*PassportElementErrorSourceFrontSide) GetClass() string { + return ClassPassportElementErrorSource } -func (*CheckStickerSetNameResultNameInvalid) GetType() string { - return TypeCheckStickerSetNameResultNameInvalid +func (*PassportElementErrorSourceFrontSide) GetType() string { + return TypePassportElementErrorSourceFrontSide } -func (*CheckStickerSetNameResultNameInvalid) CheckStickerSetNameResultType() string { - return TypeCheckStickerSetNameResultNameInvalid +func (*PassportElementErrorSourceFrontSide) PassportElementErrorSourceType() string { + return TypePassportElementErrorSourceFrontSide } -// The name is occupied -type CheckStickerSetNameResultNameOccupied struct { - meta +// The reverse side of the document contains an error. The error will be considered resolved when the file with the reverse side changes +type PassportElementErrorSourceReverseSide struct{ + meta } -func (entity *CheckStickerSetNameResultNameOccupied) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *PassportElementErrorSourceReverseSide) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub CheckStickerSetNameResultNameOccupied + type stub PassportElementErrorSourceReverseSide - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*CheckStickerSetNameResultNameOccupied) GetClass() string { - return ClassCheckStickerSetNameResult +func (*PassportElementErrorSourceReverseSide) GetClass() string { + return ClassPassportElementErrorSource } -func (*CheckStickerSetNameResultNameOccupied) GetType() string { - return TypeCheckStickerSetNameResultNameOccupied +func (*PassportElementErrorSourceReverseSide) GetType() string { + return TypePassportElementErrorSourceReverseSide } -func (*CheckStickerSetNameResultNameOccupied) CheckStickerSetNameResultType() string { - return TypeCheckStickerSetNameResultNameOccupied +func (*PassportElementErrorSourceReverseSide) PassportElementErrorSourceType() string { + return TypePassportElementErrorSourceReverseSide } -// The password was reset -type ResetPasswordResultOk struct { - meta +// The selfie with the document contains an error. The error will be considered resolved when the file with the selfie changes +type PassportElementErrorSourceSelfie struct{ + meta } -func (entity *ResetPasswordResultOk) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *PassportElementErrorSourceSelfie) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub ResetPasswordResultOk + type stub PassportElementErrorSourceSelfie - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*ResetPasswordResultOk) GetClass() string { - return ClassResetPasswordResult +func (*PassportElementErrorSourceSelfie) GetClass() string { + return ClassPassportElementErrorSource } -func (*ResetPasswordResultOk) GetType() string { - return TypeResetPasswordResultOk +func (*PassportElementErrorSourceSelfie) GetType() string { + return TypePassportElementErrorSourceSelfie } -func (*ResetPasswordResultOk) ResetPasswordResultType() string { - return TypeResetPasswordResultOk +func (*PassportElementErrorSourceSelfie) PassportElementErrorSourceType() string { + return TypePassportElementErrorSourceSelfie } -// The password reset request is pending -type ResetPasswordResultPending struct { - meta - // Point in time (Unix timestamp) after which the password can be reset immediately using resetPassword - PendingResetDate int32 `json:"pending_reset_date"` +// One of files with the translation of the document contains an error. The error will be considered resolved when the file changes +type PassportElementErrorSourceTranslationFile struct { + meta + // Index of a file with the error + FileIndex int32 `json:"file_index"` } -func (entity *ResetPasswordResultPending) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *PassportElementErrorSourceTranslationFile) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub ResetPasswordResultPending + type stub PassportElementErrorSourceTranslationFile - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*ResetPasswordResultPending) GetClass() string { - return ClassResetPasswordResult +func (*PassportElementErrorSourceTranslationFile) GetClass() string { + return ClassPassportElementErrorSource } -func (*ResetPasswordResultPending) GetType() string { - return TypeResetPasswordResultPending +func (*PassportElementErrorSourceTranslationFile) GetType() string { + return TypePassportElementErrorSourceTranslationFile } -func (*ResetPasswordResultPending) ResetPasswordResultType() string { - return TypeResetPasswordResultPending +func (*PassportElementErrorSourceTranslationFile) PassportElementErrorSourceType() string { + return TypePassportElementErrorSourceTranslationFile } -// The password reset request was declined -type ResetPasswordResultDeclined struct { - meta - // Point in time (Unix timestamp) when the password reset can be retried - RetryDate int32 `json:"retry_date"` +// The translation of the document contains an error. The error will be considered resolved when the list of translation files changes +type PassportElementErrorSourceTranslationFiles struct{ + meta } -func (entity *ResetPasswordResultDeclined) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *PassportElementErrorSourceTranslationFiles) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub ResetPasswordResultDeclined + type stub PassportElementErrorSourceTranslationFiles - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*ResetPasswordResultDeclined) GetClass() string { - return ClassResetPasswordResult +func (*PassportElementErrorSourceTranslationFiles) GetClass() string { + return ClassPassportElementErrorSource } -func (*ResetPasswordResultDeclined) GetType() string { - return TypeResetPasswordResultDeclined +func (*PassportElementErrorSourceTranslationFiles) GetType() string { + return TypePassportElementErrorSourceTranslationFiles } -func (*ResetPasswordResultDeclined) ResetPasswordResultType() string { - return TypeResetPasswordResultDeclined +func (*PassportElementErrorSourceTranslationFiles) PassportElementErrorSourceType() string { + return TypePassportElementErrorSourceTranslationFiles } -// The messages was exported from a private chat -type MessageFileTypePrivate struct { - meta - // Name of the other party; may be empty if unrecognized - Name string `json:"name"` +// The file contains an error. The error will be considered resolved when the file changes +type PassportElementErrorSourceFile struct { + meta + // Index of a file with the error + FileIndex int32 `json:"file_index"` } -func (entity *MessageFileTypePrivate) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *PassportElementErrorSourceFile) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub MessageFileTypePrivate + type stub PassportElementErrorSourceFile - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*MessageFileTypePrivate) GetClass() string { - return ClassMessageFileType +func (*PassportElementErrorSourceFile) GetClass() string { + return ClassPassportElementErrorSource } -func (*MessageFileTypePrivate) GetType() string { - return TypeMessageFileTypePrivate +func (*PassportElementErrorSourceFile) GetType() string { + return TypePassportElementErrorSourceFile } -func (*MessageFileTypePrivate) MessageFileTypeType() string { - return TypeMessageFileTypePrivate +func (*PassportElementErrorSourceFile) PassportElementErrorSourceType() string { + return TypePassportElementErrorSourceFile } -// The messages was exported from a group chat -type MessageFileTypeGroup struct { - meta - // Title of the group chat; may be empty if unrecognized - Title string `json:"title"` +// The list of attached files contains an error. The error will be considered resolved when the list of files changes +type PassportElementErrorSourceFiles struct{ + meta } -func (entity *MessageFileTypeGroup) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *PassportElementErrorSourceFiles) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub MessageFileTypeGroup + type stub PassportElementErrorSourceFiles - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*MessageFileTypeGroup) GetClass() string { - return ClassMessageFileType +func (*PassportElementErrorSourceFiles) GetClass() string { + return ClassPassportElementErrorSource } -func (*MessageFileTypeGroup) GetType() string { - return TypeMessageFileTypeGroup +func (*PassportElementErrorSourceFiles) GetType() string { + return TypePassportElementErrorSourceFiles +} + +func (*PassportElementErrorSourceFiles) PassportElementErrorSourceType() string { + return TypePassportElementErrorSourceFiles +} + +// Contains the description of an error in a Telegram Passport element +type PassportElementError struct { + meta + // Type of the Telegram Passport element which has the error + Type PassportElementType `json:"type"` + // Error message + Message string `json:"message"` + // Error source + Source PassportElementErrorSource `json:"source"` +} + +func (entity *PassportElementError) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PassportElementError + + return json.Marshal((*stub)(entity)) } -func (*MessageFileTypeGroup) MessageFileTypeType() string { - return TypeMessageFileTypeGroup +func (*PassportElementError) GetClass() string { + return ClassPassportElementError } -// The messages was exported from a chat of unknown type -type MessageFileTypeUnknown struct { - meta +func (*PassportElementError) GetType() string { + return TypePassportElementError } -func (entity *MessageFileTypeUnknown) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (passportElementError *PassportElementError) UnmarshalJSON(data []byte) error { + var tmp struct { + Type json.RawMessage `json:"type"` + Message string `json:"message"` + Source json.RawMessage `json:"source"` + } - type stub MessageFileTypeUnknown + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - return json.Marshal((*stub)(entity)) + passportElementError.Message = tmp.Message + + fieldType, _ := UnmarshalPassportElementType(tmp.Type) + passportElementError.Type = fieldType + + fieldSource, _ := UnmarshalPassportElementErrorSource(tmp.Source) + passportElementError.Source = fieldSource + + return nil } -func (*MessageFileTypeUnknown) GetClass() string { - return ClassMessageFileType +// Contains information about a Telegram Passport element that was requested by a service +type PassportSuitableElement struct { + meta + // Type of the element + Type PassportElementType `json:"type"` + // True, if a selfie is required with the identity document + IsSelfieRequired bool `json:"is_selfie_required"` + // True, if a certified English translation is required with the document + IsTranslationRequired bool `json:"is_translation_required"` + // True, if personal details must include the user's name in the language of their country of residence + IsNativeNameRequired bool `json:"is_native_name_required"` } -func (*MessageFileTypeUnknown) GetType() string { - return TypeMessageFileTypeUnknown +func (entity *PassportSuitableElement) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PassportSuitableElement + + return json.Marshal((*stub)(entity)) } -func (*MessageFileTypeUnknown) MessageFileTypeType() string { - return TypeMessageFileTypeUnknown +func (*PassportSuitableElement) GetClass() string { + return ClassPassportSuitableElement } -// A general message with hidden content -type PushMessageContentHidden struct { - meta - // True, if the message is a pinned message with the specified content - IsPinned bool `json:"is_pinned"` +func (*PassportSuitableElement) GetType() string { + return TypePassportSuitableElement } -func (entity *PushMessageContentHidden) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (passportSuitableElement *PassportSuitableElement) UnmarshalJSON(data []byte) error { + var tmp struct { + Type json.RawMessage `json:"type"` + IsSelfieRequired bool `json:"is_selfie_required"` + IsTranslationRequired bool `json:"is_translation_required"` + IsNativeNameRequired bool `json:"is_native_name_required"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + passportSuitableElement.IsSelfieRequired = tmp.IsSelfieRequired + passportSuitableElement.IsTranslationRequired = tmp.IsTranslationRequired + passportSuitableElement.IsNativeNameRequired = tmp.IsNativeNameRequired + + fieldType, _ := UnmarshalPassportElementType(tmp.Type) + passportSuitableElement.Type = fieldType - type stub PushMessageContentHidden + return nil +} - return json.Marshal((*stub)(entity)) +// Contains a description of the required Telegram Passport element that was requested by a service +type PassportRequiredElement struct { + meta + // List of Telegram Passport elements any of which is enough to provide + SuitableElements []*PassportSuitableElement `json:"suitable_elements"` } -func (*PushMessageContentHidden) GetClass() string { - return ClassPushMessageContent +func (entity *PassportRequiredElement) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PassportRequiredElement + + return json.Marshal((*stub)(entity)) } -func (*PushMessageContentHidden) GetType() string { - return TypePushMessageContentHidden +func (*PassportRequiredElement) GetClass() string { + return ClassPassportRequiredElement } -func (*PushMessageContentHidden) PushMessageContentType() string { - return TypePushMessageContentHidden +func (*PassportRequiredElement) GetType() string { + return TypePassportRequiredElement } -// An animation message (GIF-style). -type PushMessageContentAnimation struct { - meta - // Message content; may be null - Animation *Animation `json:"animation"` - // Animation caption - Caption string `json:"caption"` - // True, if the message is a pinned message with the specified content - IsPinned bool `json:"is_pinned"` +// Contains information about a Telegram Passport authorization form that was requested +type PassportAuthorizationForm struct { + meta + // Unique identifier of the authorization form + Id int32 `json:"id"` + // Telegram Passport elements that must be provided to complete the form + RequiredElements []*PassportRequiredElement `json:"required_elements"` + // URL for the privacy policy of the service; may be empty + PrivacyPolicyUrl string `json:"privacy_policy_url"` } -func (entity *PushMessageContentAnimation) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *PassportAuthorizationForm) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PassportAuthorizationForm - type stub PushMessageContentAnimation + return json.Marshal((*stub)(entity)) +} + +func (*PassportAuthorizationForm) GetClass() string { + return ClassPassportAuthorizationForm +} - return json.Marshal((*stub)(entity)) +func (*PassportAuthorizationForm) GetType() string { + return TypePassportAuthorizationForm } -func (*PushMessageContentAnimation) GetClass() string { - return ClassPushMessageContent +// Contains information about a Telegram Passport elements and corresponding errors +type PassportElementsWithErrors struct { + meta + // Telegram Passport elements + Elements []PassportElement `json:"elements"` + // Errors in the elements that are already available + Errors []*PassportElementError `json:"errors"` } -func (*PushMessageContentAnimation) GetType() string { - return TypePushMessageContentAnimation +func (entity *PassportElementsWithErrors) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PassportElementsWithErrors + + return json.Marshal((*stub)(entity)) } -func (*PushMessageContentAnimation) PushMessageContentType() string { - return TypePushMessageContentAnimation +func (*PassportElementsWithErrors) GetClass() string { + return ClassPassportElementsWithErrors } -// An audio message -type PushMessageContentAudio struct { - meta - // Message content; may be null - Audio *Audio `json:"audio"` - // True, if the message is a pinned message with the specified content - IsPinned bool `json:"is_pinned"` +func (*PassportElementsWithErrors) GetType() string { + return TypePassportElementsWithErrors } -func (entity *PushMessageContentAudio) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (passportElementsWithErrors *PassportElementsWithErrors) UnmarshalJSON(data []byte) error { + var tmp struct { + Elements []json.RawMessage `json:"elements"` + Errors []*PassportElementError `json:"errors"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + passportElementsWithErrors.Errors = tmp.Errors + + fieldElements, _ := UnmarshalListOfPassportElement(tmp.Elements) + passportElementsWithErrors.Elements = fieldElements - type stub PushMessageContentAudio + return nil +} - return json.Marshal((*stub)(entity)) +// Contains encrypted Telegram Passport data credentials +type EncryptedCredentials struct { + meta + // The encrypted credentials + Data []byte `json:"data"` + // The decrypted data hash + Hash []byte `json:"hash"` + // Secret for data decryption, encrypted with the service's public key + Secret []byte `json:"secret"` } -func (*PushMessageContentAudio) GetClass() string { - return ClassPushMessageContent +func (entity *EncryptedCredentials) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub EncryptedCredentials + + return json.Marshal((*stub)(entity)) } -func (*PushMessageContentAudio) GetType() string { - return TypePushMessageContentAudio +func (*EncryptedCredentials) GetClass() string { + return ClassEncryptedCredentials } -func (*PushMessageContentAudio) PushMessageContentType() string { - return TypePushMessageContentAudio +func (*EncryptedCredentials) GetType() string { + return TypeEncryptedCredentials } -// A message with a user contact -type PushMessageContentContact struct { - meta - // Contact's name - Name string `json:"name"` - // True, if the message is a pinned message with the specified content - IsPinned bool `json:"is_pinned"` +// Contains information about an encrypted Telegram Passport element; for bots only +type EncryptedPassportElement struct { + meta + // Type of Telegram Passport element + Type PassportElementType `json:"type"` + // Encrypted JSON-encoded data about the user + Data []byte `json:"data"` + // The front side of an identity document + FrontSide *DatedFile `json:"front_side"` + // The reverse side of an identity document; may be null + ReverseSide *DatedFile `json:"reverse_side"` + // Selfie with the document; may be null + Selfie *DatedFile `json:"selfie"` + // List of files containing a certified English translation of the document + Translation []*DatedFile `json:"translation"` + // List of attached files + Files []*DatedFile `json:"files"` + // Unencrypted data, phone number or email address + Value string `json:"value"` + // Hash of the entire element + Hash string `json:"hash"` } -func (entity *PushMessageContentContact) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *EncryptedPassportElement) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub PushMessageContentContact + type stub EncryptedPassportElement - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*PushMessageContentContact) GetClass() string { - return ClassPushMessageContent +func (*EncryptedPassportElement) GetClass() string { + return ClassEncryptedPassportElement } -func (*PushMessageContentContact) GetType() string { - return TypePushMessageContentContact +func (*EncryptedPassportElement) GetType() string { + return TypeEncryptedPassportElement } -func (*PushMessageContentContact) PushMessageContentType() string { - return TypePushMessageContentContact +func (encryptedPassportElement *EncryptedPassportElement) UnmarshalJSON(data []byte) error { + var tmp struct { + Type json.RawMessage `json:"type"` + Data []byte `json:"data"` + FrontSide *DatedFile `json:"front_side"` + ReverseSide *DatedFile `json:"reverse_side"` + Selfie *DatedFile `json:"selfie"` + Translation []*DatedFile `json:"translation"` + Files []*DatedFile `json:"files"` + Value string `json:"value"` + Hash string `json:"hash"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + encryptedPassportElement.Data = tmp.Data + encryptedPassportElement.FrontSide = tmp.FrontSide + encryptedPassportElement.ReverseSide = tmp.ReverseSide + encryptedPassportElement.Selfie = tmp.Selfie + encryptedPassportElement.Translation = tmp.Translation + encryptedPassportElement.Files = tmp.Files + encryptedPassportElement.Value = tmp.Value + encryptedPassportElement.Hash = tmp.Hash + + fieldType, _ := UnmarshalPassportElementType(tmp.Type) + encryptedPassportElement.Type = fieldType + + return nil } -// A contact has registered with Telegram -type PushMessageContentContactRegistered struct { - meta +// The element contains an error in an unspecified place. The error will be considered resolved when new data is added +type InputPassportElementErrorSourceUnspecified struct { + meta + // Current hash of the entire element + ElementHash []byte `json:"element_hash"` } -func (entity *PushMessageContentContactRegistered) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *InputPassportElementErrorSourceUnspecified) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub PushMessageContentContactRegistered + type stub InputPassportElementErrorSourceUnspecified - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*PushMessageContentContactRegistered) GetClass() string { - return ClassPushMessageContent +func (*InputPassportElementErrorSourceUnspecified) GetClass() string { + return ClassInputPassportElementErrorSource } -func (*PushMessageContentContactRegistered) GetType() string { - return TypePushMessageContentContactRegistered +func (*InputPassportElementErrorSourceUnspecified) GetType() string { + return TypeInputPassportElementErrorSourceUnspecified } -func (*PushMessageContentContactRegistered) PushMessageContentType() string { - return TypePushMessageContentContactRegistered +func (*InputPassportElementErrorSourceUnspecified) InputPassportElementErrorSourceType() string { + return TypeInputPassportElementErrorSourceUnspecified } -// A document message (a general file) -type PushMessageContentDocument struct { - meta - // Message content; may be null - Document *Document `json:"document"` - // True, if the message is a pinned message with the specified content - IsPinned bool `json:"is_pinned"` +// A data field contains an error. The error is considered resolved when the field's value changes +type InputPassportElementErrorSourceDataField struct { + meta + // Field name + FieldName string `json:"field_name"` + // Current data hash + DataHash []byte `json:"data_hash"` } -func (entity *PushMessageContentDocument) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *InputPassportElementErrorSourceDataField) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub PushMessageContentDocument + type stub InputPassportElementErrorSourceDataField - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*PushMessageContentDocument) GetClass() string { - return ClassPushMessageContent +func (*InputPassportElementErrorSourceDataField) GetClass() string { + return ClassInputPassportElementErrorSource } -func (*PushMessageContentDocument) GetType() string { - return TypePushMessageContentDocument +func (*InputPassportElementErrorSourceDataField) GetType() string { + return TypeInputPassportElementErrorSourceDataField } -func (*PushMessageContentDocument) PushMessageContentType() string { - return TypePushMessageContentDocument +func (*InputPassportElementErrorSourceDataField) InputPassportElementErrorSourceType() string { + return TypeInputPassportElementErrorSourceDataField } -// A message with a game -type PushMessageContentGame struct { - meta - // Game title, empty for pinned game message - Title string `json:"title"` - // True, if the message is a pinned message with the specified content - IsPinned bool `json:"is_pinned"` +// The front side of the document contains an error. The error is considered resolved when the file with the front side of the document changes +type InputPassportElementErrorSourceFrontSide struct { + meta + // Current hash of the file containing the front side + FileHash []byte `json:"file_hash"` } -func (entity *PushMessageContentGame) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *InputPassportElementErrorSourceFrontSide) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub PushMessageContentGame + type stub InputPassportElementErrorSourceFrontSide - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*PushMessageContentGame) GetClass() string { - return ClassPushMessageContent +func (*InputPassportElementErrorSourceFrontSide) GetClass() string { + return ClassInputPassportElementErrorSource } -func (*PushMessageContentGame) GetType() string { - return TypePushMessageContentGame +func (*InputPassportElementErrorSourceFrontSide) GetType() string { + return TypeInputPassportElementErrorSourceFrontSide } -func (*PushMessageContentGame) PushMessageContentType() string { - return TypePushMessageContentGame +func (*InputPassportElementErrorSourceFrontSide) InputPassportElementErrorSourceType() string { + return TypeInputPassportElementErrorSourceFrontSide } -// A new high score was achieved in a game -type PushMessageContentGameScore struct { - meta - // Game title, empty for pinned message - Title string `json:"title"` - // New score, 0 for pinned message - Score int32 `json:"score"` - // True, if the message is a pinned message with the specified content - IsPinned bool `json:"is_pinned"` +// The reverse side of the document contains an error. The error is considered resolved when the file with the reverse side of the document changes +type InputPassportElementErrorSourceReverseSide struct { + meta + // Current hash of the file containing the reverse side + FileHash []byte `json:"file_hash"` } -func (entity *PushMessageContentGameScore) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *InputPassportElementErrorSourceReverseSide) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub PushMessageContentGameScore + type stub InputPassportElementErrorSourceReverseSide - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*PushMessageContentGameScore) GetClass() string { - return ClassPushMessageContent +func (*InputPassportElementErrorSourceReverseSide) GetClass() string { + return ClassInputPassportElementErrorSource } -func (*PushMessageContentGameScore) GetType() string { - return TypePushMessageContentGameScore +func (*InputPassportElementErrorSourceReverseSide) GetType() string { + return TypeInputPassportElementErrorSourceReverseSide } -func (*PushMessageContentGameScore) PushMessageContentType() string { - return TypePushMessageContentGameScore +func (*InputPassportElementErrorSourceReverseSide) InputPassportElementErrorSourceType() string { + return TypeInputPassportElementErrorSourceReverseSide } -// A message with an invoice from a bot -type PushMessageContentInvoice struct { - meta - // Product price - Price string `json:"price"` - // True, if the message is a pinned message with the specified content - IsPinned bool `json:"is_pinned"` +// The selfie contains an error. The error is considered resolved when the file with the selfie changes +type InputPassportElementErrorSourceSelfie struct { + meta + // Current hash of the file containing the selfie + FileHash []byte `json:"file_hash"` } -func (entity *PushMessageContentInvoice) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *InputPassportElementErrorSourceSelfie) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub PushMessageContentInvoice + type stub InputPassportElementErrorSourceSelfie - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*PushMessageContentInvoice) GetClass() string { - return ClassPushMessageContent +func (*InputPassportElementErrorSourceSelfie) GetClass() string { + return ClassInputPassportElementErrorSource } -func (*PushMessageContentInvoice) GetType() string { - return TypePushMessageContentInvoice +func (*InputPassportElementErrorSourceSelfie) GetType() string { + return TypeInputPassportElementErrorSourceSelfie } -func (*PushMessageContentInvoice) PushMessageContentType() string { - return TypePushMessageContentInvoice +func (*InputPassportElementErrorSourceSelfie) InputPassportElementErrorSourceType() string { + return TypeInputPassportElementErrorSourceSelfie } -// A message with a location -type PushMessageContentLocation struct { - meta - // True, if the location is live - IsLive bool `json:"is_live"` - // True, if the message is a pinned message with the specified content - IsPinned bool `json:"is_pinned"` +// One of the files containing the translation of the document contains an error. The error is considered resolved when the file with the translation changes +type InputPassportElementErrorSourceTranslationFile struct { + meta + // Current hash of the file containing the translation + FileHash []byte `json:"file_hash"` } -func (entity *PushMessageContentLocation) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *InputPassportElementErrorSourceTranslationFile) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub PushMessageContentLocation + type stub InputPassportElementErrorSourceTranslationFile - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*PushMessageContentLocation) GetClass() string { - return ClassPushMessageContent +func (*InputPassportElementErrorSourceTranslationFile) GetClass() string { + return ClassInputPassportElementErrorSource } -func (*PushMessageContentLocation) GetType() string { - return TypePushMessageContentLocation +func (*InputPassportElementErrorSourceTranslationFile) GetType() string { + return TypeInputPassportElementErrorSourceTranslationFile } -func (*PushMessageContentLocation) PushMessageContentType() string { - return TypePushMessageContentLocation +func (*InputPassportElementErrorSourceTranslationFile) InputPassportElementErrorSourceType() string { + return TypeInputPassportElementErrorSourceTranslationFile } -// A photo message -type PushMessageContentPhoto struct { - meta - // Message content; may be null - Photo *Photo `json:"photo"` - // Photo caption - Caption string `json:"caption"` - // True, if the photo is secret - IsSecret bool `json:"is_secret"` - // True, if the message is a pinned message with the specified content - IsPinned bool `json:"is_pinned"` +// The translation of the document contains an error. The error is considered resolved when the list of files changes +type InputPassportElementErrorSourceTranslationFiles struct { + meta + // Current hashes of all files with the translation + FileHashes [][]byte `json:"file_hashes"` } -func (entity *PushMessageContentPhoto) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *InputPassportElementErrorSourceTranslationFiles) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub PushMessageContentPhoto + type stub InputPassportElementErrorSourceTranslationFiles - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*PushMessageContentPhoto) GetClass() string { - return ClassPushMessageContent +func (*InputPassportElementErrorSourceTranslationFiles) GetClass() string { + return ClassInputPassportElementErrorSource } -func (*PushMessageContentPhoto) GetType() string { - return TypePushMessageContentPhoto +func (*InputPassportElementErrorSourceTranslationFiles) GetType() string { + return TypeInputPassportElementErrorSourceTranslationFiles } -func (*PushMessageContentPhoto) PushMessageContentType() string { - return TypePushMessageContentPhoto +func (*InputPassportElementErrorSourceTranslationFiles) InputPassportElementErrorSourceType() string { + return TypeInputPassportElementErrorSourceTranslationFiles } -// A message with a poll -type PushMessageContentPoll struct { - meta - // Poll question - Question string `json:"question"` - // True, if the poll is regular and not in quiz mode - IsRegular bool `json:"is_regular"` - // True, if the message is a pinned message with the specified content - IsPinned bool `json:"is_pinned"` +// The file contains an error. The error is considered resolved when the file changes +type InputPassportElementErrorSourceFile struct { + meta + // Current hash of the file which has the error + FileHash []byte `json:"file_hash"` } -func (entity *PushMessageContentPoll) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *InputPassportElementErrorSourceFile) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub PushMessageContentPoll + type stub InputPassportElementErrorSourceFile - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*PushMessageContentPoll) GetClass() string { - return ClassPushMessageContent +func (*InputPassportElementErrorSourceFile) GetClass() string { + return ClassInputPassportElementErrorSource } -func (*PushMessageContentPoll) GetType() string { - return TypePushMessageContentPoll +func (*InputPassportElementErrorSourceFile) GetType() string { + return TypeInputPassportElementErrorSourceFile } -func (*PushMessageContentPoll) PushMessageContentType() string { - return TypePushMessageContentPoll +func (*InputPassportElementErrorSourceFile) InputPassportElementErrorSourceType() string { + return TypeInputPassportElementErrorSourceFile } -// A screenshot of a message in the chat has been taken -type PushMessageContentScreenshotTaken struct { - meta +// The list of attached files contains an error. The error is considered resolved when the file list changes +type InputPassportElementErrorSourceFiles struct { + meta + // Current hashes of all attached files + FileHashes [][]byte `json:"file_hashes"` } -func (entity *PushMessageContentScreenshotTaken) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *InputPassportElementErrorSourceFiles) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub PushMessageContentScreenshotTaken + type stub InputPassportElementErrorSourceFiles - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*PushMessageContentScreenshotTaken) GetClass() string { - return ClassPushMessageContent +func (*InputPassportElementErrorSourceFiles) GetClass() string { + return ClassInputPassportElementErrorSource } -func (*PushMessageContentScreenshotTaken) GetType() string { - return TypePushMessageContentScreenshotTaken +func (*InputPassportElementErrorSourceFiles) GetType() string { + return TypeInputPassportElementErrorSourceFiles } -func (*PushMessageContentScreenshotTaken) PushMessageContentType() string { - return TypePushMessageContentScreenshotTaken +func (*InputPassportElementErrorSourceFiles) InputPassportElementErrorSourceType() string { + return TypeInputPassportElementErrorSourceFiles } -// A message with a sticker -type PushMessageContentSticker struct { - meta - // Message content; may be null - Sticker *Sticker `json:"sticker"` - // Emoji corresponding to the sticker; may be empty - Emoji string `json:"emoji"` - // True, if the message is a pinned message with the specified content - IsPinned bool `json:"is_pinned"` +// Contains the description of an error in a Telegram Passport element; for bots only +type InputPassportElementError struct { + meta + // Type of Telegram Passport element that has the error + Type PassportElementType `json:"type"` + // Error message + Message string `json:"message"` + // Error source + Source InputPassportElementErrorSource `json:"source"` } -func (entity *PushMessageContentSticker) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *InputPassportElementError) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub PushMessageContentSticker + type stub InputPassportElementError - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*PushMessageContentSticker) GetClass() string { - return ClassPushMessageContent +func (*InputPassportElementError) GetClass() string { + return ClassInputPassportElementError } -func (*PushMessageContentSticker) GetType() string { - return TypePushMessageContentSticker +func (*InputPassportElementError) GetType() string { + return TypeInputPassportElementError } -func (*PushMessageContentSticker) PushMessageContentType() string { - return TypePushMessageContentSticker +func (inputPassportElementError *InputPassportElementError) UnmarshalJSON(data []byte) error { + var tmp struct { + Type json.RawMessage `json:"type"` + Message string `json:"message"` + Source json.RawMessage `json:"source"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + inputPassportElementError.Message = tmp.Message + + fieldType, _ := UnmarshalPassportElementType(tmp.Type) + inputPassportElementError.Type = fieldType + + fieldSource, _ := UnmarshalInputPassportElementErrorSource(tmp.Source) + inputPassportElementError.Source = fieldSource + + return nil } // A text message -type PushMessageContentText struct { - meta - // Message text - Text string `json:"text"` - // True, if the message is a pinned message with the specified content - IsPinned bool `json:"is_pinned"` +type MessageText struct { + meta + // Text of the message + Text *FormattedText `json:"text"` + // A link preview attached to the message; may be null + LinkPreview *LinkPreview `json:"link_preview"` + // Options which were used for generation of the link preview; may be null if default options were used + LinkPreviewOptions *LinkPreviewOptions `json:"link_preview_options"` } -func (entity *PushMessageContentText) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *MessageText) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub PushMessageContentText + type stub MessageText - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*PushMessageContentText) GetClass() string { - return ClassPushMessageContent +func (*MessageText) GetClass() string { + return ClassMessageContent } -func (*PushMessageContentText) GetType() string { - return TypePushMessageContentText +func (*MessageText) GetType() string { + return TypeMessageText } -func (*PushMessageContentText) PushMessageContentType() string { - return TypePushMessageContentText +func (*MessageText) MessageContentType() string { + return TypeMessageText +} + +// An animation message (GIF-style). +type MessageAnimation struct { + meta + // The animation description + Animation *Animation `json:"animation"` + // Animation caption + Caption *FormattedText `json:"caption"` + // True, if the caption must be shown above the animation; otherwise, the caption must be shown below the animation + ShowCaptionAboveMedia bool `json:"show_caption_above_media"` + // True, if the animation preview must be covered by a spoiler animation + HasSpoiler bool `json:"has_spoiler"` + // True, if the animation thumbnail must be blurred and the animation must be shown only while tapped + IsSecret bool `json:"is_secret"` +} + +func (entity *MessageAnimation) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageAnimation + + return json.Marshal((*stub)(entity)) +} + +func (*MessageAnimation) GetClass() string { + return ClassMessageContent +} + +func (*MessageAnimation) GetType() string { + return TypeMessageAnimation +} + +func (*MessageAnimation) MessageContentType() string { + return TypeMessageAnimation +} + +// An audio message +type MessageAudio struct { + meta + // The audio description + Audio *Audio `json:"audio"` + // Audio caption + Caption *FormattedText `json:"caption"` +} + +func (entity *MessageAudio) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageAudio + + return json.Marshal((*stub)(entity)) +} + +func (*MessageAudio) GetClass() string { + return ClassMessageContent +} + +func (*MessageAudio) GetType() string { + return TypeMessageAudio +} + +func (*MessageAudio) MessageContentType() string { + return TypeMessageAudio +} + +// A document message (general file) +type MessageDocument struct { + meta + // The document description + Document *Document `json:"document"` + // Document caption + Caption *FormattedText `json:"caption"` +} + +func (entity *MessageDocument) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageDocument + + return json.Marshal((*stub)(entity)) +} + +func (*MessageDocument) GetClass() string { + return ClassMessageContent +} + +func (*MessageDocument) GetType() string { + return TypeMessageDocument +} + +func (*MessageDocument) MessageContentType() string { + return TypeMessageDocument +} + +// A message with paid media +type MessagePaidMedia struct { + meta + // Number of Telegram Stars needed to buy access to the media in the message + StarCount int64 `json:"star_count"` + // Information about the media + Media []PaidMedia `json:"media"` + // Media caption + Caption *FormattedText `json:"caption"` + // True, if the caption must be shown above the media; otherwise, the caption must be shown below the media + ShowCaptionAboveMedia bool `json:"show_caption_above_media"` +} + +func (entity *MessagePaidMedia) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessagePaidMedia + + return json.Marshal((*stub)(entity)) +} + +func (*MessagePaidMedia) GetClass() string { + return ClassMessageContent +} + +func (*MessagePaidMedia) GetType() string { + return TypeMessagePaidMedia +} + +func (*MessagePaidMedia) MessageContentType() string { + return TypeMessagePaidMedia +} + +func (messagePaidMedia *MessagePaidMedia) UnmarshalJSON(data []byte) error { + var tmp struct { + StarCount int64 `json:"star_count"` + Media []json.RawMessage `json:"media"` + Caption *FormattedText `json:"caption"` + ShowCaptionAboveMedia bool `json:"show_caption_above_media"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + messagePaidMedia.StarCount = tmp.StarCount + messagePaidMedia.Caption = tmp.Caption + messagePaidMedia.ShowCaptionAboveMedia = tmp.ShowCaptionAboveMedia + + fieldMedia, _ := UnmarshalListOfPaidMedia(tmp.Media) + messagePaidMedia.Media = fieldMedia + + return nil +} + +// A photo message +type MessagePhoto struct { + meta + // The photo + Photo *Photo `json:"photo"` + // Photo caption + Caption *FormattedText `json:"caption"` + // True, if the caption must be shown above the photo; otherwise, the caption must be shown below the photo + ShowCaptionAboveMedia bool `json:"show_caption_above_media"` + // True, if the photo preview must be covered by a spoiler animation + HasSpoiler bool `json:"has_spoiler"` + // True, if the photo must be blurred and must be shown only while tapped + IsSecret bool `json:"is_secret"` +} + +func (entity *MessagePhoto) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessagePhoto + + return json.Marshal((*stub)(entity)) +} + +func (*MessagePhoto) GetClass() string { + return ClassMessageContent +} + +func (*MessagePhoto) GetType() string { + return TypeMessagePhoto +} + +func (*MessagePhoto) MessageContentType() string { + return TypeMessagePhoto +} + +// A sticker message +type MessageSticker struct { + meta + // The sticker description + Sticker *Sticker `json:"sticker"` + // True, if premium animation of the sticker must be played + IsPremium bool `json:"is_premium"` +} + +func (entity *MessageSticker) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageSticker + + return json.Marshal((*stub)(entity)) +} + +func (*MessageSticker) GetClass() string { + return ClassMessageContent +} + +func (*MessageSticker) GetType() string { + return TypeMessageSticker +} + +func (*MessageSticker) MessageContentType() string { + return TypeMessageSticker } // A video message -type PushMessageContentVideo struct { - meta - // Message content; may be null - Video *Video `json:"video"` - // Video caption - Caption string `json:"caption"` - // True, if the video is secret - IsSecret bool `json:"is_secret"` - // True, if the message is a pinned message with the specified content - IsPinned bool `json:"is_pinned"` +type MessageVideo struct { + meta + // The video description + Video *Video `json:"video"` + // Alternative qualities of the video + AlternativeVideos []*AlternativeVideo `json:"alternative_videos"` + // Available storyboards for the video + Storyboards []*VideoStoryboard `json:"storyboards"` + // Cover of the video; may be null if none + Cover *Photo `json:"cover"` + // Timestamp from which the video playing must start, in seconds + StartTimestamp int32 `json:"start_timestamp"` + // Video caption + Caption *FormattedText `json:"caption"` + // True, if the caption must be shown above the video; otherwise, the caption must be shown below the video + ShowCaptionAboveMedia bool `json:"show_caption_above_media"` + // True, if the video preview must be covered by a spoiler animation + HasSpoiler bool `json:"has_spoiler"` + // True, if the video thumbnail must be blurred and the video must be shown only while tapped + IsSecret bool `json:"is_secret"` } -func (entity *PushMessageContentVideo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *MessageVideo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub PushMessageContentVideo + type stub MessageVideo - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*PushMessageContentVideo) GetClass() string { - return ClassPushMessageContent +func (*MessageVideo) GetClass() string { + return ClassMessageContent } -func (*PushMessageContentVideo) GetType() string { - return TypePushMessageContentVideo +func (*MessageVideo) GetType() string { + return TypeMessageVideo } -func (*PushMessageContentVideo) PushMessageContentType() string { - return TypePushMessageContentVideo +func (*MessageVideo) MessageContentType() string { + return TypeMessageVideo } // A video note message -type PushMessageContentVideoNote struct { - meta - // Message content; may be null - VideoNote *VideoNote `json:"video_note"` - // True, if the message is a pinned message with the specified content - IsPinned bool `json:"is_pinned"` +type MessageVideoNote struct { + meta + // The video note description + VideoNote *VideoNote `json:"video_note"` + // True, if at least one of the recipients has viewed the video note + IsViewed bool `json:"is_viewed"` + // True, if the video note thumbnail must be blurred and the video note must be shown only while tapped + IsSecret bool `json:"is_secret"` } -func (entity *PushMessageContentVideoNote) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *MessageVideoNote) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub PushMessageContentVideoNote + type stub MessageVideoNote - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*PushMessageContentVideoNote) GetClass() string { - return ClassPushMessageContent +func (*MessageVideoNote) GetClass() string { + return ClassMessageContent } -func (*PushMessageContentVideoNote) GetType() string { - return TypePushMessageContentVideoNote +func (*MessageVideoNote) GetType() string { + return TypeMessageVideoNote } -func (*PushMessageContentVideoNote) PushMessageContentType() string { - return TypePushMessageContentVideoNote +func (*MessageVideoNote) MessageContentType() string { + return TypeMessageVideoNote } // A voice note message -type PushMessageContentVoiceNote struct { - meta - // Message content; may be null - VoiceNote *VoiceNote `json:"voice_note"` - // True, if the message is a pinned message with the specified content - IsPinned bool `json:"is_pinned"` +type MessageVoiceNote struct { + meta + // The voice note description + VoiceNote *VoiceNote `json:"voice_note"` + // Voice note caption + Caption *FormattedText `json:"caption"` + // True, if at least one of the recipients has listened to the voice note + IsListened bool `json:"is_listened"` } -func (entity *PushMessageContentVoiceNote) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *MessageVoiceNote) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub PushMessageContentVoiceNote + type stub MessageVoiceNote - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*PushMessageContentVoiceNote) GetClass() string { - return ClassPushMessageContent +func (*MessageVoiceNote) GetClass() string { + return ClassMessageContent } -func (*PushMessageContentVoiceNote) GetType() string { - return TypePushMessageContentVoiceNote +func (*MessageVoiceNote) GetType() string { + return TypeMessageVoiceNote } -func (*PushMessageContentVoiceNote) PushMessageContentType() string { - return TypePushMessageContentVoiceNote +func (*MessageVoiceNote) MessageContentType() string { + return TypeMessageVoiceNote +} + +// A self-destructed photo message +type MessageExpiredPhoto struct{ + meta +} + +func (entity *MessageExpiredPhoto) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageExpiredPhoto + + return json.Marshal((*stub)(entity)) +} + +func (*MessageExpiredPhoto) GetClass() string { + return ClassMessageContent +} + +func (*MessageExpiredPhoto) GetType() string { + return TypeMessageExpiredPhoto +} + +func (*MessageExpiredPhoto) MessageContentType() string { + return TypeMessageExpiredPhoto +} + +// A self-destructed video message +type MessageExpiredVideo struct{ + meta +} + +func (entity *MessageExpiredVideo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageExpiredVideo + + return json.Marshal((*stub)(entity)) +} + +func (*MessageExpiredVideo) GetClass() string { + return ClassMessageContent +} + +func (*MessageExpiredVideo) GetType() string { + return TypeMessageExpiredVideo +} + +func (*MessageExpiredVideo) MessageContentType() string { + return TypeMessageExpiredVideo +} + +// A self-destructed video note message +type MessageExpiredVideoNote struct{ + meta +} + +func (entity *MessageExpiredVideoNote) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageExpiredVideoNote + + return json.Marshal((*stub)(entity)) +} + +func (*MessageExpiredVideoNote) GetClass() string { + return ClassMessageContent +} + +func (*MessageExpiredVideoNote) GetType() string { + return TypeMessageExpiredVideoNote +} + +func (*MessageExpiredVideoNote) MessageContentType() string { + return TypeMessageExpiredVideoNote +} + +// A self-destructed voice note message +type MessageExpiredVoiceNote struct{ + meta +} + +func (entity *MessageExpiredVoiceNote) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageExpiredVoiceNote + + return json.Marshal((*stub)(entity)) +} + +func (*MessageExpiredVoiceNote) GetClass() string { + return ClassMessageContent +} + +func (*MessageExpiredVoiceNote) GetType() string { + return TypeMessageExpiredVoiceNote +} + +func (*MessageExpiredVoiceNote) MessageContentType() string { + return TypeMessageExpiredVoiceNote +} + +// A message with a location +type MessageLocation struct { + meta + // The location description + Location *Location `json:"location"` + // Time relative to the message send date, for which the location can be updated, in seconds; if 0x7FFFFFFF, then location can be updated forever + LivePeriod int32 `json:"live_period"` + // Left time for which the location can be updated, in seconds. If 0, then the location can't be updated anymore. The update updateMessageContent is not sent when this field changes + ExpiresIn int32 `json:"expires_in"` + // For live locations, a direction in which the location moves, in degrees; 1-360. If 0 the direction is unknown + Heading int32 `json:"heading"` + // For live locations, a maximum distance to another chat member for proximity alerts, in meters (0-100000). 0 if the notification is disabled. Available only to the message sender + ProximityAlertRadius int32 `json:"proximity_alert_radius"` +} + +func (entity *MessageLocation) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageLocation + + return json.Marshal((*stub)(entity)) +} + +func (*MessageLocation) GetClass() string { + return ClassMessageContent +} + +func (*MessageLocation) GetType() string { + return TypeMessageLocation +} + +func (*MessageLocation) MessageContentType() string { + return TypeMessageLocation +} + +// A message with information about a venue +type MessageVenue struct { + meta + // The venue description + Venue *Venue `json:"venue"` +} + +func (entity *MessageVenue) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageVenue + + return json.Marshal((*stub)(entity)) +} + +func (*MessageVenue) GetClass() string { + return ClassMessageContent +} + +func (*MessageVenue) GetType() string { + return TypeMessageVenue +} + +func (*MessageVenue) MessageContentType() string { + return TypeMessageVenue +} + +// A message with a user contact +type MessageContact struct { + meta + // The contact description + Contact *Contact `json:"contact"` +} + +func (entity *MessageContact) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageContact + + return json.Marshal((*stub)(entity)) +} + +func (*MessageContact) GetClass() string { + return ClassMessageContent +} + +func (*MessageContact) GetType() string { + return TypeMessageContact +} + +func (*MessageContact) MessageContentType() string { + return TypeMessageContact +} + +// A message with an animated emoji +type MessageAnimatedEmoji struct { + meta + // The animated emoji + AnimatedEmoji *AnimatedEmoji `json:"animated_emoji"` + // The corresponding emoji + Emoji string `json:"emoji"` +} + +func (entity *MessageAnimatedEmoji) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageAnimatedEmoji + + return json.Marshal((*stub)(entity)) +} + +func (*MessageAnimatedEmoji) GetClass() string { + return ClassMessageContent +} + +func (*MessageAnimatedEmoji) GetType() string { + return TypeMessageAnimatedEmoji +} + +func (*MessageAnimatedEmoji) MessageContentType() string { + return TypeMessageAnimatedEmoji +} + +// A dice message. The dice value is randomly generated by the server +type MessageDice struct { + meta + // The animated stickers with the initial dice animation; may be null if unknown. The update updateMessageContent will be sent when the sticker became known + InitialState DiceStickers `json:"initial_state"` + // The animated stickers with the final dice animation; may be null if unknown. The update updateMessageContent will be sent when the sticker became known + FinalState DiceStickers `json:"final_state"` + // Emoji on which the dice throw animation is based + Emoji string `json:"emoji"` + // The dice value. If the value is 0, then the dice don't have final state yet + Value int32 `json:"value"` + // Number of frame after which a success animation like a shower of confetti needs to be shown on updateMessageSendSucceeded + SuccessAnimationFrameNumber int32 `json:"success_animation_frame_number"` +} + +func (entity *MessageDice) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageDice + + return json.Marshal((*stub)(entity)) +} + +func (*MessageDice) GetClass() string { + return ClassMessageContent +} + +func (*MessageDice) GetType() string { + return TypeMessageDice +} + +func (*MessageDice) MessageContentType() string { + return TypeMessageDice +} + +func (messageDice *MessageDice) UnmarshalJSON(data []byte) error { + var tmp struct { + InitialState json.RawMessage `json:"initial_state"` + FinalState json.RawMessage `json:"final_state"` + Emoji string `json:"emoji"` + Value int32 `json:"value"` + SuccessAnimationFrameNumber int32 `json:"success_animation_frame_number"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + messageDice.Emoji = tmp.Emoji + messageDice.Value = tmp.Value + messageDice.SuccessAnimationFrameNumber = tmp.SuccessAnimationFrameNumber + + fieldInitialState, _ := UnmarshalDiceStickers(tmp.InitialState) + messageDice.InitialState = fieldInitialState + + fieldFinalState, _ := UnmarshalDiceStickers(tmp.FinalState) + messageDice.FinalState = fieldFinalState + + return nil +} + +// A message with a game +type MessageGame struct { + meta + // The game description + Game *Game `json:"game"` +} + +func (entity *MessageGame) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageGame + + return json.Marshal((*stub)(entity)) +} + +func (*MessageGame) GetClass() string { + return ClassMessageContent +} + +func (*MessageGame) GetType() string { + return TypeMessageGame +} + +func (*MessageGame) MessageContentType() string { + return TypeMessageGame +} + +// A message with a poll +type MessagePoll struct { + meta + // The poll description + Poll *Poll `json:"poll"` +} + +func (entity *MessagePoll) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessagePoll + + return json.Marshal((*stub)(entity)) +} + +func (*MessagePoll) GetClass() string { + return ClassMessageContent +} + +func (*MessagePoll) GetType() string { + return TypeMessagePoll +} + +func (*MessagePoll) MessageContentType() string { + return TypeMessagePoll +} + +// A stake dice message. The dice value is randomly generated by the server +type MessageStakeDice struct { + meta + // The animated stickers with the initial dice animation; may be null if unknown. The update updateMessageContent will be sent when the sticker became known + InitialState DiceStickers `json:"initial_state"` + // The animated stickers with the final dice animation; may be null if unknown. The update updateMessageContent will be sent when the sticker became known + FinalState DiceStickers `json:"final_state"` + // The dice value. If the value is 0, then the dice don't have final state yet + Value int32 `json:"value"` + // The Toncoin amount that was staked; in the smallest units of the currency + StakeToncoinAmount int64 `json:"stake_toncoin_amount"` + // The Toncoin amount that was gained from the roll; in the smallest units of the currency; -1 if the dice don't have final state yet + PrizeToncoinAmount int64 `json:"prize_toncoin_amount"` +} + +func (entity *MessageStakeDice) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageStakeDice + + return json.Marshal((*stub)(entity)) +} + +func (*MessageStakeDice) GetClass() string { + return ClassMessageContent +} + +func (*MessageStakeDice) GetType() string { + return TypeMessageStakeDice +} + +func (*MessageStakeDice) MessageContentType() string { + return TypeMessageStakeDice +} + +func (messageStakeDice *MessageStakeDice) UnmarshalJSON(data []byte) error { + var tmp struct { + InitialState json.RawMessage `json:"initial_state"` + FinalState json.RawMessage `json:"final_state"` + Value int32 `json:"value"` + StakeToncoinAmount int64 `json:"stake_toncoin_amount"` + PrizeToncoinAmount int64 `json:"prize_toncoin_amount"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + messageStakeDice.Value = tmp.Value + messageStakeDice.StakeToncoinAmount = tmp.StakeToncoinAmount + messageStakeDice.PrizeToncoinAmount = tmp.PrizeToncoinAmount + + fieldInitialState, _ := UnmarshalDiceStickers(tmp.InitialState) + messageStakeDice.InitialState = fieldInitialState + + fieldFinalState, _ := UnmarshalDiceStickers(tmp.FinalState) + messageStakeDice.FinalState = fieldFinalState + + return nil +} + +// A message with a forwarded story +type MessageStory struct { + meta + // Identifier of the chat that posted the story + StoryPosterChatId int64 `json:"story_poster_chat_id"` + // Story identifier + StoryId int32 `json:"story_id"` + // True, if the story was automatically forwarded because of a mention of the user + ViaMention bool `json:"via_mention"` +} + +func (entity *MessageStory) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageStory + + return json.Marshal((*stub)(entity)) +} + +func (*MessageStory) GetClass() string { + return ClassMessageContent +} + +func (*MessageStory) GetType() string { + return TypeMessageStory +} + +func (*MessageStory) MessageContentType() string { + return TypeMessageStory +} + +// A message with a checklist +type MessageChecklist struct { + meta + // The checklist description + List *Checklist `json:"list"` +} + +func (entity *MessageChecklist) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageChecklist + + return json.Marshal((*stub)(entity)) +} + +func (*MessageChecklist) GetClass() string { + return ClassMessageContent +} + +func (*MessageChecklist) GetType() string { + return TypeMessageChecklist +} + +func (*MessageChecklist) MessageContentType() string { + return TypeMessageChecklist +} + +// A message with an invoice from a bot. Use getInternalLink with internalLinkTypeBotStart to share the invoice +type MessageInvoice struct { + meta + // Information about the product + ProductInfo *ProductInfo `json:"product_info"` + // Currency for the product price + Currency string `json:"currency"` + // Product total price in the smallest units of the currency + TotalAmount int64 `json:"total_amount"` + // Unique invoice bot start_parameter to be passed to getInternalLink + StartParameter string `json:"start_parameter"` + // True, if the invoice is a test invoice + IsTest bool `json:"is_test"` + // True, if the shipping address must be specified + NeedShippingAddress bool `json:"need_shipping_address"` + // The identifier of the message with the receipt, after the product has been purchased + ReceiptMessageId int64 `json:"receipt_message_id"` + // Extended media attached to the invoice; may be null if none + PaidMedia PaidMedia `json:"paid_media"` + // Extended media caption; may be null if none + PaidMediaCaption *FormattedText `json:"paid_media_caption"` +} + +func (entity *MessageInvoice) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageInvoice + + return json.Marshal((*stub)(entity)) +} + +func (*MessageInvoice) GetClass() string { + return ClassMessageContent +} + +func (*MessageInvoice) GetType() string { + return TypeMessageInvoice +} + +func (*MessageInvoice) MessageContentType() string { + return TypeMessageInvoice +} + +func (messageInvoice *MessageInvoice) UnmarshalJSON(data []byte) error { + var tmp struct { + ProductInfo *ProductInfo `json:"product_info"` + Currency string `json:"currency"` + TotalAmount int64 `json:"total_amount"` + StartParameter string `json:"start_parameter"` + IsTest bool `json:"is_test"` + NeedShippingAddress bool `json:"need_shipping_address"` + ReceiptMessageId int64 `json:"receipt_message_id"` + PaidMedia json.RawMessage `json:"paid_media"` + PaidMediaCaption *FormattedText `json:"paid_media_caption"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + messageInvoice.ProductInfo = tmp.ProductInfo + messageInvoice.Currency = tmp.Currency + messageInvoice.TotalAmount = tmp.TotalAmount + messageInvoice.StartParameter = tmp.StartParameter + messageInvoice.IsTest = tmp.IsTest + messageInvoice.NeedShippingAddress = tmp.NeedShippingAddress + messageInvoice.ReceiptMessageId = tmp.ReceiptMessageId + messageInvoice.PaidMediaCaption = tmp.PaidMediaCaption + + fieldPaidMedia, _ := UnmarshalPaidMedia(tmp.PaidMedia) + messageInvoice.PaidMedia = fieldPaidMedia + + return nil +} + +// A message with information about an ended call +type MessageCall struct { + meta + // True, if the call was a video call + IsVideo bool `json:"is_video"` + // Reason why the call was discarded + DiscardReason CallDiscardReason `json:"discard_reason"` + // Call duration, in seconds + Duration int32 `json:"duration"` +} + +func (entity *MessageCall) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageCall + + return json.Marshal((*stub)(entity)) +} + +func (*MessageCall) GetClass() string { + return ClassMessageContent +} + +func (*MessageCall) GetType() string { + return TypeMessageCall +} + +func (*MessageCall) MessageContentType() string { + return TypeMessageCall +} + +func (messageCall *MessageCall) UnmarshalJSON(data []byte) error { + var tmp struct { + IsVideo bool `json:"is_video"` + DiscardReason json.RawMessage `json:"discard_reason"` + Duration int32 `json:"duration"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + messageCall.IsVideo = tmp.IsVideo + messageCall.Duration = tmp.Duration + + fieldDiscardReason, _ := UnmarshalCallDiscardReason(tmp.DiscardReason) + messageCall.DiscardReason = fieldDiscardReason + + return nil +} + +// A message with information about a group call not bound to a chat. If the message is incoming, the call isn't active, isn't missed, and has no duration, and getOption("can_accept_calls") is true, then incoming call screen must be shown to the user. Use getGroupCallParticipants to show current group call participants on the screen. Use joinGroupCall to accept the call or declineGroupCallInvitation to decline it. If the call become active or missed, then the call screen must be hidden +type MessageGroupCall struct { + meta + // Persistent unique group call identifier + UniqueId JsonInt64 `json:"unique_id"` + // True, if the call is active, i.e. the called user joined the call + IsActive bool `json:"is_active"` + // True, if the called user missed or declined the call + WasMissed bool `json:"was_missed"` + // True, if the call is a video call + IsVideo bool `json:"is_video"` + // Call duration, in seconds; for left calls only + Duration int32 `json:"duration"` + // Identifiers of some other call participants + OtherParticipantIds []MessageSender `json:"other_participant_ids"` +} + +func (entity *MessageGroupCall) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageGroupCall + + return json.Marshal((*stub)(entity)) +} + +func (*MessageGroupCall) GetClass() string { + return ClassMessageContent +} + +func (*MessageGroupCall) GetType() string { + return TypeMessageGroupCall +} + +func (*MessageGroupCall) MessageContentType() string { + return TypeMessageGroupCall +} + +func (messageGroupCall *MessageGroupCall) UnmarshalJSON(data []byte) error { + var tmp struct { + UniqueId JsonInt64 `json:"unique_id"` + IsActive bool `json:"is_active"` + WasMissed bool `json:"was_missed"` + IsVideo bool `json:"is_video"` + Duration int32 `json:"duration"` + OtherParticipantIds []json.RawMessage `json:"other_participant_ids"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + messageGroupCall.UniqueId = tmp.UniqueId + messageGroupCall.IsActive = tmp.IsActive + messageGroupCall.WasMissed = tmp.WasMissed + messageGroupCall.IsVideo = tmp.IsVideo + messageGroupCall.Duration = tmp.Duration + + fieldOtherParticipantIds, _ := UnmarshalListOfMessageSender(tmp.OtherParticipantIds) + messageGroupCall.OtherParticipantIds = fieldOtherParticipantIds + + return nil +} + +// A new video chat was scheduled +type MessageVideoChatScheduled struct { + meta + // Identifier of the video chat. The video chat can be received through the method getGroupCall + GroupCallId int32 `json:"group_call_id"` + // Point in time (Unix timestamp) when the group call is expected to be started by an administrator + StartDate int32 `json:"start_date"` +} + +func (entity *MessageVideoChatScheduled) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageVideoChatScheduled + + return json.Marshal((*stub)(entity)) +} + +func (*MessageVideoChatScheduled) GetClass() string { + return ClassMessageContent +} + +func (*MessageVideoChatScheduled) GetType() string { + return TypeMessageVideoChatScheduled +} + +func (*MessageVideoChatScheduled) MessageContentType() string { + return TypeMessageVideoChatScheduled +} + +// A newly created video chat +type MessageVideoChatStarted struct { + meta + // Identifier of the video chat. The video chat can be received through the method getGroupCall + GroupCallId int32 `json:"group_call_id"` +} + +func (entity *MessageVideoChatStarted) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageVideoChatStarted + + return json.Marshal((*stub)(entity)) +} + +func (*MessageVideoChatStarted) GetClass() string { + return ClassMessageContent +} + +func (*MessageVideoChatStarted) GetType() string { + return TypeMessageVideoChatStarted +} + +func (*MessageVideoChatStarted) MessageContentType() string { + return TypeMessageVideoChatStarted +} + +// A message with information about an ended video chat +type MessageVideoChatEnded struct { + meta + // Call duration, in seconds + Duration int32 `json:"duration"` +} + +func (entity *MessageVideoChatEnded) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageVideoChatEnded + + return json.Marshal((*stub)(entity)) +} + +func (*MessageVideoChatEnded) GetClass() string { + return ClassMessageContent +} + +func (*MessageVideoChatEnded) GetType() string { + return TypeMessageVideoChatEnded +} + +func (*MessageVideoChatEnded) MessageContentType() string { + return TypeMessageVideoChatEnded +} + +// A message with information about an invitation to a video chat +type MessageInviteVideoChatParticipants struct { + meta + // Identifier of the video chat. The video chat can be received through the method getGroupCall + GroupCallId int32 `json:"group_call_id"` + // Invited user identifiers + UserIds []int64 `json:"user_ids"` +} + +func (entity *MessageInviteVideoChatParticipants) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageInviteVideoChatParticipants + + return json.Marshal((*stub)(entity)) +} + +func (*MessageInviteVideoChatParticipants) GetClass() string { + return ClassMessageContent +} + +func (*MessageInviteVideoChatParticipants) GetType() string { + return TypeMessageInviteVideoChatParticipants +} + +func (*MessageInviteVideoChatParticipants) MessageContentType() string { + return TypeMessageInviteVideoChatParticipants } // A newly created basic group -type PushMessageContentBasicGroupChatCreate struct { - meta +type MessageBasicGroupChatCreate struct { + meta + // Title of the basic group + Title string `json:"title"` + // User identifiers of members in the basic group + MemberUserIds []int64 `json:"member_user_ids"` } -func (entity *PushMessageContentBasicGroupChatCreate) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *MessageBasicGroupChatCreate) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub PushMessageContentBasicGroupChatCreate + type stub MessageBasicGroupChatCreate - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*PushMessageContentBasicGroupChatCreate) GetClass() string { - return ClassPushMessageContent +func (*MessageBasicGroupChatCreate) GetClass() string { + return ClassMessageContent } -func (*PushMessageContentBasicGroupChatCreate) GetType() string { - return TypePushMessageContentBasicGroupChatCreate +func (*MessageBasicGroupChatCreate) GetType() string { + return TypeMessageBasicGroupChatCreate } -func (*PushMessageContentBasicGroupChatCreate) PushMessageContentType() string { - return TypePushMessageContentBasicGroupChatCreate +func (*MessageBasicGroupChatCreate) MessageContentType() string { + return TypeMessageBasicGroupChatCreate } -// New chat members were invited to a group -type PushMessageContentChatAddMembers struct { - meta - // Name of the added member - MemberName string `json:"member_name"` - // True, if the current user was added to the group - IsCurrentUser bool `json:"is_current_user"` - // True, if the user has returned to the group themselves - IsReturned bool `json:"is_returned"` +// A newly created supergroup or channel +type MessageSupergroupChatCreate struct { + meta + // Title of the supergroup or channel + Title string `json:"title"` } -func (entity *PushMessageContentChatAddMembers) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *MessageSupergroupChatCreate) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub PushMessageContentChatAddMembers + type stub MessageSupergroupChatCreate - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*PushMessageContentChatAddMembers) GetClass() string { - return ClassPushMessageContent +func (*MessageSupergroupChatCreate) GetClass() string { + return ClassMessageContent } -func (*PushMessageContentChatAddMembers) GetType() string { - return TypePushMessageContentChatAddMembers +func (*MessageSupergroupChatCreate) GetType() string { + return TypeMessageSupergroupChatCreate } -func (*PushMessageContentChatAddMembers) PushMessageContentType() string { - return TypePushMessageContentChatAddMembers +func (*MessageSupergroupChatCreate) MessageContentType() string { + return TypeMessageSupergroupChatCreate } -// A chat photo was edited -type PushMessageContentChatChangePhoto struct { - meta +// An updated chat title +type MessageChatChangeTitle struct { + meta + // New chat title + Title string `json:"title"` } -func (entity *PushMessageContentChatChangePhoto) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *MessageChatChangeTitle) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub PushMessageContentChatChangePhoto + type stub MessageChatChangeTitle - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*PushMessageContentChatChangePhoto) GetClass() string { - return ClassPushMessageContent +func (*MessageChatChangeTitle) GetClass() string { + return ClassMessageContent } -func (*PushMessageContentChatChangePhoto) GetType() string { - return TypePushMessageContentChatChangePhoto +func (*MessageChatChangeTitle) GetType() string { + return TypeMessageChatChangeTitle } -func (*PushMessageContentChatChangePhoto) PushMessageContentType() string { - return TypePushMessageContentChatChangePhoto +func (*MessageChatChangeTitle) MessageContentType() string { + return TypeMessageChatChangeTitle } -// A chat title was edited -type PushMessageContentChatChangeTitle struct { - meta - // New chat title - Title string `json:"title"` +// An updated chat photo +type MessageChatChangePhoto struct { + meta + // New chat photo + Photo *ChatPhoto `json:"photo"` } -func (entity *PushMessageContentChatChangeTitle) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *MessageChatChangePhoto) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub PushMessageContentChatChangeTitle + type stub MessageChatChangePhoto - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*PushMessageContentChatChangeTitle) GetClass() string { - return ClassPushMessageContent +func (*MessageChatChangePhoto) GetClass() string { + return ClassMessageContent } -func (*PushMessageContentChatChangeTitle) GetType() string { - return TypePushMessageContentChatChangeTitle +func (*MessageChatChangePhoto) GetType() string { + return TypeMessageChatChangePhoto } -func (*PushMessageContentChatChangeTitle) PushMessageContentType() string { - return TypePushMessageContentChatChangeTitle +func (*MessageChatChangePhoto) MessageContentType() string { + return TypeMessageChatChangePhoto } -// A chat theme was edited -type PushMessageContentChatSetTheme struct { - meta - // If non-empty, name of a new theme, set for the chat. Otherwise, the chat theme was reset to the default one - ThemeName string `json:"theme_name"` +// A deleted chat photo +type MessageChatDeletePhoto struct{ + meta } -func (entity *PushMessageContentChatSetTheme) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *MessageChatDeletePhoto) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub PushMessageContentChatSetTheme + type stub MessageChatDeletePhoto - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*PushMessageContentChatSetTheme) GetClass() string { - return ClassPushMessageContent +func (*MessageChatDeletePhoto) GetClass() string { + return ClassMessageContent } -func (*PushMessageContentChatSetTheme) GetType() string { - return TypePushMessageContentChatSetTheme +func (*MessageChatDeletePhoto) GetType() string { + return TypeMessageChatDeletePhoto } -func (*PushMessageContentChatSetTheme) PushMessageContentType() string { - return TypePushMessageContentChatSetTheme +func (*MessageChatDeletePhoto) MessageContentType() string { + return TypeMessageChatDeletePhoto } -// A chat member was deleted -type PushMessageContentChatDeleteMember struct { - meta - // Name of the deleted member - MemberName string `json:"member_name"` - // True, if the current user was deleted from the group - IsCurrentUser bool `json:"is_current_user"` - // True, if the user has left the group themselves - IsLeft bool `json:"is_left"` +// The owner of the chat has left +type MessageChatOwnerLeft struct { + meta + // Identifier of the user who will become the new owner of the chat if the previous owner isn't return; 0 if none + NewOwnerUserId int64 `json:"new_owner_user_id"` } -func (entity *PushMessageContentChatDeleteMember) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *MessageChatOwnerLeft) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub PushMessageContentChatDeleteMember + type stub MessageChatOwnerLeft - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*PushMessageContentChatDeleteMember) GetClass() string { - return ClassPushMessageContent +func (*MessageChatOwnerLeft) GetClass() string { + return ClassMessageContent } -func (*PushMessageContentChatDeleteMember) GetType() string { - return TypePushMessageContentChatDeleteMember +func (*MessageChatOwnerLeft) GetType() string { + return TypeMessageChatOwnerLeft } -func (*PushMessageContentChatDeleteMember) PushMessageContentType() string { - return TypePushMessageContentChatDeleteMember +func (*MessageChatOwnerLeft) MessageContentType() string { + return TypeMessageChatOwnerLeft +} + +// The owner of the chat has changed +type MessageChatOwnerChanged struct { + meta + // Identifier of the user who is the new owner of the chat + NewOwnerUserId int64 `json:"new_owner_user_id"` +} + +func (entity *MessageChatOwnerChanged) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageChatOwnerChanged + + return json.Marshal((*stub)(entity)) +} + +func (*MessageChatOwnerChanged) GetClass() string { + return ClassMessageContent +} + +func (*MessageChatOwnerChanged) GetType() string { + return TypeMessageChatOwnerChanged +} + +func (*MessageChatOwnerChanged) MessageContentType() string { + return TypeMessageChatOwnerChanged +} + +// New chat members were added +type MessageChatAddMembers struct { + meta + // User identifiers of the new members + MemberUserIds []int64 `json:"member_user_ids"` +} + +func (entity *MessageChatAddMembers) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageChatAddMembers + + return json.Marshal((*stub)(entity)) +} + +func (*MessageChatAddMembers) GetClass() string { + return ClassMessageContent +} + +func (*MessageChatAddMembers) GetType() string { + return TypeMessageChatAddMembers +} + +func (*MessageChatAddMembers) MessageContentType() string { + return TypeMessageChatAddMembers } // A new member joined the chat via an invite link -type PushMessageContentChatJoinByLink struct { - meta +type MessageChatJoinByLink struct{ + meta } -func (entity *PushMessageContentChatJoinByLink) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *MessageChatJoinByLink) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub PushMessageContentChatJoinByLink + type stub MessageChatJoinByLink - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*PushMessageContentChatJoinByLink) GetClass() string { - return ClassPushMessageContent +func (*MessageChatJoinByLink) GetClass() string { + return ClassMessageContent } -func (*PushMessageContentChatJoinByLink) GetType() string { - return TypePushMessageContentChatJoinByLink +func (*MessageChatJoinByLink) GetType() string { + return TypeMessageChatJoinByLink } -func (*PushMessageContentChatJoinByLink) PushMessageContentType() string { - return TypePushMessageContentChatJoinByLink +func (*MessageChatJoinByLink) MessageContentType() string { + return TypeMessageChatJoinByLink } // A new member was accepted to the chat by an administrator -type PushMessageContentChatJoinByRequest struct { - meta +type MessageChatJoinByRequest struct{ + meta } -func (entity *PushMessageContentChatJoinByRequest) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *MessageChatJoinByRequest) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub PushMessageContentChatJoinByRequest + type stub MessageChatJoinByRequest - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*PushMessageContentChatJoinByRequest) GetClass() string { - return ClassPushMessageContent +func (*MessageChatJoinByRequest) GetClass() string { + return ClassMessageContent } -func (*PushMessageContentChatJoinByRequest) GetType() string { - return TypePushMessageContentChatJoinByRequest +func (*MessageChatJoinByRequest) GetType() string { + return TypeMessageChatJoinByRequest } -func (*PushMessageContentChatJoinByRequest) PushMessageContentType() string { - return TypePushMessageContentChatJoinByRequest +func (*MessageChatJoinByRequest) MessageContentType() string { + return TypeMessageChatJoinByRequest } -// A new recurrent payment was made by the current user -type PushMessageContentRecurringPayment struct { - meta - // The paid amount - Amount string `json:"amount"` +// A chat member was deleted +type MessageChatDeleteMember struct { + meta + // User identifier of the deleted chat member + UserId int64 `json:"user_id"` } -func (entity *PushMessageContentRecurringPayment) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *MessageChatDeleteMember) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub PushMessageContentRecurringPayment + type stub MessageChatDeleteMember - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*PushMessageContentRecurringPayment) GetClass() string { - return ClassPushMessageContent +func (*MessageChatDeleteMember) GetClass() string { + return ClassMessageContent } -func (*PushMessageContentRecurringPayment) GetType() string { - return TypePushMessageContentRecurringPayment +func (*MessageChatDeleteMember) GetType() string { + return TypeMessageChatDeleteMember } -func (*PushMessageContentRecurringPayment) PushMessageContentType() string { - return TypePushMessageContentRecurringPayment +func (*MessageChatDeleteMember) MessageContentType() string { + return TypeMessageChatDeleteMember } -// A profile photo was suggested to the user -type PushMessageContentSuggestProfilePhoto struct { - meta +// A basic group was upgraded to a supergroup and was deactivated as the result +type MessageChatUpgradeTo struct { + meta + // Identifier of the supergroup to which the basic group was upgraded + SupergroupId int64 `json:"supergroup_id"` } -func (entity *PushMessageContentSuggestProfilePhoto) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *MessageChatUpgradeTo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub PushMessageContentSuggestProfilePhoto + type stub MessageChatUpgradeTo - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*PushMessageContentSuggestProfilePhoto) GetClass() string { - return ClassPushMessageContent +func (*MessageChatUpgradeTo) GetClass() string { + return ClassMessageContent } -func (*PushMessageContentSuggestProfilePhoto) GetType() string { - return TypePushMessageContentSuggestProfilePhoto +func (*MessageChatUpgradeTo) GetType() string { + return TypeMessageChatUpgradeTo } -func (*PushMessageContentSuggestProfilePhoto) PushMessageContentType() string { - return TypePushMessageContentSuggestProfilePhoto +func (*MessageChatUpgradeTo) MessageContentType() string { + return TypeMessageChatUpgradeTo } -// A forwarded messages -type PushMessageContentMessageForwards struct { - meta - // Number of forwarded messages - TotalCount int32 `json:"total_count"` +// A supergroup has been created from a basic group +type MessageChatUpgradeFrom struct { + meta + // Title of the newly created supergroup + Title string `json:"title"` + // The identifier of the original basic group + BasicGroupId int64 `json:"basic_group_id"` } -func (entity *PushMessageContentMessageForwards) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *MessageChatUpgradeFrom) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub PushMessageContentMessageForwards + type stub MessageChatUpgradeFrom - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*PushMessageContentMessageForwards) GetClass() string { - return ClassPushMessageContent +func (*MessageChatUpgradeFrom) GetClass() string { + return ClassMessageContent } -func (*PushMessageContentMessageForwards) GetType() string { - return TypePushMessageContentMessageForwards +func (*MessageChatUpgradeFrom) GetType() string { + return TypeMessageChatUpgradeFrom } -func (*PushMessageContentMessageForwards) PushMessageContentType() string { - return TypePushMessageContentMessageForwards +func (*MessageChatUpgradeFrom) MessageContentType() string { + return TypeMessageChatUpgradeFrom } -// A media album -type PushMessageContentMediaAlbum struct { - meta - // Number of messages in the album - TotalCount int32 `json:"total_count"` - // True, if the album has at least one photo - HasPhotos bool `json:"has_photos"` - // True, if the album has at least one video file - HasVideos bool `json:"has_videos"` - // True, if the album has at least one audio file - HasAudios bool `json:"has_audios"` - // True, if the album has at least one document - HasDocuments bool `json:"has_documents"` +// A message has been pinned +type MessagePinMessage struct { + meta + // Identifier of the pinned message, can be an identifier of a deleted message or 0 + MessageId int64 `json:"message_id"` } -func (entity *PushMessageContentMediaAlbum) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *MessagePinMessage) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub PushMessageContentMediaAlbum + type stub MessagePinMessage - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*PushMessageContentMediaAlbum) GetClass() string { - return ClassPushMessageContent +func (*MessagePinMessage) GetClass() string { + return ClassMessageContent } -func (*PushMessageContentMediaAlbum) GetType() string { - return TypePushMessageContentMediaAlbum +func (*MessagePinMessage) GetType() string { + return TypeMessagePinMessage } -func (*PushMessageContentMediaAlbum) PushMessageContentType() string { - return TypePushMessageContentMediaAlbum +func (*MessagePinMessage) MessageContentType() string { + return TypeMessagePinMessage } -// New message was received -type NotificationTypeNewMessage struct { - meta - // The message - Message *Message `json:"message"` - // True, if message content must be displayed in notifications - ShowPreview bool `json:"show_preview"` +// A screenshot of a message in the chat has been taken +type MessageScreenshotTaken struct{ + meta } -func (entity *NotificationTypeNewMessage) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *MessageScreenshotTaken) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub NotificationTypeNewMessage + type stub MessageScreenshotTaken - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*NotificationTypeNewMessage) GetClass() string { - return ClassNotificationType +func (*MessageScreenshotTaken) GetClass() string { + return ClassMessageContent } -func (*NotificationTypeNewMessage) GetType() string { - return TypeNotificationTypeNewMessage +func (*MessageScreenshotTaken) GetType() string { + return TypeMessageScreenshotTaken } -func (*NotificationTypeNewMessage) NotificationTypeType() string { - return TypeNotificationTypeNewMessage +func (*MessageScreenshotTaken) MessageContentType() string { + return TypeMessageScreenshotTaken } -// New secret chat was created -type NotificationTypeNewSecretChat struct { - meta +// A new background was set in the chat +type MessageChatSetBackground struct { + meta + // Identifier of the message with a previously set same background; 0 if none. Can be an identifier of a deleted message + OldBackgroundMessageId int64 `json:"old_background_message_id"` + // The new background + Background *ChatBackground `json:"background"` + // True, if the background was set only for self + OnlyForSelf bool `json:"only_for_self"` } -func (entity *NotificationTypeNewSecretChat) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *MessageChatSetBackground) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub NotificationTypeNewSecretChat + type stub MessageChatSetBackground - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*NotificationTypeNewSecretChat) GetClass() string { - return ClassNotificationType +func (*MessageChatSetBackground) GetClass() string { + return ClassMessageContent } -func (*NotificationTypeNewSecretChat) GetType() string { - return TypeNotificationTypeNewSecretChat +func (*MessageChatSetBackground) GetType() string { + return TypeMessageChatSetBackground } -func (*NotificationTypeNewSecretChat) NotificationTypeType() string { - return TypeNotificationTypeNewSecretChat +func (*MessageChatSetBackground) MessageContentType() string { + return TypeMessageChatSetBackground } -// New call was received -type NotificationTypeNewCall struct { - meta - // Call identifier - CallId int32 `json:"call_id"` +// A theme in the chat has been changed +type MessageChatSetTheme struct { + meta + // New theme for the chat; may be null if chat theme was reset to the default one + Theme ChatTheme `json:"theme"` } -func (entity *NotificationTypeNewCall) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *MessageChatSetTheme) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub NotificationTypeNewCall + type stub MessageChatSetTheme - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*NotificationTypeNewCall) GetClass() string { - return ClassNotificationType +func (*MessageChatSetTheme) GetClass() string { + return ClassMessageContent } -func (*NotificationTypeNewCall) GetType() string { - return TypeNotificationTypeNewCall +func (*MessageChatSetTheme) GetType() string { + return TypeMessageChatSetTheme } -func (*NotificationTypeNewCall) NotificationTypeType() string { - return TypeNotificationTypeNewCall +func (*MessageChatSetTheme) MessageContentType() string { + return TypeMessageChatSetTheme } -// New message was received through a push notification -type NotificationTypeNewPushMessage struct { - meta - // The message identifier. The message will not be available in the chat history, but the ID can be used in viewMessages, or as reply_to_message_id - MessageId int64 `json:"message_id"` - // Identifier of the sender of the message. Corresponding user or chat may be inaccessible - SenderId MessageSender `json:"sender_id"` - // Name of the sender - SenderName string `json:"sender_name"` - // True, if the message is outgoing - IsOutgoing bool `json:"is_outgoing"` - // Push message content - Content PushMessageContent `json:"content"` +func (messageChatSetTheme *MessageChatSetTheme) UnmarshalJSON(data []byte) error { + var tmp struct { + Theme json.RawMessage `json:"theme"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldTheme, _ := UnmarshalChatTheme(tmp.Theme) + messageChatSetTheme.Theme = fieldTheme + + return nil +} + +// The auto-delete or self-destruct timer for messages in the chat has been changed +type MessageChatSetMessageAutoDeleteTime struct { + meta + // New value auto-delete or self-destruct time, in seconds; 0 if disabled + MessageAutoDeleteTime int32 `json:"message_auto_delete_time"` + // If not 0, a user identifier, which default setting was automatically applied + FromUserId int64 `json:"from_user_id"` +} + +func (entity *MessageChatSetMessageAutoDeleteTime) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageChatSetMessageAutoDeleteTime + + return json.Marshal((*stub)(entity)) +} + +func (*MessageChatSetMessageAutoDeleteTime) GetClass() string { + return ClassMessageContent +} + +func (*MessageChatSetMessageAutoDeleteTime) GetType() string { + return TypeMessageChatSetMessageAutoDeleteTime +} + +func (*MessageChatSetMessageAutoDeleteTime) MessageContentType() string { + return TypeMessageChatSetMessageAutoDeleteTime +} + +// The chat was boosted by the sender of the message +type MessageChatBoost struct { + meta + // Number of times the chat was boosted + BoostCount int32 `json:"boost_count"` +} + +func (entity *MessageChatBoost) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageChatBoost + + return json.Marshal((*stub)(entity)) +} + +func (*MessageChatBoost) GetClass() string { + return ClassMessageContent +} + +func (*MessageChatBoost) GetType() string { + return TypeMessageChatBoost +} + +func (*MessageChatBoost) MessageContentType() string { + return TypeMessageChatBoost +} + +// A forum topic has been created +type MessageForumTopicCreated struct { + meta + // Name of the topic + Name string `json:"name"` + // True, if the name of the topic wasn't added explicitly + IsNameImplicit bool `json:"is_name_implicit"` + // Icon of the topic + Icon *ForumTopicIcon `json:"icon"` +} + +func (entity *MessageForumTopicCreated) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageForumTopicCreated + + return json.Marshal((*stub)(entity)) +} + +func (*MessageForumTopicCreated) GetClass() string { + return ClassMessageContent +} + +func (*MessageForumTopicCreated) GetType() string { + return TypeMessageForumTopicCreated +} + +func (*MessageForumTopicCreated) MessageContentType() string { + return TypeMessageForumTopicCreated +} + +// A forum topic has been edited +type MessageForumTopicEdited struct { + meta + // If non-empty, the new name of the topic + Name string `json:"name"` + // True, if icon's custom_emoji_id is changed + EditIconCustomEmojiId bool `json:"edit_icon_custom_emoji_id"` + // New unique identifier of the custom emoji shown on the topic icon; 0 if none. Must be ignored if edit_icon_custom_emoji_id is false + IconCustomEmojiId JsonInt64 `json:"icon_custom_emoji_id"` +} + +func (entity *MessageForumTopicEdited) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageForumTopicEdited + + return json.Marshal((*stub)(entity)) +} + +func (*MessageForumTopicEdited) GetClass() string { + return ClassMessageContent +} + +func (*MessageForumTopicEdited) GetType() string { + return TypeMessageForumTopicEdited +} + +func (*MessageForumTopicEdited) MessageContentType() string { + return TypeMessageForumTopicEdited +} + +// A forum topic has been closed or opened +type MessageForumTopicIsClosedToggled struct { + meta + // True, if the topic was closed; otherwise, the topic was reopened + IsClosed bool `json:"is_closed"` +} + +func (entity *MessageForumTopicIsClosedToggled) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageForumTopicIsClosedToggled + + return json.Marshal((*stub)(entity)) +} + +func (*MessageForumTopicIsClosedToggled) GetClass() string { + return ClassMessageContent +} + +func (*MessageForumTopicIsClosedToggled) GetType() string { + return TypeMessageForumTopicIsClosedToggled +} + +func (*MessageForumTopicIsClosedToggled) MessageContentType() string { + return TypeMessageForumTopicIsClosedToggled +} + +// A General forum topic has been hidden or unhidden +type MessageForumTopicIsHiddenToggled struct { + meta + // True, if the topic was hidden; otherwise, the topic was unhidden + IsHidden bool `json:"is_hidden"` +} + +func (entity *MessageForumTopicIsHiddenToggled) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageForumTopicIsHiddenToggled + + return json.Marshal((*stub)(entity)) +} + +func (*MessageForumTopicIsHiddenToggled) GetClass() string { + return ClassMessageContent +} + +func (*MessageForumTopicIsHiddenToggled) GetType() string { + return TypeMessageForumTopicIsHiddenToggled +} + +func (*MessageForumTopicIsHiddenToggled) MessageContentType() string { + return TypeMessageForumTopicIsHiddenToggled +} + +// A profile photo was suggested to a user in a private chat +type MessageSuggestProfilePhoto struct { + meta + // The suggested chat photo. Use the method setProfilePhoto with inputChatPhotoPrevious to apply the photo + Photo *ChatPhoto `json:"photo"` +} + +func (entity *MessageSuggestProfilePhoto) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageSuggestProfilePhoto + + return json.Marshal((*stub)(entity)) +} + +func (*MessageSuggestProfilePhoto) GetClass() string { + return ClassMessageContent +} + +func (*MessageSuggestProfilePhoto) GetType() string { + return TypeMessageSuggestProfilePhoto +} + +func (*MessageSuggestProfilePhoto) MessageContentType() string { + return TypeMessageSuggestProfilePhoto +} + +// A birthdate was suggested to be set +type MessageSuggestBirthdate struct { + meta + // The suggested birthdate. Use the method setBirthdate to apply the birthdate + Birthdate *Birthdate `json:"birthdate"` +} + +func (entity *MessageSuggestBirthdate) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageSuggestBirthdate + + return json.Marshal((*stub)(entity)) +} + +func (*MessageSuggestBirthdate) GetClass() string { + return ClassMessageContent +} + +func (*MessageSuggestBirthdate) GetType() string { + return TypeMessageSuggestBirthdate +} + +func (*MessageSuggestBirthdate) MessageContentType() string { + return TypeMessageSuggestBirthdate +} + +// A non-standard action has happened in the chat +type MessageCustomServiceAction struct { + meta + // Message text to be shown in the chat + Text string `json:"text"` +} + +func (entity *MessageCustomServiceAction) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageCustomServiceAction + + return json.Marshal((*stub)(entity)) +} + +func (*MessageCustomServiceAction) GetClass() string { + return ClassMessageContent +} + +func (*MessageCustomServiceAction) GetType() string { + return TypeMessageCustomServiceAction +} + +func (*MessageCustomServiceAction) MessageContentType() string { + return TypeMessageCustomServiceAction +} + +// A new high score was achieved in a game +type MessageGameScore struct { + meta + // Identifier of the message with the game, can be an identifier of a deleted message + GameMessageId int64 `json:"game_message_id"` + // Identifier of the game; may be different from the games presented in the message with the game + GameId JsonInt64 `json:"game_id"` + // New score + Score int32 `json:"score"` +} + +func (entity *MessageGameScore) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageGameScore + + return json.Marshal((*stub)(entity)) +} + +func (*MessageGameScore) GetClass() string { + return ClassMessageContent +} + +func (*MessageGameScore) GetType() string { + return TypeMessageGameScore +} + +func (*MessageGameScore) MessageContentType() string { + return TypeMessageGameScore +} + +// A payment has been sent to a bot or a business account +type MessagePaymentSuccessful struct { + meta + // Identifier of the chat, containing the corresponding invoice message + InvoiceChatId int64 `json:"invoice_chat_id"` + // Identifier of the message with the corresponding invoice; may be 0 or an identifier of a deleted message + InvoiceMessageId int64 `json:"invoice_message_id"` + // Currency for the price of the product + Currency string `json:"currency"` + // Total price for the product, in the smallest units of the currency + TotalAmount int64 `json:"total_amount"` + // Point in time (Unix timestamp) when the subscription will expire; 0 if unknown or the payment isn't recurring + SubscriptionUntilDate int32 `json:"subscription_until_date"` + // True, if this is a recurring payment + IsRecurring bool `json:"is_recurring"` + // True, if this is the first recurring payment + IsFirstRecurring bool `json:"is_first_recurring"` + // Name of the invoice; may be empty if unknown + InvoiceName string `json:"invoice_name"` +} + +func (entity *MessagePaymentSuccessful) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessagePaymentSuccessful + + return json.Marshal((*stub)(entity)) +} + +func (*MessagePaymentSuccessful) GetClass() string { + return ClassMessageContent +} + +func (*MessagePaymentSuccessful) GetType() string { + return TypeMessagePaymentSuccessful +} + +func (*MessagePaymentSuccessful) MessageContentType() string { + return TypeMessagePaymentSuccessful +} + +// A payment has been received by the bot or the business account +type MessagePaymentSuccessfulBot struct { + meta + // Currency for price of the product + Currency string `json:"currency"` + // Total price for the product, in the smallest units of the currency + TotalAmount int64 `json:"total_amount"` + // Point in time (Unix timestamp) when the subscription will expire; 0 if unknown or the payment isn't recurring + SubscriptionUntilDate int32 `json:"subscription_until_date"` + // True, if this is a recurring payment + IsRecurring bool `json:"is_recurring"` + // True, if this is the first recurring payment + IsFirstRecurring bool `json:"is_first_recurring"` + // Invoice payload + InvoicePayload []byte `json:"invoice_payload"` + // Identifier of the shipping option chosen by the user; may be empty if not applicable; for bots only + ShippingOptionId string `json:"shipping_option_id"` + // Information about the order; may be null; for bots only + OrderInfo *OrderInfo `json:"order_info"` + // Telegram payment identifier + TelegramPaymentChargeId string `json:"telegram_payment_charge_id"` + // Provider payment identifier + ProviderPaymentChargeId string `json:"provider_payment_charge_id"` +} + +func (entity *MessagePaymentSuccessfulBot) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessagePaymentSuccessfulBot + + return json.Marshal((*stub)(entity)) +} + +func (*MessagePaymentSuccessfulBot) GetClass() string { + return ClassMessageContent +} + +func (*MessagePaymentSuccessfulBot) GetType() string { + return TypeMessagePaymentSuccessfulBot +} + +func (*MessagePaymentSuccessfulBot) MessageContentType() string { + return TypeMessagePaymentSuccessfulBot +} + +// A payment has been refunded +type MessagePaymentRefunded struct { + meta + // Identifier of the previous owner of the Telegram Stars that refunds them + OwnerId MessageSender `json:"owner_id"` + // Currency for the price of the product + Currency string `json:"currency"` + // Total price for the product, in the smallest units of the currency + TotalAmount int64 `json:"total_amount"` + // Invoice payload; only for bots + InvoicePayload []byte `json:"invoice_payload"` + // Telegram payment identifier + TelegramPaymentChargeId string `json:"telegram_payment_charge_id"` + // Provider payment identifier + ProviderPaymentChargeId string `json:"provider_payment_charge_id"` +} + +func (entity *MessagePaymentRefunded) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessagePaymentRefunded + + return json.Marshal((*stub)(entity)) +} + +func (*MessagePaymentRefunded) GetClass() string { + return ClassMessageContent +} + +func (*MessagePaymentRefunded) GetType() string { + return TypeMessagePaymentRefunded +} + +func (*MessagePaymentRefunded) MessageContentType() string { + return TypeMessagePaymentRefunded +} + +func (messagePaymentRefunded *MessagePaymentRefunded) UnmarshalJSON(data []byte) error { + var tmp struct { + OwnerId json.RawMessage `json:"owner_id"` + Currency string `json:"currency"` + TotalAmount int64 `json:"total_amount"` + InvoicePayload []byte `json:"invoice_payload"` + TelegramPaymentChargeId string `json:"telegram_payment_charge_id"` + ProviderPaymentChargeId string `json:"provider_payment_charge_id"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + messagePaymentRefunded.Currency = tmp.Currency + messagePaymentRefunded.TotalAmount = tmp.TotalAmount + messagePaymentRefunded.InvoicePayload = tmp.InvoicePayload + messagePaymentRefunded.TelegramPaymentChargeId = tmp.TelegramPaymentChargeId + messagePaymentRefunded.ProviderPaymentChargeId = tmp.ProviderPaymentChargeId + + fieldOwnerId, _ := UnmarshalMessageSender(tmp.OwnerId) + messagePaymentRefunded.OwnerId = fieldOwnerId + + return nil +} + +// Telegram Premium was gifted to a user +type MessageGiftedPremium struct { + meta + // The identifier of a user who gifted Telegram Premium; 0 if the gift was anonymous or is outgoing + GifterUserId int64 `json:"gifter_user_id"` + // The identifier of a user who received Telegram Premium; 0 if the gift is incoming + ReceiverUserId int64 `json:"receiver_user_id"` + // Message added to the gifted Telegram Premium by the sender + Text *FormattedText `json:"text"` + // Currency for the paid amount + Currency string `json:"currency"` + // The paid amount, in the smallest units of the currency + Amount int64 `json:"amount"` + // Cryptocurrency used to pay for the gift; may be empty if none + Cryptocurrency string `json:"cryptocurrency"` + // The paid amount, in the smallest units of the cryptocurrency; 0 if none + CryptocurrencyAmount JsonInt64 `json:"cryptocurrency_amount"` + // Number of months the Telegram Premium subscription will be active after code activation; 0 if the number of months isn't integer + MonthCount int32 `json:"month_count"` + // Number of days the Telegram Premium subscription will be active + DayCount int32 `json:"day_count"` + // A sticker to be shown in the message; may be null if unknown + Sticker *Sticker `json:"sticker"` +} + +func (entity *MessageGiftedPremium) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageGiftedPremium + + return json.Marshal((*stub)(entity)) +} + +func (*MessageGiftedPremium) GetClass() string { + return ClassMessageContent +} + +func (*MessageGiftedPremium) GetType() string { + return TypeMessageGiftedPremium +} + +func (*MessageGiftedPremium) MessageContentType() string { + return TypeMessageGiftedPremium +} + +// A Telegram Premium gift code was created for the user +type MessagePremiumGiftCode struct { + meta + // Identifier of a chat or a user who created the gift code; may be null if unknown + CreatorId MessageSender `json:"creator_id"` + // Message added to the gift + Text *FormattedText `json:"text"` + // True, if the gift code was created for a giveaway + IsFromGiveaway bool `json:"is_from_giveaway"` + // True, if the winner for the corresponding Telegram Premium subscription wasn't chosen + IsUnclaimed bool `json:"is_unclaimed"` + // Currency for the paid amount; empty if unknown + Currency string `json:"currency"` + // The paid amount, in the smallest units of the currency; 0 if unknown + Amount int64 `json:"amount"` + // Cryptocurrency used to pay for the gift; may be empty if none or unknown + Cryptocurrency string `json:"cryptocurrency"` + // The paid amount, in the smallest units of the cryptocurrency; 0 if unknown + CryptocurrencyAmount JsonInt64 `json:"cryptocurrency_amount"` + // Number of months the Telegram Premium subscription will be active after code activation; 0 if the number of months isn't integer + MonthCount int32 `json:"month_count"` + // Number of days the Telegram Premium subscription will be active after code activation + DayCount int32 `json:"day_count"` + // A sticker to be shown in the message; may be null if unknown + Sticker *Sticker `json:"sticker"` + // The gift code + Code string `json:"code"` +} + +func (entity *MessagePremiumGiftCode) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessagePremiumGiftCode + + return json.Marshal((*stub)(entity)) +} + +func (*MessagePremiumGiftCode) GetClass() string { + return ClassMessageContent +} + +func (*MessagePremiumGiftCode) GetType() string { + return TypeMessagePremiumGiftCode +} + +func (*MessagePremiumGiftCode) MessageContentType() string { + return TypeMessagePremiumGiftCode +} + +func (messagePremiumGiftCode *MessagePremiumGiftCode) UnmarshalJSON(data []byte) error { + var tmp struct { + CreatorId json.RawMessage `json:"creator_id"` + Text *FormattedText `json:"text"` + IsFromGiveaway bool `json:"is_from_giveaway"` + IsUnclaimed bool `json:"is_unclaimed"` + Currency string `json:"currency"` + Amount int64 `json:"amount"` + Cryptocurrency string `json:"cryptocurrency"` + CryptocurrencyAmount JsonInt64 `json:"cryptocurrency_amount"` + MonthCount int32 `json:"month_count"` + DayCount int32 `json:"day_count"` + Sticker *Sticker `json:"sticker"` + Code string `json:"code"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + messagePremiumGiftCode.Text = tmp.Text + messagePremiumGiftCode.IsFromGiveaway = tmp.IsFromGiveaway + messagePremiumGiftCode.IsUnclaimed = tmp.IsUnclaimed + messagePremiumGiftCode.Currency = tmp.Currency + messagePremiumGiftCode.Amount = tmp.Amount + messagePremiumGiftCode.Cryptocurrency = tmp.Cryptocurrency + messagePremiumGiftCode.CryptocurrencyAmount = tmp.CryptocurrencyAmount + messagePremiumGiftCode.MonthCount = tmp.MonthCount + messagePremiumGiftCode.DayCount = tmp.DayCount + messagePremiumGiftCode.Sticker = tmp.Sticker + messagePremiumGiftCode.Code = tmp.Code + + fieldCreatorId, _ := UnmarshalMessageSender(tmp.CreatorId) + messagePremiumGiftCode.CreatorId = fieldCreatorId + + return nil +} + +// A giveaway was created for the chat. Use telegramPaymentPurposePremiumGiveaway, storePaymentPurposePremiumGiveaway, telegramPaymentPurposeStarGiveaway, or storePaymentPurposeStarGiveaway to create a giveaway +type MessageGiveawayCreated struct { + meta + // Number of Telegram Stars that will be shared by winners of the giveaway; 0 for Telegram Premium giveaways + StarCount int64 `json:"star_count"` +} + +func (entity *MessageGiveawayCreated) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageGiveawayCreated + + return json.Marshal((*stub)(entity)) +} + +func (*MessageGiveawayCreated) GetClass() string { + return ClassMessageContent +} + +func (*MessageGiveawayCreated) GetType() string { + return TypeMessageGiveawayCreated +} + +func (*MessageGiveawayCreated) MessageContentType() string { + return TypeMessageGiveawayCreated +} + +// A giveaway +type MessageGiveaway struct { + meta + // Giveaway parameters + Parameters *GiveawayParameters `json:"parameters"` + // Number of users which will receive Telegram Premium subscription gift codes + WinnerCount int32 `json:"winner_count"` + // Prize of the giveaway + Prize GiveawayPrize `json:"prize"` + // A sticker to be shown in the message; may be null if unknown + Sticker *Sticker `json:"sticker"` +} + +func (entity *MessageGiveaway) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageGiveaway + + return json.Marshal((*stub)(entity)) +} + +func (*MessageGiveaway) GetClass() string { + return ClassMessageContent +} + +func (*MessageGiveaway) GetType() string { + return TypeMessageGiveaway +} + +func (*MessageGiveaway) MessageContentType() string { + return TypeMessageGiveaway +} + +func (messageGiveaway *MessageGiveaway) UnmarshalJSON(data []byte) error { + var tmp struct { + Parameters *GiveawayParameters `json:"parameters"` + WinnerCount int32 `json:"winner_count"` + Prize json.RawMessage `json:"prize"` + Sticker *Sticker `json:"sticker"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + messageGiveaway.Parameters = tmp.Parameters + messageGiveaway.WinnerCount = tmp.WinnerCount + messageGiveaway.Sticker = tmp.Sticker + + fieldPrize, _ := UnmarshalGiveawayPrize(tmp.Prize) + messageGiveaway.Prize = fieldPrize + + return nil +} + +// A giveaway without public winners has been completed for the chat +type MessageGiveawayCompleted struct { + meta + // Identifier of the message with the giveaway; may be 0 or an identifier of a deleted message + GiveawayMessageId int64 `json:"giveaway_message_id"` + // Number of winners in the giveaway + WinnerCount int32 `json:"winner_count"` + // True, if the giveaway is a Telegram Star giveaway + IsStarGiveaway bool `json:"is_star_giveaway"` + // Number of undistributed prizes; for Telegram Premium giveaways only + UnclaimedPrizeCount int32 `json:"unclaimed_prize_count"` +} + +func (entity *MessageGiveawayCompleted) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageGiveawayCompleted + + return json.Marshal((*stub)(entity)) +} + +func (*MessageGiveawayCompleted) GetClass() string { + return ClassMessageContent +} + +func (*MessageGiveawayCompleted) GetType() string { + return TypeMessageGiveawayCompleted +} + +func (*MessageGiveawayCompleted) MessageContentType() string { + return TypeMessageGiveawayCompleted +} + +// A giveaway with public winners has been completed for the chat +type MessageGiveawayWinners struct { + meta + // Identifier of the supergroup or channel chat, which was automatically boosted by the winners of the giveaway + BoostedChatId int64 `json:"boosted_chat_id"` + // Identifier of the message with the giveaway in the boosted chat + GiveawayMessageId int64 `json:"giveaway_message_id"` + // Number of other chats that participated in the giveaway + AdditionalChatCount int32 `json:"additional_chat_count"` + // Point in time (Unix timestamp) when the winners were selected. May be bigger than winners selection date specified in parameters of the giveaway + ActualWinnersSelectionDate int32 `json:"actual_winners_selection_date"` + // True, if only new members of the chats were eligible for the giveaway + OnlyNewMembers bool `json:"only_new_members"` + // True, if the giveaway was canceled and was fully refunded + WasRefunded bool `json:"was_refunded"` + // Prize of the giveaway + Prize GiveawayPrize `json:"prize"` + // Additional description of the giveaway prize + PrizeDescription string `json:"prize_description"` + // Total number of winners in the giveaway + WinnerCount int32 `json:"winner_count"` + // Up to 100 user identifiers of the winners of the giveaway + WinnerUserIds []int64 `json:"winner_user_ids"` + // Number of undistributed prizes; for Telegram Premium giveaways only + UnclaimedPrizeCount int32 `json:"unclaimed_prize_count"` +} + +func (entity *MessageGiveawayWinners) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageGiveawayWinners + + return json.Marshal((*stub)(entity)) +} + +func (*MessageGiveawayWinners) GetClass() string { + return ClassMessageContent +} + +func (*MessageGiveawayWinners) GetType() string { + return TypeMessageGiveawayWinners +} + +func (*MessageGiveawayWinners) MessageContentType() string { + return TypeMessageGiveawayWinners +} + +func (messageGiveawayWinners *MessageGiveawayWinners) UnmarshalJSON(data []byte) error { + var tmp struct { + BoostedChatId int64 `json:"boosted_chat_id"` + GiveawayMessageId int64 `json:"giveaway_message_id"` + AdditionalChatCount int32 `json:"additional_chat_count"` + ActualWinnersSelectionDate int32 `json:"actual_winners_selection_date"` + OnlyNewMembers bool `json:"only_new_members"` + WasRefunded bool `json:"was_refunded"` + Prize json.RawMessage `json:"prize"` + PrizeDescription string `json:"prize_description"` + WinnerCount int32 `json:"winner_count"` + WinnerUserIds []int64 `json:"winner_user_ids"` + UnclaimedPrizeCount int32 `json:"unclaimed_prize_count"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + messageGiveawayWinners.BoostedChatId = tmp.BoostedChatId + messageGiveawayWinners.GiveawayMessageId = tmp.GiveawayMessageId + messageGiveawayWinners.AdditionalChatCount = tmp.AdditionalChatCount + messageGiveawayWinners.ActualWinnersSelectionDate = tmp.ActualWinnersSelectionDate + messageGiveawayWinners.OnlyNewMembers = tmp.OnlyNewMembers + messageGiveawayWinners.WasRefunded = tmp.WasRefunded + messageGiveawayWinners.PrizeDescription = tmp.PrizeDescription + messageGiveawayWinners.WinnerCount = tmp.WinnerCount + messageGiveawayWinners.WinnerUserIds = tmp.WinnerUserIds + messageGiveawayWinners.UnclaimedPrizeCount = tmp.UnclaimedPrizeCount + + fieldPrize, _ := UnmarshalGiveawayPrize(tmp.Prize) + messageGiveawayWinners.Prize = fieldPrize + + return nil +} + +// Telegram Stars were gifted to a user +type MessageGiftedStars struct { + meta + // The identifier of a user who gifted Telegram Stars; 0 if the gift was anonymous or is outgoing + GifterUserId int64 `json:"gifter_user_id"` + // The identifier of a user who received Telegram Stars; 0 if the gift is incoming + ReceiverUserId int64 `json:"receiver_user_id"` + // Currency for the paid amount + Currency string `json:"currency"` + // The paid amount, in the smallest units of the currency + Amount int64 `json:"amount"` + // Cryptocurrency used to pay for the gift; may be empty if none + Cryptocurrency string `json:"cryptocurrency"` + // The paid amount, in the smallest units of the cryptocurrency; 0 if none + CryptocurrencyAmount JsonInt64 `json:"cryptocurrency_amount"` + // Number of Telegram Stars that were gifted + StarCount int64 `json:"star_count"` + // Identifier of the transaction for Telegram Stars purchase; for receiver only + TransactionId string `json:"transaction_id"` + // A sticker to be shown in the message; may be null if unknown + Sticker *Sticker `json:"sticker"` +} + +func (entity *MessageGiftedStars) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageGiftedStars + + return json.Marshal((*stub)(entity)) +} + +func (*MessageGiftedStars) GetClass() string { + return ClassMessageContent +} + +func (*MessageGiftedStars) GetType() string { + return TypeMessageGiftedStars +} + +func (*MessageGiftedStars) MessageContentType() string { + return TypeMessageGiftedStars +} + +// Toncoins were gifted to a user +type MessageGiftedTon struct { + meta + // The identifier of a user who gifted Toncoins; 0 if the gift was anonymous or is outgoing + GifterUserId int64 `json:"gifter_user_id"` + // The identifier of a user who received Toncoins; 0 if the gift is incoming + ReceiverUserId int64 `json:"receiver_user_id"` + // The received Toncoin amount, in the smallest units of the cryptocurrency + TonAmount int64 `json:"ton_amount"` + // Identifier of the transaction for Toncoin credit; for receiver only + TransactionId string `json:"transaction_id"` + // A sticker to be shown in the message; may be null if unknown + Sticker *Sticker `json:"sticker"` +} + +func (entity *MessageGiftedTon) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageGiftedTon + + return json.Marshal((*stub)(entity)) +} + +func (*MessageGiftedTon) GetClass() string { + return ClassMessageContent +} + +func (*MessageGiftedTon) GetType() string { + return TypeMessageGiftedTon +} + +func (*MessageGiftedTon) MessageContentType() string { + return TypeMessageGiftedTon +} + +// A Telegram Stars were received by the current user from a giveaway +type MessageGiveawayPrizeStars struct { + meta + // Number of Telegram Stars that were received + StarCount int64 `json:"star_count"` + // Identifier of the transaction for Telegram Stars credit + TransactionId string `json:"transaction_id"` + // Identifier of the supergroup or channel chat, which was automatically boosted by the winners of the giveaway + BoostedChatId int64 `json:"boosted_chat_id"` + // Identifier of the message with the giveaway in the boosted chat; may be 0 or an identifier of a deleted message + GiveawayMessageId int64 `json:"giveaway_message_id"` + // True, if the corresponding winner wasn't chosen and the Telegram Stars were received by the owner of the boosted chat + IsUnclaimed bool `json:"is_unclaimed"` + // A sticker to be shown in the message; may be null if unknown + Sticker *Sticker `json:"sticker"` +} + +func (entity *MessageGiveawayPrizeStars) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageGiveawayPrizeStars + + return json.Marshal((*stub)(entity)) +} + +func (*MessageGiveawayPrizeStars) GetClass() string { + return ClassMessageContent +} + +func (*MessageGiveawayPrizeStars) GetType() string { + return TypeMessageGiveawayPrizeStars +} + +func (*MessageGiveawayPrizeStars) MessageContentType() string { + return TypeMessageGiveawayPrizeStars +} + +// A regular gift was received or sent by the current user, or the current user was notified about a channel gift +type MessageGift struct { + meta + // The gift + Gift *Gift `json:"gift"` + // Sender of the gift; may be null for outgoing messages about prepaid upgrade of gifts from unknown users + SenderId MessageSender `json:"sender_id"` + // Receiver of the gift + ReceiverId MessageSender `json:"receiver_id"` + // Unique identifier of the received gift for the current user; only for the receiver of the gift + ReceivedGiftId string `json:"received_gift_id"` + // Message added to the gift + Text *FormattedText `json:"text"` + // Unique number of the gift among gifts upgraded from the same gift after upgrade; 0 if yet unassigned + UniqueGiftNumber int32 `json:"unique_gift_number"` + // Number of Telegram Stars that can be claimed by the receiver instead of the regular gift; 0 if the gift can't be sold by the receiver + SellStarCount int64 `json:"sell_star_count"` + // Number of Telegram Stars that were paid by the sender for the ability to upgrade the gift + PrepaidUpgradeStarCount int64 `json:"prepaid_upgrade_star_count"` + // True, if the upgrade was bought after the gift was sent. In this case, prepaid upgrade cost must not be added to the gift cost + IsUpgradeSeparate bool `json:"is_upgrade_separate"` + // True, if the message is a notification about a gift won on an auction + IsFromAuction bool `json:"is_from_auction"` + // True, if the sender and gift text are shown only to the gift receiver; otherwise, everyone will be able to see them + IsPrivate bool `json:"is_private"` + // True, if the gift is displayed on the user's or the channel's profile page; only for the receiver of the gift + IsSaved bool `json:"is_saved"` + // True, if the message is about prepaid upgrade of the gift by another user + IsPrepaidUpgrade bool `json:"is_prepaid_upgrade"` + // True, if the gift can be upgraded to a unique gift; only for the receiver of the gift + CanBeUpgraded bool `json:"can_be_upgraded"` + // True, if the gift was converted to Telegram Stars; only for the receiver of the gift + WasConverted bool `json:"was_converted"` + // True, if the gift was upgraded to a unique gift + WasUpgraded bool `json:"was_upgraded"` + // True, if the gift was refunded and isn't available anymore + WasRefunded bool `json:"was_refunded"` + // Identifier of the corresponding upgraded gift; may be empty if unknown. Use getReceivedGift to get information about the gift + UpgradedReceivedGiftId string `json:"upgraded_received_gift_id"` + // If non-empty, then the user can pay for an upgrade of the gift using buyGiftUpgrade + PrepaidUpgradeHash string `json:"prepaid_upgrade_hash"` +} + +func (entity *MessageGift) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageGift + + return json.Marshal((*stub)(entity)) +} + +func (*MessageGift) GetClass() string { + return ClassMessageContent +} + +func (*MessageGift) GetType() string { + return TypeMessageGift +} + +func (*MessageGift) MessageContentType() string { + return TypeMessageGift +} + +func (messageGift *MessageGift) UnmarshalJSON(data []byte) error { + var tmp struct { + Gift *Gift `json:"gift"` + SenderId json.RawMessage `json:"sender_id"` + ReceiverId json.RawMessage `json:"receiver_id"` + ReceivedGiftId string `json:"received_gift_id"` + Text *FormattedText `json:"text"` + UniqueGiftNumber int32 `json:"unique_gift_number"` + SellStarCount int64 `json:"sell_star_count"` + PrepaidUpgradeStarCount int64 `json:"prepaid_upgrade_star_count"` + IsUpgradeSeparate bool `json:"is_upgrade_separate"` + IsFromAuction bool `json:"is_from_auction"` + IsPrivate bool `json:"is_private"` + IsSaved bool `json:"is_saved"` + IsPrepaidUpgrade bool `json:"is_prepaid_upgrade"` + CanBeUpgraded bool `json:"can_be_upgraded"` + WasConverted bool `json:"was_converted"` + WasUpgraded bool `json:"was_upgraded"` + WasRefunded bool `json:"was_refunded"` + UpgradedReceivedGiftId string `json:"upgraded_received_gift_id"` + PrepaidUpgradeHash string `json:"prepaid_upgrade_hash"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + messageGift.Gift = tmp.Gift + messageGift.ReceivedGiftId = tmp.ReceivedGiftId + messageGift.Text = tmp.Text + messageGift.UniqueGiftNumber = tmp.UniqueGiftNumber + messageGift.SellStarCount = tmp.SellStarCount + messageGift.PrepaidUpgradeStarCount = tmp.PrepaidUpgradeStarCount + messageGift.IsUpgradeSeparate = tmp.IsUpgradeSeparate + messageGift.IsFromAuction = tmp.IsFromAuction + messageGift.IsPrivate = tmp.IsPrivate + messageGift.IsSaved = tmp.IsSaved + messageGift.IsPrepaidUpgrade = tmp.IsPrepaidUpgrade + messageGift.CanBeUpgraded = tmp.CanBeUpgraded + messageGift.WasConverted = tmp.WasConverted + messageGift.WasUpgraded = tmp.WasUpgraded + messageGift.WasRefunded = tmp.WasRefunded + messageGift.UpgradedReceivedGiftId = tmp.UpgradedReceivedGiftId + messageGift.PrepaidUpgradeHash = tmp.PrepaidUpgradeHash + + fieldSenderId, _ := UnmarshalMessageSender(tmp.SenderId) + messageGift.SenderId = fieldSenderId + + fieldReceiverId, _ := UnmarshalMessageSender(tmp.ReceiverId) + messageGift.ReceiverId = fieldReceiverId + + return nil +} + +// An upgraded gift was received or sent by the current user, or the current user was notified about a channel gift +type MessageUpgradedGift struct { + meta + // The gift + Gift *UpgradedGift `json:"gift"` + // Sender of the gift; may be null for anonymous gifts + SenderId MessageSender `json:"sender_id"` + // Receiver of the gift + ReceiverId MessageSender `json:"receiver_id"` + // Origin of the upgraded gift + Origin UpgradedGiftOrigin `json:"origin"` + // Unique identifier of the received gift for the current user; only for the receiver of the gift + ReceivedGiftId string `json:"received_gift_id"` + // True, if the gift is displayed on the user's or the channel's profile page; only for the receiver of the gift + IsSaved bool `json:"is_saved"` + // True, if the gift can be transferred to another owner; only for the receiver of the gift + CanBeTransferred bool `json:"can_be_transferred"` + // True, if the gift has already been transferred to another owner; only for the receiver of the gift + WasTransferred bool `json:"was_transferred"` + // Number of Telegram Stars that must be paid to transfer the upgraded gift; only for the receiver of the gift + TransferStarCount int64 `json:"transfer_star_count"` + // Number of Telegram Stars that must be paid to drop original details of the upgraded gift; 0 if not available; only for the receiver of the gift + DropOriginalDetailsStarCount int64 `json:"drop_original_details_star_count"` + // Point in time (Unix timestamp) when the gift can be transferred to another owner; can be in the past; 0 if the gift can be transferred immediately or transfer isn't possible; only for the receiver of the gift + NextTransferDate int32 `json:"next_transfer_date"` + // Point in time (Unix timestamp) when the gift can be resold to another user; can be in the past; 0 if the gift can't be resold; only for the receiver of the gift + NextResaleDate int32 `json:"next_resale_date"` + // Point in time (Unix timestamp) when the gift can be transferred to the TON blockchain as an NFT; can be in the past; 0 if NFT export isn't possible; only for the receiver of the gift + ExportDate int32 `json:"export_date"` + // Point in time (Unix timestamp) when the gift can be used to craft another gift can be in the past; only for the receiver of the gift + CraftDate int32 `json:"craft_date"` +} + +func (entity *MessageUpgradedGift) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageUpgradedGift + + return json.Marshal((*stub)(entity)) +} + +func (*MessageUpgradedGift) GetClass() string { + return ClassMessageContent +} + +func (*MessageUpgradedGift) GetType() string { + return TypeMessageUpgradedGift +} + +func (*MessageUpgradedGift) MessageContentType() string { + return TypeMessageUpgradedGift +} + +func (messageUpgradedGift *MessageUpgradedGift) UnmarshalJSON(data []byte) error { + var tmp struct { + Gift *UpgradedGift `json:"gift"` + SenderId json.RawMessage `json:"sender_id"` + ReceiverId json.RawMessage `json:"receiver_id"` + Origin json.RawMessage `json:"origin"` + ReceivedGiftId string `json:"received_gift_id"` + IsSaved bool `json:"is_saved"` + CanBeTransferred bool `json:"can_be_transferred"` + WasTransferred bool `json:"was_transferred"` + TransferStarCount int64 `json:"transfer_star_count"` + DropOriginalDetailsStarCount int64 `json:"drop_original_details_star_count"` + NextTransferDate int32 `json:"next_transfer_date"` + NextResaleDate int32 `json:"next_resale_date"` + ExportDate int32 `json:"export_date"` + CraftDate int32 `json:"craft_date"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + messageUpgradedGift.Gift = tmp.Gift + messageUpgradedGift.ReceivedGiftId = tmp.ReceivedGiftId + messageUpgradedGift.IsSaved = tmp.IsSaved + messageUpgradedGift.CanBeTransferred = tmp.CanBeTransferred + messageUpgradedGift.WasTransferred = tmp.WasTransferred + messageUpgradedGift.TransferStarCount = tmp.TransferStarCount + messageUpgradedGift.DropOriginalDetailsStarCount = tmp.DropOriginalDetailsStarCount + messageUpgradedGift.NextTransferDate = tmp.NextTransferDate + messageUpgradedGift.NextResaleDate = tmp.NextResaleDate + messageUpgradedGift.ExportDate = tmp.ExportDate + messageUpgradedGift.CraftDate = tmp.CraftDate + + fieldSenderId, _ := UnmarshalMessageSender(tmp.SenderId) + messageUpgradedGift.SenderId = fieldSenderId + + fieldReceiverId, _ := UnmarshalMessageSender(tmp.ReceiverId) + messageUpgradedGift.ReceiverId = fieldReceiverId + + fieldOrigin, _ := UnmarshalUpgradedGiftOrigin(tmp.Origin) + messageUpgradedGift.Origin = fieldOrigin + + return nil +} + +// A gift which purchase, upgrade or transfer were refunded +type MessageRefundedUpgradedGift struct { + meta + // The gift + Gift *Gift `json:"gift"` + // Sender of the gift + SenderId MessageSender `json:"sender_id"` + // Receiver of the gift + ReceiverId MessageSender `json:"receiver_id"` + // Origin of the upgraded gift + Origin UpgradedGiftOrigin `json:"origin"` +} + +func (entity *MessageRefundedUpgradedGift) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageRefundedUpgradedGift + + return json.Marshal((*stub)(entity)) +} + +func (*MessageRefundedUpgradedGift) GetClass() string { + return ClassMessageContent +} + +func (*MessageRefundedUpgradedGift) GetType() string { + return TypeMessageRefundedUpgradedGift +} + +func (*MessageRefundedUpgradedGift) MessageContentType() string { + return TypeMessageRefundedUpgradedGift +} + +func (messageRefundedUpgradedGift *MessageRefundedUpgradedGift) UnmarshalJSON(data []byte) error { + var tmp struct { + Gift *Gift `json:"gift"` + SenderId json.RawMessage `json:"sender_id"` + ReceiverId json.RawMessage `json:"receiver_id"` + Origin json.RawMessage `json:"origin"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + messageRefundedUpgradedGift.Gift = tmp.Gift + + fieldSenderId, _ := UnmarshalMessageSender(tmp.SenderId) + messageRefundedUpgradedGift.SenderId = fieldSenderId + + fieldReceiverId, _ := UnmarshalMessageSender(tmp.ReceiverId) + messageRefundedUpgradedGift.ReceiverId = fieldReceiverId + + fieldOrigin, _ := UnmarshalUpgradedGiftOrigin(tmp.Origin) + messageRefundedUpgradedGift.Origin = fieldOrigin + + return nil +} + +// An offer to purchase an upgraded gift was sent or received +type MessageUpgradedGiftPurchaseOffer struct { + meta + // The gift + Gift *UpgradedGift `json:"gift"` + // State of the offer + State GiftPurchaseOfferState `json:"state"` + // The proposed price + Price GiftResalePrice `json:"price"` + // Point in time (Unix timestamp) when the offer will expire or has expired + ExpirationDate int32 `json:"expiration_date"` +} + +func (entity *MessageUpgradedGiftPurchaseOffer) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageUpgradedGiftPurchaseOffer + + return json.Marshal((*stub)(entity)) +} + +func (*MessageUpgradedGiftPurchaseOffer) GetClass() string { + return ClassMessageContent +} + +func (*MessageUpgradedGiftPurchaseOffer) GetType() string { + return TypeMessageUpgradedGiftPurchaseOffer +} + +func (*MessageUpgradedGiftPurchaseOffer) MessageContentType() string { + return TypeMessageUpgradedGiftPurchaseOffer +} + +func (messageUpgradedGiftPurchaseOffer *MessageUpgradedGiftPurchaseOffer) UnmarshalJSON(data []byte) error { + var tmp struct { + Gift *UpgradedGift `json:"gift"` + State json.RawMessage `json:"state"` + Price json.RawMessage `json:"price"` + ExpirationDate int32 `json:"expiration_date"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + messageUpgradedGiftPurchaseOffer.Gift = tmp.Gift + messageUpgradedGiftPurchaseOffer.ExpirationDate = tmp.ExpirationDate + + fieldState, _ := UnmarshalGiftPurchaseOfferState(tmp.State) + messageUpgradedGiftPurchaseOffer.State = fieldState + + fieldPrice, _ := UnmarshalGiftResalePrice(tmp.Price) + messageUpgradedGiftPurchaseOffer.Price = fieldPrice + + return nil +} + +// An offer to purchase a gift was rejected or expired +type MessageUpgradedGiftPurchaseOfferRejected struct { + meta + // The gift + Gift *UpgradedGift `json:"gift"` + // The proposed price + Price GiftResalePrice `json:"price"` + // Identifier of the message with purchase offer which was rejected or expired; may be 0 or an identifier of a deleted message + OfferMessageId int64 `json:"offer_message_id"` + // True, if the offer has expired; otherwise, the offer was explicitly rejected + WasExpired bool `json:"was_expired"` +} + +func (entity *MessageUpgradedGiftPurchaseOfferRejected) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageUpgradedGiftPurchaseOfferRejected + + return json.Marshal((*stub)(entity)) +} + +func (*MessageUpgradedGiftPurchaseOfferRejected) GetClass() string { + return ClassMessageContent +} + +func (*MessageUpgradedGiftPurchaseOfferRejected) GetType() string { + return TypeMessageUpgradedGiftPurchaseOfferRejected +} + +func (*MessageUpgradedGiftPurchaseOfferRejected) MessageContentType() string { + return TypeMessageUpgradedGiftPurchaseOfferRejected +} + +func (messageUpgradedGiftPurchaseOfferRejected *MessageUpgradedGiftPurchaseOfferRejected) UnmarshalJSON(data []byte) error { + var tmp struct { + Gift *UpgradedGift `json:"gift"` + Price json.RawMessage `json:"price"` + OfferMessageId int64 `json:"offer_message_id"` + WasExpired bool `json:"was_expired"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + messageUpgradedGiftPurchaseOfferRejected.Gift = tmp.Gift + messageUpgradedGiftPurchaseOfferRejected.OfferMessageId = tmp.OfferMessageId + messageUpgradedGiftPurchaseOfferRejected.WasExpired = tmp.WasExpired + + fieldPrice, _ := UnmarshalGiftResalePrice(tmp.Price) + messageUpgradedGiftPurchaseOfferRejected.Price = fieldPrice + + return nil +} + +// Paid messages were refunded +type MessagePaidMessagesRefunded struct { + meta + // The number of refunded messages + MessageCount int32 `json:"message_count"` + // The number of refunded Telegram Stars + StarCount int64 `json:"star_count"` +} + +func (entity *MessagePaidMessagesRefunded) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessagePaidMessagesRefunded + + return json.Marshal((*stub)(entity)) +} + +func (*MessagePaidMessagesRefunded) GetClass() string { + return ClassMessageContent +} + +func (*MessagePaidMessagesRefunded) GetType() string { + return TypeMessagePaidMessagesRefunded +} + +func (*MessagePaidMessagesRefunded) MessageContentType() string { + return TypeMessagePaidMessagesRefunded +} + +// A price for paid messages was changed in the supergroup chat +type MessagePaidMessagePriceChanged struct { + meta + // The new number of Telegram Stars that must be paid by non-administrator users of the supergroup chat for each sent message + PaidMessageStarCount int64 `json:"paid_message_star_count"` +} + +func (entity *MessagePaidMessagePriceChanged) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessagePaidMessagePriceChanged + + return json.Marshal((*stub)(entity)) +} + +func (*MessagePaidMessagePriceChanged) GetClass() string { + return ClassMessageContent +} + +func (*MessagePaidMessagePriceChanged) GetType() string { + return TypeMessagePaidMessagePriceChanged +} + +func (*MessagePaidMessagePriceChanged) MessageContentType() string { + return TypeMessagePaidMessagePriceChanged +} + +// A price for direct messages was changed in the channel chat +type MessageDirectMessagePriceChanged struct { + meta + // True, if direct messages group was enabled for the channel; false otherwise + IsEnabled bool `json:"is_enabled"` + // The new number of Telegram Stars that must be paid by non-administrator users of the channel chat for each message sent to the direct messages group; 0 if the direct messages group was disabled or the messages are free + PaidMessageStarCount int64 `json:"paid_message_star_count"` +} + +func (entity *MessageDirectMessagePriceChanged) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageDirectMessagePriceChanged + + return json.Marshal((*stub)(entity)) +} + +func (*MessageDirectMessagePriceChanged) GetClass() string { + return ClassMessageContent +} + +func (*MessageDirectMessagePriceChanged) GetType() string { + return TypeMessageDirectMessagePriceChanged +} + +func (*MessageDirectMessagePriceChanged) MessageContentType() string { + return TypeMessageDirectMessagePriceChanged +} + +// Some tasks from a checklist were marked as done or not done +type MessageChecklistTasksDone struct { + meta + // Identifier of the message with the checklist; may be 0 or an identifier of a deleted message + ChecklistMessageId int64 `json:"checklist_message_id"` + // Identifiers of tasks that were marked as done + MarkedAsDoneTaskIds []int32 `json:"marked_as_done_task_ids"` + // Identifiers of tasks that were marked as not done + MarkedAsNotDoneTaskIds []int32 `json:"marked_as_not_done_task_ids"` +} + +func (entity *MessageChecklistTasksDone) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageChecklistTasksDone + + return json.Marshal((*stub)(entity)) +} + +func (*MessageChecklistTasksDone) GetClass() string { + return ClassMessageContent +} + +func (*MessageChecklistTasksDone) GetType() string { + return TypeMessageChecklistTasksDone +} + +func (*MessageChecklistTasksDone) MessageContentType() string { + return TypeMessageChecklistTasksDone +} + +// Some tasks were added to a checklist +type MessageChecklistTasksAdded struct { + meta + // Identifier of the message with the checklist; may be 0 or an identifier of a deleted message + ChecklistMessageId int64 `json:"checklist_message_id"` + // List of tasks added to the checklist + Tasks []*ChecklistTask `json:"tasks"` +} + +func (entity *MessageChecklistTasksAdded) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageChecklistTasksAdded + + return json.Marshal((*stub)(entity)) +} + +func (*MessageChecklistTasksAdded) GetClass() string { + return ClassMessageContent +} + +func (*MessageChecklistTasksAdded) GetType() string { + return TypeMessageChecklistTasksAdded +} + +func (*MessageChecklistTasksAdded) MessageContentType() string { + return TypeMessageChecklistTasksAdded +} + +// Approval of suggested post has failed, because the user which proposed the post had no enough funds +type MessageSuggestedPostApprovalFailed struct { + meta + // Identifier of the message with the suggested post; may be 0 or an identifier of a deleted message + SuggestedPostMessageId int64 `json:"suggested_post_message_id"` + // Price of the suggested post + Price SuggestedPostPrice `json:"price"` +} + +func (entity *MessageSuggestedPostApprovalFailed) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageSuggestedPostApprovalFailed + + return json.Marshal((*stub)(entity)) +} + +func (*MessageSuggestedPostApprovalFailed) GetClass() string { + return ClassMessageContent +} + +func (*MessageSuggestedPostApprovalFailed) GetType() string { + return TypeMessageSuggestedPostApprovalFailed +} + +func (*MessageSuggestedPostApprovalFailed) MessageContentType() string { + return TypeMessageSuggestedPostApprovalFailed +} + +func (messageSuggestedPostApprovalFailed *MessageSuggestedPostApprovalFailed) UnmarshalJSON(data []byte) error { + var tmp struct { + SuggestedPostMessageId int64 `json:"suggested_post_message_id"` + Price json.RawMessage `json:"price"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + messageSuggestedPostApprovalFailed.SuggestedPostMessageId = tmp.SuggestedPostMessageId + + fieldPrice, _ := UnmarshalSuggestedPostPrice(tmp.Price) + messageSuggestedPostApprovalFailed.Price = fieldPrice + + return nil +} + +// A suggested post was approved +type MessageSuggestedPostApproved struct { + meta + // Identifier of the message with the suggested post; may be 0 or an identifier of a deleted message + SuggestedPostMessageId int64 `json:"suggested_post_message_id"` + // Price of the suggested post; may be null if the post is non-paid + Price SuggestedPostPrice `json:"price"` + // Point in time (Unix timestamp) when the post is expected to be published + SendDate int32 `json:"send_date"` +} + +func (entity *MessageSuggestedPostApproved) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageSuggestedPostApproved + + return json.Marshal((*stub)(entity)) +} + +func (*MessageSuggestedPostApproved) GetClass() string { + return ClassMessageContent +} + +func (*MessageSuggestedPostApproved) GetType() string { + return TypeMessageSuggestedPostApproved +} + +func (*MessageSuggestedPostApproved) MessageContentType() string { + return TypeMessageSuggestedPostApproved +} + +func (messageSuggestedPostApproved *MessageSuggestedPostApproved) UnmarshalJSON(data []byte) error { + var tmp struct { + SuggestedPostMessageId int64 `json:"suggested_post_message_id"` + Price json.RawMessage `json:"price"` + SendDate int32 `json:"send_date"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + messageSuggestedPostApproved.SuggestedPostMessageId = tmp.SuggestedPostMessageId + messageSuggestedPostApproved.SendDate = tmp.SendDate + + fieldPrice, _ := UnmarshalSuggestedPostPrice(tmp.Price) + messageSuggestedPostApproved.Price = fieldPrice + + return nil +} + +// A suggested post was declined +type MessageSuggestedPostDeclined struct { + meta + // Identifier of the message with the suggested post; may be 0 or an identifier of a deleted message + SuggestedPostMessageId int64 `json:"suggested_post_message_id"` + // Comment added by administrator of the channel when the post was declined + Comment string `json:"comment"` +} + +func (entity *MessageSuggestedPostDeclined) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageSuggestedPostDeclined + + return json.Marshal((*stub)(entity)) +} + +func (*MessageSuggestedPostDeclined) GetClass() string { + return ClassMessageContent +} + +func (*MessageSuggestedPostDeclined) GetType() string { + return TypeMessageSuggestedPostDeclined +} + +func (*MessageSuggestedPostDeclined) MessageContentType() string { + return TypeMessageSuggestedPostDeclined +} + +// A suggested post was published for getOption("suggested_post_lifetime_min") seconds and payment for the post was received +type MessageSuggestedPostPaid struct { + meta + // Identifier of the message with the suggested post; may be 0 or an identifier of a deleted message + SuggestedPostMessageId int64 `json:"suggested_post_message_id"` + // The amount of received Telegram Stars + StarAmount *StarAmount `json:"star_amount"` + // The amount of received Toncoins; in the smallest units of the cryptocurrency + TonAmount int64 `json:"ton_amount"` +} + +func (entity *MessageSuggestedPostPaid) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageSuggestedPostPaid + + return json.Marshal((*stub)(entity)) +} + +func (*MessageSuggestedPostPaid) GetClass() string { + return ClassMessageContent +} + +func (*MessageSuggestedPostPaid) GetType() string { + return TypeMessageSuggestedPostPaid +} + +func (*MessageSuggestedPostPaid) MessageContentType() string { + return TypeMessageSuggestedPostPaid +} + +// A suggested post was refunded +type MessageSuggestedPostRefunded struct { + meta + // Identifier of the message with the suggested post; may be 0 or an identifier of a deleted message + SuggestedPostMessageId int64 `json:"suggested_post_message_id"` + // Reason of the refund + Reason SuggestedPostRefundReason `json:"reason"` +} + +func (entity *MessageSuggestedPostRefunded) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageSuggestedPostRefunded + + return json.Marshal((*stub)(entity)) +} + +func (*MessageSuggestedPostRefunded) GetClass() string { + return ClassMessageContent +} + +func (*MessageSuggestedPostRefunded) GetType() string { + return TypeMessageSuggestedPostRefunded +} + +func (*MessageSuggestedPostRefunded) MessageContentType() string { + return TypeMessageSuggestedPostRefunded +} + +func (messageSuggestedPostRefunded *MessageSuggestedPostRefunded) UnmarshalJSON(data []byte) error { + var tmp struct { + SuggestedPostMessageId int64 `json:"suggested_post_message_id"` + Reason json.RawMessage `json:"reason"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + messageSuggestedPostRefunded.SuggestedPostMessageId = tmp.SuggestedPostMessageId + + fieldReason, _ := UnmarshalSuggestedPostRefundReason(tmp.Reason) + messageSuggestedPostRefunded.Reason = fieldReason + + return nil +} + +// A contact has registered with Telegram +type MessageContactRegistered struct{ + meta +} + +func (entity *MessageContactRegistered) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageContactRegistered + + return json.Marshal((*stub)(entity)) +} + +func (*MessageContactRegistered) GetClass() string { + return ClassMessageContent +} + +func (*MessageContactRegistered) GetType() string { + return TypeMessageContactRegistered +} + +func (*MessageContactRegistered) MessageContentType() string { + return TypeMessageContactRegistered +} + +// The current user shared users, which were requested by the bot +type MessageUsersShared struct { + meta + // The shared users + Users []*SharedUser `json:"users"` + // Identifier of the keyboard button with the request + ButtonId int32 `json:"button_id"` +} + +func (entity *MessageUsersShared) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageUsersShared + + return json.Marshal((*stub)(entity)) +} + +func (*MessageUsersShared) GetClass() string { + return ClassMessageContent +} + +func (*MessageUsersShared) GetType() string { + return TypeMessageUsersShared +} + +func (*MessageUsersShared) MessageContentType() string { + return TypeMessageUsersShared +} + +// The current user shared a chat, which was requested by the bot +type MessageChatShared struct { + meta + // The shared chat + Chat *SharedChat `json:"chat"` + // Identifier of the keyboard button with the request + ButtonId int32 `json:"button_id"` +} + +func (entity *MessageChatShared) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageChatShared + + return json.Marshal((*stub)(entity)) +} + +func (*MessageChatShared) GetClass() string { + return ClassMessageContent +} + +func (*MessageChatShared) GetType() string { + return TypeMessageChatShared +} + +func (*MessageChatShared) MessageContentType() string { + return TypeMessageChatShared +} + +// The user allowed the bot to send messages +type MessageBotWriteAccessAllowed struct { + meta + // The reason why the bot was allowed to write messages + Reason BotWriteAccessAllowReason `json:"reason"` +} + +func (entity *MessageBotWriteAccessAllowed) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageBotWriteAccessAllowed + + return json.Marshal((*stub)(entity)) +} + +func (*MessageBotWriteAccessAllowed) GetClass() string { + return ClassMessageContent +} + +func (*MessageBotWriteAccessAllowed) GetType() string { + return TypeMessageBotWriteAccessAllowed +} + +func (*MessageBotWriteAccessAllowed) MessageContentType() string { + return TypeMessageBotWriteAccessAllowed +} + +func (messageBotWriteAccessAllowed *MessageBotWriteAccessAllowed) UnmarshalJSON(data []byte) error { + var tmp struct { + Reason json.RawMessage `json:"reason"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldReason, _ := UnmarshalBotWriteAccessAllowReason(tmp.Reason) + messageBotWriteAccessAllowed.Reason = fieldReason + + return nil +} + +// Data from a Web App has been sent to a bot +type MessageWebAppDataSent struct { + meta + // Text of the keyboardButtonTypeWebApp button, which opened the Web App + ButtonText string `json:"button_text"` +} + +func (entity *MessageWebAppDataSent) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageWebAppDataSent + + return json.Marshal((*stub)(entity)) +} + +func (*MessageWebAppDataSent) GetClass() string { + return ClassMessageContent +} + +func (*MessageWebAppDataSent) GetType() string { + return TypeMessageWebAppDataSent +} + +func (*MessageWebAppDataSent) MessageContentType() string { + return TypeMessageWebAppDataSent +} + +// Data from a Web App has been received; for bots only +type MessageWebAppDataReceived struct { + meta + // Text of the keyboardButtonTypeWebApp button, which opened the Web App + ButtonText string `json:"button_text"` + // The data + Data string `json:"data"` +} + +func (entity *MessageWebAppDataReceived) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageWebAppDataReceived + + return json.Marshal((*stub)(entity)) +} + +func (*MessageWebAppDataReceived) GetClass() string { + return ClassMessageContent +} + +func (*MessageWebAppDataReceived) GetType() string { + return TypeMessageWebAppDataReceived +} + +func (*MessageWebAppDataReceived) MessageContentType() string { + return TypeMessageWebAppDataReceived +} + +// Telegram Passport data has been sent to a bot +type MessagePassportDataSent struct { + meta + // List of Telegram Passport element types sent + Types []PassportElementType `json:"types"` +} + +func (entity *MessagePassportDataSent) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessagePassportDataSent + + return json.Marshal((*stub)(entity)) +} + +func (*MessagePassportDataSent) GetClass() string { + return ClassMessageContent +} + +func (*MessagePassportDataSent) GetType() string { + return TypeMessagePassportDataSent +} + +func (*MessagePassportDataSent) MessageContentType() string { + return TypeMessagePassportDataSent +} + +func (messagePassportDataSent *MessagePassportDataSent) UnmarshalJSON(data []byte) error { + var tmp struct { + Types []json.RawMessage `json:"types"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldTypes, _ := UnmarshalListOfPassportElementType(tmp.Types) + messagePassportDataSent.Types = fieldTypes + + return nil +} + +// Telegram Passport data has been received; for bots only +type MessagePassportDataReceived struct { + meta + // List of received Telegram Passport elements + Elements []*EncryptedPassportElement `json:"elements"` + // Encrypted data credentials + Credentials *EncryptedCredentials `json:"credentials"` +} + +func (entity *MessagePassportDataReceived) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessagePassportDataReceived + + return json.Marshal((*stub)(entity)) +} + +func (*MessagePassportDataReceived) GetClass() string { + return ClassMessageContent +} + +func (*MessagePassportDataReceived) GetType() string { + return TypeMessagePassportDataReceived +} + +func (*MessagePassportDataReceived) MessageContentType() string { + return TypeMessagePassportDataReceived +} + +// A user in the chat came within proximity alert range +type MessageProximityAlertTriggered struct { + meta + // The identifier of a user or chat that triggered the proximity alert + TravelerId MessageSender `json:"traveler_id"` + // The identifier of a user or chat that subscribed for the proximity alert + WatcherId MessageSender `json:"watcher_id"` + // The distance between the users + Distance int32 `json:"distance"` +} + +func (entity *MessageProximityAlertTriggered) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageProximityAlertTriggered + + return json.Marshal((*stub)(entity)) +} + +func (*MessageProximityAlertTriggered) GetClass() string { + return ClassMessageContent +} + +func (*MessageProximityAlertTriggered) GetType() string { + return TypeMessageProximityAlertTriggered +} + +func (*MessageProximityAlertTriggered) MessageContentType() string { + return TypeMessageProximityAlertTriggered +} + +func (messageProximityAlertTriggered *MessageProximityAlertTriggered) UnmarshalJSON(data []byte) error { + var tmp struct { + TravelerId json.RawMessage `json:"traveler_id"` + WatcherId json.RawMessage `json:"watcher_id"` + Distance int32 `json:"distance"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + messageProximityAlertTriggered.Distance = tmp.Distance + + fieldTravelerId, _ := UnmarshalMessageSender(tmp.TravelerId) + messageProximityAlertTriggered.TravelerId = fieldTravelerId + + fieldWatcherId, _ := UnmarshalMessageSender(tmp.WatcherId) + messageProximityAlertTriggered.WatcherId = fieldWatcherId + + return nil +} + +// A message content that is not supported in the current TDLib version +type MessageUnsupported struct{ + meta +} + +func (entity *MessageUnsupported) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageUnsupported + + return json.Marshal((*stub)(entity)) +} + +func (*MessageUnsupported) GetClass() string { + return ClassMessageContent +} + +func (*MessageUnsupported) GetType() string { + return TypeMessageUnsupported +} + +func (*MessageUnsupported) MessageContentType() string { + return TypeMessageUnsupported +} + +// A mention of a user, a supergroup, or a channel by their username +type TextEntityTypeMention struct{ + meta +} + +func (entity *TextEntityTypeMention) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TextEntityTypeMention + + return json.Marshal((*stub)(entity)) +} + +func (*TextEntityTypeMention) GetClass() string { + return ClassTextEntityType +} + +func (*TextEntityTypeMention) GetType() string { + return TypeTextEntityTypeMention +} + +func (*TextEntityTypeMention) TextEntityTypeType() string { + return TypeTextEntityTypeMention +} + +// A hashtag text, beginning with "#" and optionally containing a chat username at the end +type TextEntityTypeHashtag struct{ + meta +} + +func (entity *TextEntityTypeHashtag) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TextEntityTypeHashtag + + return json.Marshal((*stub)(entity)) +} + +func (*TextEntityTypeHashtag) GetClass() string { + return ClassTextEntityType +} + +func (*TextEntityTypeHashtag) GetType() string { + return TypeTextEntityTypeHashtag +} + +func (*TextEntityTypeHashtag) TextEntityTypeType() string { + return TypeTextEntityTypeHashtag +} + +// A cashtag text, beginning with "$", consisting of capital English letters (e.g., "$USD"), and optionally containing a chat username at the end +type TextEntityTypeCashtag struct{ + meta +} + +func (entity *TextEntityTypeCashtag) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TextEntityTypeCashtag + + return json.Marshal((*stub)(entity)) +} + +func (*TextEntityTypeCashtag) GetClass() string { + return ClassTextEntityType +} + +func (*TextEntityTypeCashtag) GetType() string { + return TypeTextEntityTypeCashtag +} + +func (*TextEntityTypeCashtag) TextEntityTypeType() string { + return TypeTextEntityTypeCashtag +} + +// A bot command, beginning with "/" +type TextEntityTypeBotCommand struct{ + meta +} + +func (entity *TextEntityTypeBotCommand) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TextEntityTypeBotCommand + + return json.Marshal((*stub)(entity)) +} + +func (*TextEntityTypeBotCommand) GetClass() string { + return ClassTextEntityType +} + +func (*TextEntityTypeBotCommand) GetType() string { + return TypeTextEntityTypeBotCommand +} + +func (*TextEntityTypeBotCommand) TextEntityTypeType() string { + return TypeTextEntityTypeBotCommand +} + +// An HTTP URL +type TextEntityTypeUrl struct{ + meta +} + +func (entity *TextEntityTypeUrl) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TextEntityTypeUrl + + return json.Marshal((*stub)(entity)) +} + +func (*TextEntityTypeUrl) GetClass() string { + return ClassTextEntityType +} + +func (*TextEntityTypeUrl) GetType() string { + return TypeTextEntityTypeUrl +} + +func (*TextEntityTypeUrl) TextEntityTypeType() string { + return TypeTextEntityTypeUrl +} + +// An email address +type TextEntityTypeEmailAddress struct{ + meta +} + +func (entity *TextEntityTypeEmailAddress) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TextEntityTypeEmailAddress + + return json.Marshal((*stub)(entity)) +} + +func (*TextEntityTypeEmailAddress) GetClass() string { + return ClassTextEntityType +} + +func (*TextEntityTypeEmailAddress) GetType() string { + return TypeTextEntityTypeEmailAddress +} + +func (*TextEntityTypeEmailAddress) TextEntityTypeType() string { + return TypeTextEntityTypeEmailAddress +} + +// A phone number +type TextEntityTypePhoneNumber struct{ + meta +} + +func (entity *TextEntityTypePhoneNumber) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TextEntityTypePhoneNumber + + return json.Marshal((*stub)(entity)) +} + +func (*TextEntityTypePhoneNumber) GetClass() string { + return ClassTextEntityType +} + +func (*TextEntityTypePhoneNumber) GetType() string { + return TypeTextEntityTypePhoneNumber +} + +func (*TextEntityTypePhoneNumber) TextEntityTypeType() string { + return TypeTextEntityTypePhoneNumber +} + +// A bank card number. The getBankCardInfo method can be used to get information about the bank card +type TextEntityTypeBankCardNumber struct{ + meta +} + +func (entity *TextEntityTypeBankCardNumber) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TextEntityTypeBankCardNumber + + return json.Marshal((*stub)(entity)) +} + +func (*TextEntityTypeBankCardNumber) GetClass() string { + return ClassTextEntityType +} + +func (*TextEntityTypeBankCardNumber) GetType() string { + return TypeTextEntityTypeBankCardNumber +} + +func (*TextEntityTypeBankCardNumber) TextEntityTypeType() string { + return TypeTextEntityTypeBankCardNumber +} + +// A bold text +type TextEntityTypeBold struct{ + meta +} + +func (entity *TextEntityTypeBold) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TextEntityTypeBold + + return json.Marshal((*stub)(entity)) +} + +func (*TextEntityTypeBold) GetClass() string { + return ClassTextEntityType +} + +func (*TextEntityTypeBold) GetType() string { + return TypeTextEntityTypeBold +} + +func (*TextEntityTypeBold) TextEntityTypeType() string { + return TypeTextEntityTypeBold +} + +// An italic text +type TextEntityTypeItalic struct{ + meta +} + +func (entity *TextEntityTypeItalic) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TextEntityTypeItalic + + return json.Marshal((*stub)(entity)) +} + +func (*TextEntityTypeItalic) GetClass() string { + return ClassTextEntityType +} + +func (*TextEntityTypeItalic) GetType() string { + return TypeTextEntityTypeItalic +} + +func (*TextEntityTypeItalic) TextEntityTypeType() string { + return TypeTextEntityTypeItalic +} + +// An underlined text +type TextEntityTypeUnderline struct{ + meta +} + +func (entity *TextEntityTypeUnderline) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TextEntityTypeUnderline + + return json.Marshal((*stub)(entity)) +} + +func (*TextEntityTypeUnderline) GetClass() string { + return ClassTextEntityType +} + +func (*TextEntityTypeUnderline) GetType() string { + return TypeTextEntityTypeUnderline +} + +func (*TextEntityTypeUnderline) TextEntityTypeType() string { + return TypeTextEntityTypeUnderline +} + +// A strikethrough text +type TextEntityTypeStrikethrough struct{ + meta +} + +func (entity *TextEntityTypeStrikethrough) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TextEntityTypeStrikethrough + + return json.Marshal((*stub)(entity)) +} + +func (*TextEntityTypeStrikethrough) GetClass() string { + return ClassTextEntityType +} + +func (*TextEntityTypeStrikethrough) GetType() string { + return TypeTextEntityTypeStrikethrough +} + +func (*TextEntityTypeStrikethrough) TextEntityTypeType() string { + return TypeTextEntityTypeStrikethrough +} + +// A spoiler text +type TextEntityTypeSpoiler struct{ + meta +} + +func (entity *TextEntityTypeSpoiler) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TextEntityTypeSpoiler + + return json.Marshal((*stub)(entity)) +} + +func (*TextEntityTypeSpoiler) GetClass() string { + return ClassTextEntityType +} + +func (*TextEntityTypeSpoiler) GetType() string { + return TypeTextEntityTypeSpoiler +} + +func (*TextEntityTypeSpoiler) TextEntityTypeType() string { + return TypeTextEntityTypeSpoiler +} + +// Text that must be formatted as if inside a code HTML tag +type TextEntityTypeCode struct{ + meta +} + +func (entity *TextEntityTypeCode) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TextEntityTypeCode + + return json.Marshal((*stub)(entity)) +} + +func (*TextEntityTypeCode) GetClass() string { + return ClassTextEntityType +} + +func (*TextEntityTypeCode) GetType() string { + return TypeTextEntityTypeCode +} + +func (*TextEntityTypeCode) TextEntityTypeType() string { + return TypeTextEntityTypeCode +} + +// Text that must be formatted as if inside a pre HTML tag +type TextEntityTypePre struct{ + meta +} + +func (entity *TextEntityTypePre) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TextEntityTypePre + + return json.Marshal((*stub)(entity)) +} + +func (*TextEntityTypePre) GetClass() string { + return ClassTextEntityType +} + +func (*TextEntityTypePre) GetType() string { + return TypeTextEntityTypePre +} + +func (*TextEntityTypePre) TextEntityTypeType() string { + return TypeTextEntityTypePre +} + +// Text that must be formatted as if inside pre, and code HTML tags +type TextEntityTypePreCode struct { + meta + // Programming language of the code; as defined by the sender + Language string `json:"language"` +} + +func (entity *TextEntityTypePreCode) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TextEntityTypePreCode + + return json.Marshal((*stub)(entity)) +} + +func (*TextEntityTypePreCode) GetClass() string { + return ClassTextEntityType +} + +func (*TextEntityTypePreCode) GetType() string { + return TypeTextEntityTypePreCode +} + +func (*TextEntityTypePreCode) TextEntityTypeType() string { + return TypeTextEntityTypePreCode +} + +// Text that must be formatted as if inside a blockquote HTML tag; not supported in secret chats +type TextEntityTypeBlockQuote struct{ + meta +} + +func (entity *TextEntityTypeBlockQuote) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TextEntityTypeBlockQuote + + return json.Marshal((*stub)(entity)) +} + +func (*TextEntityTypeBlockQuote) GetClass() string { + return ClassTextEntityType +} + +func (*TextEntityTypeBlockQuote) GetType() string { + return TypeTextEntityTypeBlockQuote +} + +func (*TextEntityTypeBlockQuote) TextEntityTypeType() string { + return TypeTextEntityTypeBlockQuote +} + +// Text that must be formatted as if inside a blockquote HTML tag and collapsed by default to 3 lines with the ability to show full text; not supported in secret chats +type TextEntityTypeExpandableBlockQuote struct{ + meta +} + +func (entity *TextEntityTypeExpandableBlockQuote) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TextEntityTypeExpandableBlockQuote + + return json.Marshal((*stub)(entity)) +} + +func (*TextEntityTypeExpandableBlockQuote) GetClass() string { + return ClassTextEntityType +} + +func (*TextEntityTypeExpandableBlockQuote) GetType() string { + return TypeTextEntityTypeExpandableBlockQuote +} + +func (*TextEntityTypeExpandableBlockQuote) TextEntityTypeType() string { + return TypeTextEntityTypeExpandableBlockQuote +} + +// A text description shown instead of a raw URL +type TextEntityTypeTextUrl struct { + meta + // HTTP or tg:// URL to be opened when the link is clicked + Url string `json:"url"` +} + +func (entity *TextEntityTypeTextUrl) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TextEntityTypeTextUrl + + return json.Marshal((*stub)(entity)) +} + +func (*TextEntityTypeTextUrl) GetClass() string { + return ClassTextEntityType +} + +func (*TextEntityTypeTextUrl) GetType() string { + return TypeTextEntityTypeTextUrl +} + +func (*TextEntityTypeTextUrl) TextEntityTypeType() string { + return TypeTextEntityTypeTextUrl +} + +// A text shows instead of a raw mention of the user (e.g., when the user has no username) +type TextEntityTypeMentionName struct { + meta + // Identifier of the mentioned user + UserId int64 `json:"user_id"` +} + +func (entity *TextEntityTypeMentionName) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TextEntityTypeMentionName + + return json.Marshal((*stub)(entity)) +} + +func (*TextEntityTypeMentionName) GetClass() string { + return ClassTextEntityType +} + +func (*TextEntityTypeMentionName) GetType() string { + return TypeTextEntityTypeMentionName +} + +func (*TextEntityTypeMentionName) TextEntityTypeType() string { + return TypeTextEntityTypeMentionName +} + +// A custom emoji. The text behind a custom emoji must be an emoji. Only premium users can use premium custom emoji +type TextEntityTypeCustomEmoji struct { + meta + // Unique identifier of the custom emoji + CustomEmojiId JsonInt64 `json:"custom_emoji_id"` +} + +func (entity *TextEntityTypeCustomEmoji) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TextEntityTypeCustomEmoji + + return json.Marshal((*stub)(entity)) +} + +func (*TextEntityTypeCustomEmoji) GetClass() string { + return ClassTextEntityType +} + +func (*TextEntityTypeCustomEmoji) GetType() string { + return TypeTextEntityTypeCustomEmoji +} + +func (*TextEntityTypeCustomEmoji) TextEntityTypeType() string { + return TypeTextEntityTypeCustomEmoji +} + +// A media timestamp +type TextEntityTypeMediaTimestamp struct { + meta + // Timestamp from which a video/audio/video note/voice note/story playing must start, in seconds. The media can be in the content or the link preview of the current message, or in the same places in the replied message + MediaTimestamp int32 `json:"media_timestamp"` +} + +func (entity *TextEntityTypeMediaTimestamp) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TextEntityTypeMediaTimestamp + + return json.Marshal((*stub)(entity)) +} + +func (*TextEntityTypeMediaTimestamp) GetClass() string { + return ClassTextEntityType +} + +func (*TextEntityTypeMediaTimestamp) GetType() string { + return TypeTextEntityTypeMediaTimestamp +} + +func (*TextEntityTypeMediaTimestamp) TextEntityTypeType() string { + return TypeTextEntityTypeMediaTimestamp +} + +// A thumbnail to be sent along with a file; must be in JPEG or WEBP format for stickers, and less than 200 KB in size +type InputThumbnail struct { + meta + // Thumbnail file to send. Sending thumbnails by file_id is currently not supported + Thumbnail InputFile `json:"thumbnail"` + // Thumbnail width, usually shouldn't exceed 320. Use 0 if unknown + Width int32 `json:"width"` + // Thumbnail height, usually shouldn't exceed 320. Use 0 if unknown + Height int32 `json:"height"` +} + +func (entity *InputThumbnail) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputThumbnail + + return json.Marshal((*stub)(entity)) +} + +func (*InputThumbnail) GetClass() string { + return ClassInputThumbnail +} + +func (*InputThumbnail) GetType() string { + return TypeInputThumbnail +} + +func (inputThumbnail *InputThumbnail) UnmarshalJSON(data []byte) error { + var tmp struct { + Thumbnail json.RawMessage `json:"thumbnail"` + Width int32 `json:"width"` + Height int32 `json:"height"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + inputThumbnail.Width = tmp.Width + inputThumbnail.Height = tmp.Height + + fieldThumbnail, _ := UnmarshalInputFile(tmp.Thumbnail) + inputThumbnail.Thumbnail = fieldThumbnail + + return nil +} + +// The media is a photo. The photo must be at most 10 MB in size. The photo's width and height must not exceed 10000 in total. Width and height ratio must be at most 20 +type InputPaidMediaTypePhoto struct{ + meta +} + +func (entity *InputPaidMediaTypePhoto) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputPaidMediaTypePhoto + + return json.Marshal((*stub)(entity)) +} + +func (*InputPaidMediaTypePhoto) GetClass() string { + return ClassInputPaidMediaType +} + +func (*InputPaidMediaTypePhoto) GetType() string { + return TypeInputPaidMediaTypePhoto +} + +func (*InputPaidMediaTypePhoto) InputPaidMediaTypeType() string { + return TypeInputPaidMediaTypePhoto +} + +// The media is a video +type InputPaidMediaTypeVideo struct { + meta + // Cover of the video; pass null to skip cover uploading + Cover InputFile `json:"cover"` + // Timestamp from which the video playing must start, in seconds + StartTimestamp int32 `json:"start_timestamp"` + // Duration of the video, in seconds + Duration int32 `json:"duration"` + // True, if the video is expected to be streamed + SupportsStreaming bool `json:"supports_streaming"` +} + +func (entity *InputPaidMediaTypeVideo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputPaidMediaTypeVideo + + return json.Marshal((*stub)(entity)) +} + +func (*InputPaidMediaTypeVideo) GetClass() string { + return ClassInputPaidMediaType +} + +func (*InputPaidMediaTypeVideo) GetType() string { + return TypeInputPaidMediaTypeVideo +} + +func (*InputPaidMediaTypeVideo) InputPaidMediaTypeType() string { + return TypeInputPaidMediaTypeVideo +} + +func (inputPaidMediaTypeVideo *InputPaidMediaTypeVideo) UnmarshalJSON(data []byte) error { + var tmp struct { + Cover json.RawMessage `json:"cover"` + StartTimestamp int32 `json:"start_timestamp"` + Duration int32 `json:"duration"` + SupportsStreaming bool `json:"supports_streaming"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + inputPaidMediaTypeVideo.StartTimestamp = tmp.StartTimestamp + inputPaidMediaTypeVideo.Duration = tmp.Duration + inputPaidMediaTypeVideo.SupportsStreaming = tmp.SupportsStreaming + + fieldCover, _ := UnmarshalInputFile(tmp.Cover) + inputPaidMediaTypeVideo.Cover = fieldCover + + return nil +} + +// Describes a paid media to be sent +type InputPaidMedia struct { + meta + // Type of the media + Type InputPaidMediaType `json:"type"` + // Photo or video to be sent + Media InputFile `json:"media"` + // Media thumbnail; pass null to skip thumbnail uploading + Thumbnail *InputThumbnail `json:"thumbnail"` + // File identifiers of the stickers added to the media, if applicable + AddedStickerFileIds []int32 `json:"added_sticker_file_ids"` + // Media width + Width int32 `json:"width"` + // Media height + Height int32 `json:"height"` +} + +func (entity *InputPaidMedia) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputPaidMedia + + return json.Marshal((*stub)(entity)) +} + +func (*InputPaidMedia) GetClass() string { + return ClassInputPaidMedia +} + +func (*InputPaidMedia) GetType() string { + return TypeInputPaidMedia +} + +func (inputPaidMedia *InputPaidMedia) UnmarshalJSON(data []byte) error { + var tmp struct { + Type json.RawMessage `json:"type"` + Media json.RawMessage `json:"media"` + Thumbnail *InputThumbnail `json:"thumbnail"` + AddedStickerFileIds []int32 `json:"added_sticker_file_ids"` + Width int32 `json:"width"` + Height int32 `json:"height"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + inputPaidMedia.Thumbnail = tmp.Thumbnail + inputPaidMedia.AddedStickerFileIds = tmp.AddedStickerFileIds + inputPaidMedia.Width = tmp.Width + inputPaidMedia.Height = tmp.Height + + fieldType, _ := UnmarshalInputPaidMediaType(tmp.Type) + inputPaidMedia.Type = fieldType + + fieldMedia, _ := UnmarshalInputFile(tmp.Media) + inputPaidMedia.Media = fieldMedia + + return nil +} + +// The message will be sent at the specified date +type MessageSchedulingStateSendAtDate struct { + meta + // Point in time (Unix timestamp) when the message will be sent. The date must be within 367 days in the future + SendDate int32 `json:"send_date"` + // Period after which the message will be sent again; in seconds; 0 if never; for Telegram Premium users only; may be non-zero only in sendMessage and forwardMessages with one message requests; must be one of 0, 86400, 7 * 86400, 14 * 86400, 30 * 86400, 91 * 86400, 182 * 86400, 365 * 86400, or additionally 60, or 300 in the Test DC + RepeatPeriod int32 `json:"repeat_period"` +} + +func (entity *MessageSchedulingStateSendAtDate) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageSchedulingStateSendAtDate + + return json.Marshal((*stub)(entity)) +} + +func (*MessageSchedulingStateSendAtDate) GetClass() string { + return ClassMessageSchedulingState +} + +func (*MessageSchedulingStateSendAtDate) GetType() string { + return TypeMessageSchedulingStateSendAtDate +} + +func (*MessageSchedulingStateSendAtDate) MessageSchedulingStateType() string { + return TypeMessageSchedulingStateSendAtDate +} + +// The message will be sent when the other user is online. Applicable to private chats only and when the exact online status of the other user is known +type MessageSchedulingStateSendWhenOnline struct{ + meta +} + +func (entity *MessageSchedulingStateSendWhenOnline) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageSchedulingStateSendWhenOnline + + return json.Marshal((*stub)(entity)) +} + +func (*MessageSchedulingStateSendWhenOnline) GetClass() string { + return ClassMessageSchedulingState +} + +func (*MessageSchedulingStateSendWhenOnline) GetType() string { + return TypeMessageSchedulingStateSendWhenOnline +} + +func (*MessageSchedulingStateSendWhenOnline) MessageSchedulingStateType() string { + return TypeMessageSchedulingStateSendWhenOnline +} + +// The message will be sent when the video in the message is converted and optimized; can be used only by the server +type MessageSchedulingStateSendWhenVideoProcessed struct { + meta + // Approximate point in time (Unix timestamp) when the message is expected to be sent + SendDate int32 `json:"send_date"` +} + +func (entity *MessageSchedulingStateSendWhenVideoProcessed) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageSchedulingStateSendWhenVideoProcessed + + return json.Marshal((*stub)(entity)) +} + +func (*MessageSchedulingStateSendWhenVideoProcessed) GetClass() string { + return ClassMessageSchedulingState +} + +func (*MessageSchedulingStateSendWhenVideoProcessed) GetType() string { + return TypeMessageSchedulingStateSendWhenVideoProcessed +} + +func (*MessageSchedulingStateSendWhenVideoProcessed) MessageSchedulingStateType() string { + return TypeMessageSchedulingStateSendWhenVideoProcessed +} + +// The message will be self-destructed in the specified time after its content was opened +type MessageSelfDestructTypeTimer struct { + meta + // The message's self-destruct time, in seconds; must be between 0 and 60 in private chats + SelfDestructTime int32 `json:"self_destruct_time"` +} + +func (entity *MessageSelfDestructTypeTimer) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageSelfDestructTypeTimer + + return json.Marshal((*stub)(entity)) +} + +func (*MessageSelfDestructTypeTimer) GetClass() string { + return ClassMessageSelfDestructType +} + +func (*MessageSelfDestructTypeTimer) GetType() string { + return TypeMessageSelfDestructTypeTimer +} + +func (*MessageSelfDestructTypeTimer) MessageSelfDestructTypeType() string { + return TypeMessageSelfDestructTypeTimer +} + +// The message can be opened only once and will be self-destructed once closed +type MessageSelfDestructTypeImmediately struct{ + meta +} + +func (entity *MessageSelfDestructTypeImmediately) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageSelfDestructTypeImmediately + + return json.Marshal((*stub)(entity)) +} + +func (*MessageSelfDestructTypeImmediately) GetClass() string { + return ClassMessageSelfDestructType +} + +func (*MessageSelfDestructTypeImmediately) GetType() string { + return TypeMessageSelfDestructTypeImmediately +} + +func (*MessageSelfDestructTypeImmediately) MessageSelfDestructTypeType() string { + return TypeMessageSelfDestructTypeImmediately +} + +// Options to be used when a message is sent +type MessageSendOptions struct { + meta + // Information about the suggested post; pass null if none. For messages to channel direct messages chat only. Applicable only to sendMessage and addOffer + SuggestedPostInfo *InputSuggestedPostInfo `json:"suggested_post_info"` + // Pass true to disable notification for the message + DisableNotification bool `json:"disable_notification"` + // Pass true if the message is sent from the background + FromBackground bool `json:"from_background"` + // Pass true if the content of the message must be protected from forwarding and saving; for bots only + ProtectContent bool `json:"protect_content"` + // Pass true to allow the message to ignore regular broadcast limits for a small fee; for bots only + AllowPaidBroadcast bool `json:"allow_paid_broadcast"` + // The number of Telegram Stars the user agreed to pay to send the messages + PaidMessageStarCount int64 `json:"paid_message_star_count"` + // Pass true if the user explicitly chosen a sticker or a custom emoji from an installed sticker set; applicable only to sendMessage and sendMessageAlbum + UpdateOrderOfInstalledStickerSets bool `json:"update_order_of_installed_sticker_sets"` + // Message scheduling state; pass null to send message immediately. Messages sent to a secret chat, to a chat with paid messages, to a channel direct messages chat, live location messages and self-destructing messages can't be scheduled + SchedulingState MessageSchedulingState `json:"scheduling_state"` + // Identifier of the effect to apply to the message; pass 0 if none; applicable only to sendMessage, sendMessageAlbum in private chats and forwardMessages with one message to private chats + EffectId JsonInt64 `json:"effect_id"` + // Non-persistent identifier, which will be returned back in messageSendingStatePending object and can be used to match sent messages and corresponding updateNewMessage updates + SendingId int32 `json:"sending_id"` + // Pass true to get a fake message instead of actually sending them + OnlyPreview bool `json:"only_preview"` +} + +func (entity *MessageSendOptions) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageSendOptions + + return json.Marshal((*stub)(entity)) +} + +func (*MessageSendOptions) GetClass() string { + return ClassMessageSendOptions +} + +func (*MessageSendOptions) GetType() string { + return TypeMessageSendOptions +} + +func (messageSendOptions *MessageSendOptions) UnmarshalJSON(data []byte) error { + var tmp struct { + SuggestedPostInfo *InputSuggestedPostInfo `json:"suggested_post_info"` + DisableNotification bool `json:"disable_notification"` + FromBackground bool `json:"from_background"` + ProtectContent bool `json:"protect_content"` + AllowPaidBroadcast bool `json:"allow_paid_broadcast"` + PaidMessageStarCount int64 `json:"paid_message_star_count"` + UpdateOrderOfInstalledStickerSets bool `json:"update_order_of_installed_sticker_sets"` + SchedulingState json.RawMessage `json:"scheduling_state"` + EffectId JsonInt64 `json:"effect_id"` + SendingId int32 `json:"sending_id"` + OnlyPreview bool `json:"only_preview"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + messageSendOptions.SuggestedPostInfo = tmp.SuggestedPostInfo + messageSendOptions.DisableNotification = tmp.DisableNotification + messageSendOptions.FromBackground = tmp.FromBackground + messageSendOptions.ProtectContent = tmp.ProtectContent + messageSendOptions.AllowPaidBroadcast = tmp.AllowPaidBroadcast + messageSendOptions.PaidMessageStarCount = tmp.PaidMessageStarCount + messageSendOptions.UpdateOrderOfInstalledStickerSets = tmp.UpdateOrderOfInstalledStickerSets + messageSendOptions.EffectId = tmp.EffectId + messageSendOptions.SendingId = tmp.SendingId + messageSendOptions.OnlyPreview = tmp.OnlyPreview + + fieldSchedulingState, _ := UnmarshalMessageSchedulingState(tmp.SchedulingState) + messageSendOptions.SchedulingState = fieldSchedulingState + + return nil +} + +// Options to be used when a message content is copied without reference to the original sender. Service messages, messages with messageInvoice, messagePaidMedia, messageGiveaway, or messageGiveawayWinners content can't be copied +type MessageCopyOptions struct { + meta + // True, if content of the message needs to be copied without reference to the original sender. Always true if the message is forwarded to a secret chat or is local. Use messageProperties.can_be_copied and messageProperties.can_be_copied_to_secret_chat to check whether the message is suitable + SendCopy bool `json:"send_copy"` + // True, if media caption of the message copy needs to be replaced. Ignored if send_copy is false + ReplaceCaption bool `json:"replace_caption"` + // New message caption; pass null to copy message without caption. Ignored if replace_caption is false + NewCaption *FormattedText `json:"new_caption"` + // True, if new caption must be shown above the media; otherwise, new caption must be shown below the media; not supported in secret chats. Ignored if replace_caption is false + NewShowCaptionAboveMedia bool `json:"new_show_caption_above_media"` +} + +func (entity *MessageCopyOptions) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageCopyOptions + + return json.Marshal((*stub)(entity)) +} + +func (*MessageCopyOptions) GetClass() string { + return ClassMessageCopyOptions +} + +func (*MessageCopyOptions) GetType() string { + return TypeMessageCopyOptions +} + +// A text message +type InputMessageText struct { + meta + // Formatted text to be sent; 0-getOption("message_text_length_max") characters. Only Bold, Italic, Underline, Strikethrough, Spoiler, CustomEmoji, BlockQuote, ExpandableBlockQuote, Code, Pre, PreCode, TextUrl and MentionName entities are allowed to be specified manually + Text *FormattedText `json:"text"` + // Options to be used for generation of a link preview; may be null if none; pass null to use default link preview options + LinkPreviewOptions *LinkPreviewOptions `json:"link_preview_options"` + // True, if the chat message draft must be deleted + ClearDraft bool `json:"clear_draft"` +} + +func (entity *InputMessageText) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputMessageText + + return json.Marshal((*stub)(entity)) +} + +func (*InputMessageText) GetClass() string { + return ClassInputMessageContent +} + +func (*InputMessageText) GetType() string { + return TypeInputMessageText +} + +func (*InputMessageText) InputMessageContentType() string { + return TypeInputMessageText +} + +// An animation message (GIF-style). +type InputMessageAnimation struct { + meta + // Animation file to be sent + Animation InputFile `json:"animation"` + // Animation thumbnail; pass null to skip thumbnail uploading + Thumbnail *InputThumbnail `json:"thumbnail"` + // File identifiers of the stickers added to the animation, if applicable + AddedStickerFileIds []int32 `json:"added_sticker_file_ids"` + // Duration of the animation, in seconds + Duration int32 `json:"duration"` + // Width of the animation; may be replaced by the server + Width int32 `json:"width"` + // Height of the animation; may be replaced by the server + Height int32 `json:"height"` + // Animation caption; pass null to use an empty caption; 0-getOption("message_caption_length_max") characters + Caption *FormattedText `json:"caption"` + // True, if the caption must be shown above the animation; otherwise, the caption must be shown below the animation; not supported in secret chats + ShowCaptionAboveMedia bool `json:"show_caption_above_media"` + // True, if the animation preview must be covered by a spoiler animation; not supported in secret chats + HasSpoiler bool `json:"has_spoiler"` +} + +func (entity *InputMessageAnimation) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputMessageAnimation + + return json.Marshal((*stub)(entity)) +} + +func (*InputMessageAnimation) GetClass() string { + return ClassInputMessageContent +} + +func (*InputMessageAnimation) GetType() string { + return TypeInputMessageAnimation +} + +func (*InputMessageAnimation) InputMessageContentType() string { + return TypeInputMessageAnimation +} + +func (inputMessageAnimation *InputMessageAnimation) UnmarshalJSON(data []byte) error { + var tmp struct { + Animation json.RawMessage `json:"animation"` + Thumbnail *InputThumbnail `json:"thumbnail"` + AddedStickerFileIds []int32 `json:"added_sticker_file_ids"` + Duration int32 `json:"duration"` + Width int32 `json:"width"` + Height int32 `json:"height"` + Caption *FormattedText `json:"caption"` + ShowCaptionAboveMedia bool `json:"show_caption_above_media"` + HasSpoiler bool `json:"has_spoiler"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + inputMessageAnimation.Thumbnail = tmp.Thumbnail + inputMessageAnimation.AddedStickerFileIds = tmp.AddedStickerFileIds + inputMessageAnimation.Duration = tmp.Duration + inputMessageAnimation.Width = tmp.Width + inputMessageAnimation.Height = tmp.Height + inputMessageAnimation.Caption = tmp.Caption + inputMessageAnimation.ShowCaptionAboveMedia = tmp.ShowCaptionAboveMedia + inputMessageAnimation.HasSpoiler = tmp.HasSpoiler + + fieldAnimation, _ := UnmarshalInputFile(tmp.Animation) + inputMessageAnimation.Animation = fieldAnimation + + return nil +} + +// An audio message +type InputMessageAudio struct { + meta + // Audio file to be sent + Audio InputFile `json:"audio"` + // Thumbnail of the cover for the album; pass null to skip thumbnail uploading + AlbumCoverThumbnail *InputThumbnail `json:"album_cover_thumbnail"` + // Duration of the audio, in seconds; may be replaced by the server + Duration int32 `json:"duration"` + // Title of the audio; 0-64 characters; may be replaced by the server + Title string `json:"title"` + // Performer of the audio; 0-64 characters, may be replaced by the server + Performer string `json:"performer"` + // Audio caption; pass null to use an empty caption; 0-getOption("message_caption_length_max") characters + Caption *FormattedText `json:"caption"` +} + +func (entity *InputMessageAudio) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputMessageAudio + + return json.Marshal((*stub)(entity)) +} + +func (*InputMessageAudio) GetClass() string { + return ClassInputMessageContent +} + +func (*InputMessageAudio) GetType() string { + return TypeInputMessageAudio +} + +func (*InputMessageAudio) InputMessageContentType() string { + return TypeInputMessageAudio +} + +func (inputMessageAudio *InputMessageAudio) UnmarshalJSON(data []byte) error { + var tmp struct { + Audio json.RawMessage `json:"audio"` + AlbumCoverThumbnail *InputThumbnail `json:"album_cover_thumbnail"` + Duration int32 `json:"duration"` + Title string `json:"title"` + Performer string `json:"performer"` + Caption *FormattedText `json:"caption"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + inputMessageAudio.AlbumCoverThumbnail = tmp.AlbumCoverThumbnail + inputMessageAudio.Duration = tmp.Duration + inputMessageAudio.Title = tmp.Title + inputMessageAudio.Performer = tmp.Performer + inputMessageAudio.Caption = tmp.Caption + + fieldAudio, _ := UnmarshalInputFile(tmp.Audio) + inputMessageAudio.Audio = fieldAudio + + return nil +} + +// A document message (general file) +type InputMessageDocument struct { + meta + // Document to be sent + Document InputFile `json:"document"` + // Document thumbnail; pass null to skip thumbnail uploading + Thumbnail *InputThumbnail `json:"thumbnail"` + // Pass true to disable automatic file type detection and send the document as a file. Always true for files sent to secret chats + DisableContentTypeDetection bool `json:"disable_content_type_detection"` + // Document caption; pass null to use an empty caption; 0-getOption("message_caption_length_max") characters + Caption *FormattedText `json:"caption"` +} + +func (entity *InputMessageDocument) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputMessageDocument + + return json.Marshal((*stub)(entity)) +} + +func (*InputMessageDocument) GetClass() string { + return ClassInputMessageContent +} + +func (*InputMessageDocument) GetType() string { + return TypeInputMessageDocument +} + +func (*InputMessageDocument) InputMessageContentType() string { + return TypeInputMessageDocument +} + +func (inputMessageDocument *InputMessageDocument) UnmarshalJSON(data []byte) error { + var tmp struct { + Document json.RawMessage `json:"document"` + Thumbnail *InputThumbnail `json:"thumbnail"` + DisableContentTypeDetection bool `json:"disable_content_type_detection"` + Caption *FormattedText `json:"caption"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + inputMessageDocument.Thumbnail = tmp.Thumbnail + inputMessageDocument.DisableContentTypeDetection = tmp.DisableContentTypeDetection + inputMessageDocument.Caption = tmp.Caption + + fieldDocument, _ := UnmarshalInputFile(tmp.Document) + inputMessageDocument.Document = fieldDocument + + return nil +} + +// A message with paid media; can be used only in channel chats with supergroupFullInfo.has_paid_media_allowed +type InputMessagePaidMedia struct { + meta + // The number of Telegram Stars that must be paid to see the media; 1-getOption("paid_media_message_star_count_max") + StarCount int64 `json:"star_count"` + // The content of the paid media + PaidMedia []*InputPaidMedia `json:"paid_media"` + // Message caption; pass null to use an empty caption; 0-getOption("message_caption_length_max") characters + Caption *FormattedText `json:"caption"` + // True, if the caption must be shown above the media; otherwise, the caption must be shown below the media; not supported in secret chats + ShowCaptionAboveMedia bool `json:"show_caption_above_media"` + // Bot-provided data for the paid media; bots only + Payload string `json:"payload"` +} + +func (entity *InputMessagePaidMedia) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputMessagePaidMedia + + return json.Marshal((*stub)(entity)) +} + +func (*InputMessagePaidMedia) GetClass() string { + return ClassInputMessageContent +} + +func (*InputMessagePaidMedia) GetType() string { + return TypeInputMessagePaidMedia +} + +func (*InputMessagePaidMedia) InputMessageContentType() string { + return TypeInputMessagePaidMedia +} + +// A photo message +type InputMessagePhoto struct { + meta + // Photo to send. The photo must be at most 10 MB in size. The photo's width and height must not exceed 10000 in total. Width and height ratio must be at most 20 + Photo InputFile `json:"photo"` + // Photo thumbnail to be sent; pass null to skip thumbnail uploading. The thumbnail is sent to the other party only in secret chats + Thumbnail *InputThumbnail `json:"thumbnail"` + // File identifiers of the stickers added to the photo, if applicable + AddedStickerFileIds []int32 `json:"added_sticker_file_ids"` + // Photo width + Width int32 `json:"width"` + // Photo height + Height int32 `json:"height"` + // Photo caption; pass null to use an empty caption; 0-getOption("message_caption_length_max") characters + Caption *FormattedText `json:"caption"` + // True, if the caption must be shown above the photo; otherwise, the caption must be shown below the photo; not supported in secret chats + ShowCaptionAboveMedia bool `json:"show_caption_above_media"` + // Photo self-destruct type; pass null if none; private chats only + SelfDestructType MessageSelfDestructType `json:"self_destruct_type"` + // True, if the photo preview must be covered by a spoiler animation; not supported in secret chats + HasSpoiler bool `json:"has_spoiler"` +} + +func (entity *InputMessagePhoto) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputMessagePhoto + + return json.Marshal((*stub)(entity)) +} + +func (*InputMessagePhoto) GetClass() string { + return ClassInputMessageContent +} + +func (*InputMessagePhoto) GetType() string { + return TypeInputMessagePhoto +} + +func (*InputMessagePhoto) InputMessageContentType() string { + return TypeInputMessagePhoto +} + +func (inputMessagePhoto *InputMessagePhoto) UnmarshalJSON(data []byte) error { + var tmp struct { + Photo json.RawMessage `json:"photo"` + Thumbnail *InputThumbnail `json:"thumbnail"` + AddedStickerFileIds []int32 `json:"added_sticker_file_ids"` + Width int32 `json:"width"` + Height int32 `json:"height"` + Caption *FormattedText `json:"caption"` + ShowCaptionAboveMedia bool `json:"show_caption_above_media"` + SelfDestructType json.RawMessage `json:"self_destruct_type"` + HasSpoiler bool `json:"has_spoiler"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + inputMessagePhoto.Thumbnail = tmp.Thumbnail + inputMessagePhoto.AddedStickerFileIds = tmp.AddedStickerFileIds + inputMessagePhoto.Width = tmp.Width + inputMessagePhoto.Height = tmp.Height + inputMessagePhoto.Caption = tmp.Caption + inputMessagePhoto.ShowCaptionAboveMedia = tmp.ShowCaptionAboveMedia + inputMessagePhoto.HasSpoiler = tmp.HasSpoiler + + fieldPhoto, _ := UnmarshalInputFile(tmp.Photo) + inputMessagePhoto.Photo = fieldPhoto + + fieldSelfDestructType, _ := UnmarshalMessageSelfDestructType(tmp.SelfDestructType) + inputMessagePhoto.SelfDestructType = fieldSelfDestructType + + return nil +} + +// A sticker message +type InputMessageSticker struct { + meta + // Sticker to be sent + Sticker InputFile `json:"sticker"` + // Sticker thumbnail; pass null to skip thumbnail uploading + Thumbnail *InputThumbnail `json:"thumbnail"` + // Sticker width + Width int32 `json:"width"` + // Sticker height + Height int32 `json:"height"` + // Emoji used to choose the sticker + Emoji string `json:"emoji"` +} + +func (entity *InputMessageSticker) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputMessageSticker + + return json.Marshal((*stub)(entity)) +} + +func (*InputMessageSticker) GetClass() string { + return ClassInputMessageContent +} + +func (*InputMessageSticker) GetType() string { + return TypeInputMessageSticker +} + +func (*InputMessageSticker) InputMessageContentType() string { + return TypeInputMessageSticker +} + +func (inputMessageSticker *InputMessageSticker) UnmarshalJSON(data []byte) error { + var tmp struct { + Sticker json.RawMessage `json:"sticker"` + Thumbnail *InputThumbnail `json:"thumbnail"` + Width int32 `json:"width"` + Height int32 `json:"height"` + Emoji string `json:"emoji"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + inputMessageSticker.Thumbnail = tmp.Thumbnail + inputMessageSticker.Width = tmp.Width + inputMessageSticker.Height = tmp.Height + inputMessageSticker.Emoji = tmp.Emoji + + fieldSticker, _ := UnmarshalInputFile(tmp.Sticker) + inputMessageSticker.Sticker = fieldSticker + + return nil +} + +// A video message +type InputMessageVideo struct { + meta + // Video to be sent. The video is expected to be re-encoded to MPEG4 format with H.264 codec by the sender + Video InputFile `json:"video"` + // Video thumbnail; pass null to skip thumbnail uploading + Thumbnail *InputThumbnail `json:"thumbnail"` + // Cover of the video; pass null to skip cover uploading; not supported in secret chats and for self-destructing messages + Cover InputFile `json:"cover"` + // Timestamp from which the video playing must start, in seconds + StartTimestamp int32 `json:"start_timestamp"` + // File identifiers of the stickers added to the video, if applicable + AddedStickerFileIds []int32 `json:"added_sticker_file_ids"` + // Duration of the video, in seconds + Duration int32 `json:"duration"` + // Video width + Width int32 `json:"width"` + // Video height + Height int32 `json:"height"` + // True, if the video is expected to be streamed + SupportsStreaming bool `json:"supports_streaming"` + // Video caption; pass null to use an empty caption; 0-getOption("message_caption_length_max") characters + Caption *FormattedText `json:"caption"` + // True, if the caption must be shown above the video; otherwise, the caption must be shown below the video; not supported in secret chats + ShowCaptionAboveMedia bool `json:"show_caption_above_media"` + // Video self-destruct type; pass null if none; private chats only + SelfDestructType MessageSelfDestructType `json:"self_destruct_type"` + // True, if the video preview must be covered by a spoiler animation; not supported in secret chats + HasSpoiler bool `json:"has_spoiler"` +} + +func (entity *InputMessageVideo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputMessageVideo + + return json.Marshal((*stub)(entity)) +} + +func (*InputMessageVideo) GetClass() string { + return ClassInputMessageContent +} + +func (*InputMessageVideo) GetType() string { + return TypeInputMessageVideo +} + +func (*InputMessageVideo) InputMessageContentType() string { + return TypeInputMessageVideo +} + +func (inputMessageVideo *InputMessageVideo) UnmarshalJSON(data []byte) error { + var tmp struct { + Video json.RawMessage `json:"video"` + Thumbnail *InputThumbnail `json:"thumbnail"` + Cover json.RawMessage `json:"cover"` + StartTimestamp int32 `json:"start_timestamp"` + AddedStickerFileIds []int32 `json:"added_sticker_file_ids"` + Duration int32 `json:"duration"` + Width int32 `json:"width"` + Height int32 `json:"height"` + SupportsStreaming bool `json:"supports_streaming"` + Caption *FormattedText `json:"caption"` + ShowCaptionAboveMedia bool `json:"show_caption_above_media"` + SelfDestructType json.RawMessage `json:"self_destruct_type"` + HasSpoiler bool `json:"has_spoiler"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + inputMessageVideo.Thumbnail = tmp.Thumbnail + inputMessageVideo.StartTimestamp = tmp.StartTimestamp + inputMessageVideo.AddedStickerFileIds = tmp.AddedStickerFileIds + inputMessageVideo.Duration = tmp.Duration + inputMessageVideo.Width = tmp.Width + inputMessageVideo.Height = tmp.Height + inputMessageVideo.SupportsStreaming = tmp.SupportsStreaming + inputMessageVideo.Caption = tmp.Caption + inputMessageVideo.ShowCaptionAboveMedia = tmp.ShowCaptionAboveMedia + inputMessageVideo.HasSpoiler = tmp.HasSpoiler + + fieldVideo, _ := UnmarshalInputFile(tmp.Video) + inputMessageVideo.Video = fieldVideo + + fieldCover, _ := UnmarshalInputFile(tmp.Cover) + inputMessageVideo.Cover = fieldCover + + fieldSelfDestructType, _ := UnmarshalMessageSelfDestructType(tmp.SelfDestructType) + inputMessageVideo.SelfDestructType = fieldSelfDestructType + + return nil +} + +// A video note message +type InputMessageVideoNote struct { + meta + // Video note to be sent. The video is expected to be encoded to MPEG4 format with H.264 codec and have no data outside of the visible circle + VideoNote InputFile `json:"video_note"` + // Video thumbnail; may be null if empty; pass null to skip thumbnail uploading + Thumbnail *InputThumbnail `json:"thumbnail"` + // Duration of the video, in seconds; 0-60 + Duration int32 `json:"duration"` + // Video width and height; must be positive and not greater than 640 + Length int32 `json:"length"` + // Video note self-destruct type; may be null if none; pass null if none; private chats only + SelfDestructType MessageSelfDestructType `json:"self_destruct_type"` +} + +func (entity *InputMessageVideoNote) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputMessageVideoNote + + return json.Marshal((*stub)(entity)) +} + +func (*InputMessageVideoNote) GetClass() string { + return ClassInputMessageContent +} + +func (*InputMessageVideoNote) GetType() string { + return TypeInputMessageVideoNote +} + +func (*InputMessageVideoNote) InputMessageContentType() string { + return TypeInputMessageVideoNote +} + +func (inputMessageVideoNote *InputMessageVideoNote) UnmarshalJSON(data []byte) error { + var tmp struct { + VideoNote json.RawMessage `json:"video_note"` + Thumbnail *InputThumbnail `json:"thumbnail"` + Duration int32 `json:"duration"` + Length int32 `json:"length"` + SelfDestructType json.RawMessage `json:"self_destruct_type"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + inputMessageVideoNote.Thumbnail = tmp.Thumbnail + inputMessageVideoNote.Duration = tmp.Duration + inputMessageVideoNote.Length = tmp.Length + + fieldVideoNote, _ := UnmarshalInputFile(tmp.VideoNote) + inputMessageVideoNote.VideoNote = fieldVideoNote + + fieldSelfDestructType, _ := UnmarshalMessageSelfDestructType(tmp.SelfDestructType) + inputMessageVideoNote.SelfDestructType = fieldSelfDestructType + + return nil +} + +// A voice note message +type InputMessageVoiceNote struct { + meta + // Voice note to be sent. The voice note must be encoded with the Opus codec and stored inside an OGG container with a single audio channel, or be in MP3 or M4A format as regular audio + VoiceNote InputFile `json:"voice_note"` + // Duration of the voice note, in seconds + Duration int32 `json:"duration"` + // Waveform representation of the voice note in 5-bit format + Waveform []byte `json:"waveform"` + // Voice note caption; may be null if empty; pass null to use an empty caption; 0-getOption("message_caption_length_max") characters + Caption *FormattedText `json:"caption"` + // Voice note self-destruct type; may be null if none; pass null if none; private chats only + SelfDestructType MessageSelfDestructType `json:"self_destruct_type"` +} + +func (entity *InputMessageVoiceNote) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputMessageVoiceNote + + return json.Marshal((*stub)(entity)) +} + +func (*InputMessageVoiceNote) GetClass() string { + return ClassInputMessageContent +} + +func (*InputMessageVoiceNote) GetType() string { + return TypeInputMessageVoiceNote +} + +func (*InputMessageVoiceNote) InputMessageContentType() string { + return TypeInputMessageVoiceNote +} + +func (inputMessageVoiceNote *InputMessageVoiceNote) UnmarshalJSON(data []byte) error { + var tmp struct { + VoiceNote json.RawMessage `json:"voice_note"` + Duration int32 `json:"duration"` + Waveform []byte `json:"waveform"` + Caption *FormattedText `json:"caption"` + SelfDestructType json.RawMessage `json:"self_destruct_type"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + inputMessageVoiceNote.Duration = tmp.Duration + inputMessageVoiceNote.Waveform = tmp.Waveform + inputMessageVoiceNote.Caption = tmp.Caption + + fieldVoiceNote, _ := UnmarshalInputFile(tmp.VoiceNote) + inputMessageVoiceNote.VoiceNote = fieldVoiceNote + + fieldSelfDestructType, _ := UnmarshalMessageSelfDestructType(tmp.SelfDestructType) + inputMessageVoiceNote.SelfDestructType = fieldSelfDestructType + + return nil +} + +// A message with a location +type InputMessageLocation struct { + meta + // Location to be sent + Location *Location `json:"location"` + // Period for which the location can be updated, in seconds; must be between 60 and 86400 for a temporary live location, 0x7FFFFFFF for permanent live location, and 0 otherwise + LivePeriod int32 `json:"live_period"` + // For live locations, a direction in which the location moves, in degrees; 1-360. Pass 0 if unknown + Heading int32 `json:"heading"` + // For live locations, a maximum distance to another chat member for proximity alerts, in meters (0-100000). Pass 0 if the notification is disabled. Can't be enabled in channels and Saved Messages + ProximityAlertRadius int32 `json:"proximity_alert_radius"` +} + +func (entity *InputMessageLocation) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputMessageLocation + + return json.Marshal((*stub)(entity)) +} + +func (*InputMessageLocation) GetClass() string { + return ClassInputMessageContent +} + +func (*InputMessageLocation) GetType() string { + return TypeInputMessageLocation +} + +func (*InputMessageLocation) InputMessageContentType() string { + return TypeInputMessageLocation +} + +// A message with information about a venue +type InputMessageVenue struct { + meta + // Venue to send + Venue *Venue `json:"venue"` +} + +func (entity *InputMessageVenue) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputMessageVenue + + return json.Marshal((*stub)(entity)) +} + +func (*InputMessageVenue) GetClass() string { + return ClassInputMessageContent +} + +func (*InputMessageVenue) GetType() string { + return TypeInputMessageVenue +} + +func (*InputMessageVenue) InputMessageContentType() string { + return TypeInputMessageVenue +} + +// A message containing a user contact +type InputMessageContact struct { + meta + // Contact to send + Contact *Contact `json:"contact"` +} + +func (entity *InputMessageContact) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputMessageContact + + return json.Marshal((*stub)(entity)) +} + +func (*InputMessageContact) GetClass() string { + return ClassInputMessageContent +} + +func (*InputMessageContact) GetType() string { + return TypeInputMessageContact +} + +func (*InputMessageContact) InputMessageContentType() string { + return TypeInputMessageContact +} + +// A dice message +type InputMessageDice struct { + meta + // Emoji on which the dice throw animation is based + Emoji string `json:"emoji"` + // True, if the chat message draft must be deleted + ClearDraft bool `json:"clear_draft"` +} + +func (entity *InputMessageDice) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputMessageDice + + return json.Marshal((*stub)(entity)) +} + +func (*InputMessageDice) GetClass() string { + return ClassInputMessageContent +} + +func (*InputMessageDice) GetType() string { + return TypeInputMessageDice +} + +func (*InputMessageDice) InputMessageContentType() string { + return TypeInputMessageDice +} + +// A message with a game; not supported for channels or secret chats +type InputMessageGame struct { + meta + // User identifier of the bot that owns the game + BotUserId int64 `json:"bot_user_id"` + // Short name of the game + GameShortName string `json:"game_short_name"` +} + +func (entity *InputMessageGame) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputMessageGame + + return json.Marshal((*stub)(entity)) +} + +func (*InputMessageGame) GetClass() string { + return ClassInputMessageContent +} + +func (*InputMessageGame) GetType() string { + return TypeInputMessageGame +} + +func (*InputMessageGame) InputMessageContentType() string { + return TypeInputMessageGame +} + +// A message with an invoice; can be used only by bots +type InputMessageInvoice struct { + meta + // Invoice + Invoice *Invoice `json:"invoice"` + // Product title; 1-32 characters + Title string `json:"title"` + // Product description; 0-255 characters + Description string `json:"description"` + // Product photo URL; optional + PhotoUrl string `json:"photo_url"` + // Product photo size + PhotoSize int32 `json:"photo_size"` + // Product photo width + PhotoWidth int32 `json:"photo_width"` + // Product photo height + PhotoHeight int32 `json:"photo_height"` + // The invoice payload + Payload []byte `json:"payload"` + // Payment provider token; may be empty for payments in Telegram Stars + ProviderToken string `json:"provider_token"` + // JSON-encoded data about the invoice, which will be shared with the payment provider + ProviderData string `json:"provider_data"` + // Unique invoice bot deep link parameter for the generation of this invoice. If empty, it would be possible to pay directly from forwards of the invoice message + StartParameter string `json:"start_parameter"` + // The content of paid media attached to the invoice; pass null if none + PaidMedia *InputPaidMedia `json:"paid_media"` + // Paid media caption; pass null to use an empty caption; 0-getOption("message_caption_length_max") characters + PaidMediaCaption *FormattedText `json:"paid_media_caption"` +} + +func (entity *InputMessageInvoice) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputMessageInvoice + + return json.Marshal((*stub)(entity)) +} + +func (*InputMessageInvoice) GetClass() string { + return ClassInputMessageContent +} + +func (*InputMessageInvoice) GetType() string { + return TypeInputMessageInvoice +} + +func (*InputMessageInvoice) InputMessageContentType() string { + return TypeInputMessageInvoice +} + +// A message with a poll. Polls can't be sent to secret chats and channel direct messages chats. Polls can be sent to a private chat only if the chat is a chat with a bot or the Saved Messages chat +type InputMessagePoll struct { + meta + // Poll question; 1-255 characters (up to 300 characters for bots). Only custom emoji entities are allowed to be added and only by Premium users + Question *FormattedText `json:"question"` + // List of poll answer options, 2-getOption("poll_answer_count_max") strings 1-100 characters each. Only custom emoji entities are allowed to be added and only by Premium users + Options []*FormattedText `json:"options"` + // True, if the poll voters are anonymous. Non-anonymous polls can't be sent or forwarded to channels + IsAnonymous bool `json:"is_anonymous"` + // Type of the poll + Type PollType `json:"type"` + // Amount of time the poll will be active after creation, in seconds; for bots only + OpenPeriod int32 `json:"open_period"` + // Point in time (Unix timestamp) when the poll will automatically be closed; for bots only + CloseDate int32 `json:"close_date"` + // True, if the poll needs to be sent already closed; for bots only + IsClosed bool `json:"is_closed"` +} + +func (entity *InputMessagePoll) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputMessagePoll + + return json.Marshal((*stub)(entity)) +} + +func (*InputMessagePoll) GetClass() string { + return ClassInputMessageContent +} + +func (*InputMessagePoll) GetType() string { + return TypeInputMessagePoll +} + +func (*InputMessagePoll) InputMessageContentType() string { + return TypeInputMessagePoll +} + +func (inputMessagePoll *InputMessagePoll) UnmarshalJSON(data []byte) error { + var tmp struct { + Question *FormattedText `json:"question"` + Options []*FormattedText `json:"options"` + IsAnonymous bool `json:"is_anonymous"` + Type json.RawMessage `json:"type"` + OpenPeriod int32 `json:"open_period"` + CloseDate int32 `json:"close_date"` + IsClosed bool `json:"is_closed"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + inputMessagePoll.Question = tmp.Question + inputMessagePoll.Options = tmp.Options + inputMessagePoll.IsAnonymous = tmp.IsAnonymous + inputMessagePoll.OpenPeriod = tmp.OpenPeriod + inputMessagePoll.CloseDate = tmp.CloseDate + inputMessagePoll.IsClosed = tmp.IsClosed + + fieldType, _ := UnmarshalPollType(tmp.Type) + inputMessagePoll.Type = fieldType + + return nil +} + +// A stake dice message +type InputMessageStakeDice struct { + meta + // Hash of the stake dice state. The state hash can be used only if it was received recently enough. Otherwise, a new state must be requested using getStakeDiceState + StateHash string `json:"state_hash"` + // The Toncoin amount that will be staked; in the smallest units of the currency. Must be in the range getOption("stake_dice_stake_amount_min")-getOption("stake_dice_stake_amount_max") + StakeToncoinAmount int64 `json:"stake_toncoin_amount"` + // True, if the chat message draft must be deleted + ClearDraft bool `json:"clear_draft"` +} + +func (entity *InputMessageStakeDice) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputMessageStakeDice + + return json.Marshal((*stub)(entity)) +} + +func (*InputMessageStakeDice) GetClass() string { + return ClassInputMessageContent +} + +func (*InputMessageStakeDice) GetType() string { + return TypeInputMessageStakeDice +} + +func (*InputMessageStakeDice) InputMessageContentType() string { + return TypeInputMessageStakeDice +} + +// A message with a forwarded story. Stories can't be forwarded to secret chats. A story can be forwarded only if story.can_be_forwarded +type InputMessageStory struct { + meta + // Identifier of the chat that posted the story + StoryPosterChatId int64 `json:"story_poster_chat_id"` + // Story identifier + StoryId int32 `json:"story_id"` +} + +func (entity *InputMessageStory) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputMessageStory + + return json.Marshal((*stub)(entity)) +} + +func (*InputMessageStory) GetClass() string { + return ClassInputMessageContent +} + +func (*InputMessageStory) GetType() string { + return TypeInputMessageStory +} + +func (*InputMessageStory) InputMessageContentType() string { + return TypeInputMessageStory +} + +// A message with a checklist. Checklists can't be sent to secret chats, channel chats and channel direct messages chats; for Telegram Premium users only +type InputMessageChecklist struct { + meta + // The checklist to send + Checklist *InputChecklist `json:"checklist"` +} + +func (entity *InputMessageChecklist) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputMessageChecklist + + return json.Marshal((*stub)(entity)) +} + +func (*InputMessageChecklist) GetClass() string { + return ClassInputMessageContent +} + +func (*InputMessageChecklist) GetType() string { + return TypeInputMessageChecklist +} + +func (*InputMessageChecklist) InputMessageContentType() string { + return TypeInputMessageChecklist +} + +// A forwarded message +type InputMessageForwarded struct { + meta + // Identifier for the chat this forwarded message came from + FromChatId int64 `json:"from_chat_id"` + // Identifier of the message to forward. A message can be forwarded only if messageProperties.can_be_forwarded + MessageId int64 `json:"message_id"` + // Pass true if a game message is being shared from a launched game; applies only to game messages + InGameShare bool `json:"in_game_share"` + // Pass true to replace video start timestamp in the forwarded message + ReplaceVideoStartTimestamp bool `json:"replace_video_start_timestamp"` + // The new video start timestamp; ignored if replace_video_start_timestamp == false + NewVideoStartTimestamp int32 `json:"new_video_start_timestamp"` + // Options to be used to copy content of the message without reference to the original sender; pass null to forward the message as usual + CopyOptions *MessageCopyOptions `json:"copy_options"` +} + +func (entity *InputMessageForwarded) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputMessageForwarded + + return json.Marshal((*stub)(entity)) +} + +func (*InputMessageForwarded) GetClass() string { + return ClassInputMessageContent +} + +func (*InputMessageForwarded) GetType() string { + return TypeInputMessageForwarded +} + +func (*InputMessageForwarded) InputMessageContentType() string { + return TypeInputMessageForwarded +} + +// Contains properties of a message and describes actions that can be done with the message right now +type MessageProperties struct { + meta + // True, if an offer can be added to the message using addOffer + CanAddOffer bool `json:"can_add_offer"` + // True, if tasks can be added to the message's checklist using addChecklistTasks if the current user has Telegram Premium subscription + CanAddTasks bool `json:"can_add_tasks"` + // True, if the message is a suggested post that can be approved by the user using approveSuggestedPost + CanBeApproved bool `json:"can_be_approved"` + // True, if content of the message can be copied using inputMessageForwarded or forwardMessages with copy options + CanBeCopied bool `json:"can_be_copied"` + // True, if content of the message can be copied to a secret chat using inputMessageForwarded or forwardMessages with copy options + CanBeCopiedToSecretChat bool `json:"can_be_copied_to_secret_chat"` + // True, if the message is a suggested post that can be declined by the user using declineSuggestedPost + CanBeDeclined bool `json:"can_be_declined"` + // True, if the message can be deleted only for the current user while other users will continue to see it using the method deleteMessages with revoke == false + CanBeDeletedOnlyForSelf bool `json:"can_be_deleted_only_for_self"` + // True, if the message can be deleted for all users using the method deleteMessages with revoke == true + CanBeDeletedForAllUsers bool `json:"can_be_deleted_for_all_users"` + // True, if the message can be edited using the methods editMessageText, editMessageCaption, or editMessageReplyMarkup. For live location, poll, and checklist messages this fields shows whether editMessageLiveLocation, stopPoll, or editMessageChecklist respectively can be used with this message + CanBeEdited bool `json:"can_be_edited"` + // True, if the message can be forwarded using inputMessageForwarded or forwardMessages without copy options + CanBeForwarded bool `json:"can_be_forwarded"` + // True, if the message can be paid using inputInvoiceMessage + CanBePaid bool `json:"can_be_paid"` + // True, if the message can be pinned or unpinned in the chat using pinChatMessage or unpinChatMessage + CanBePinned bool `json:"can_be_pinned"` + // True, if the message can be replied in the same chat and forum topic using inputMessageReplyToMessage + CanBeReplied bool `json:"can_be_replied"` + // True, if the message can be replied in another chat or forum topic using inputMessageReplyToExternalMessage + CanBeRepliedInAnotherChat bool `json:"can_be_replied_in_another_chat"` + // True, if content of the message can be saved locally + CanBeSaved bool `json:"can_be_saved"` + // True, if the message can be shared in a story using inputStoryAreaTypeMessage + CanBeSharedInStory bool `json:"can_be_shared_in_story"` + // True, if the message can be edited using the method editMessageMedia + CanEditMedia bool `json:"can_edit_media"` + // True, if scheduling state of the message can be edited + CanEditSchedulingState bool `json:"can_edit_scheduling_state"` + // True, if another price or post send time can be suggested using addOffer + CanEditSuggestedPostInfo bool `json:"can_edit_suggested_post_info"` + // True, if author of the message sent on behalf of a chat can be received through getMessageAuthor + CanGetAuthor bool `json:"can_get_author"` + // True, if code for message embedding can be received using getMessageEmbeddingCode + CanGetEmbeddingCode bool `json:"can_get_embedding_code"` + // True, if a link can be generated for the message using getMessageLink + CanGetLink bool `json:"can_get_link"` + // True, if media timestamp links can be generated for media timestamp entities in the message text, caption or link preview description using getMessageLink + CanGetMediaTimestampLinks bool `json:"can_get_media_timestamp_links"` + // True, if information about the message thread is available through getMessageThread and getMessageThreadHistory + CanGetMessageThread bool `json:"can_get_message_thread"` + // True, if read date of the message can be received through getMessageReadDate + CanGetReadDate bool `json:"can_get_read_date"` + // True, if message statistics are available through getMessageStatistics and message forwards can be received using getMessagePublicForwards + CanGetStatistics bool `json:"can_get_statistics"` + // True, if advertisements for video of the message can be received though getVideoMessageAdvertisements + CanGetVideoAdvertisements bool `json:"can_get_video_advertisements"` + // True, if chat members already viewed the message can be received through getMessageViewers + CanGetViewers bool `json:"can_get_viewers"` + // True, if tasks can be marked as done or not done in the message's checklist using markChecklistTasksAsDone if the current user has Telegram Premium subscription + CanMarkTasksAsDone bool `json:"can_mark_tasks_as_done"` + // True, if speech can be recognized for the message through recognizeSpeech + CanRecognizeSpeech bool `json:"can_recognize_speech"` + // True, if the message can be reported using reportChat + CanReportChat bool `json:"can_report_chat"` + // True, if reactions on the message can be reported through reportMessageReactions + CanReportReactions bool `json:"can_report_reactions"` + // True, if the message can be reported using reportSupergroupSpam + CanReportSupergroupSpam bool `json:"can_report_supergroup_spam"` + // True, if fact check for the message can be changed through setMessageFactCheck + CanSetFactCheck bool `json:"can_set_fact_check"` + // True, if message statistics must be available from context menu of the message + NeedShowStatistics bool `json:"need_show_statistics"` +} + +func (entity *MessageProperties) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageProperties + + return json.Marshal((*stub)(entity)) +} + +func (*MessageProperties) GetClass() string { + return ClassMessageProperties +} + +func (*MessageProperties) GetType() string { + return TypeMessageProperties +} + +// Returns all found messages, no filter is applied +type SearchMessagesFilterEmpty struct{ + meta +} + +func (entity *SearchMessagesFilterEmpty) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SearchMessagesFilterEmpty + + return json.Marshal((*stub)(entity)) +} + +func (*SearchMessagesFilterEmpty) GetClass() string { + return ClassSearchMessagesFilter +} + +func (*SearchMessagesFilterEmpty) GetType() string { + return TypeSearchMessagesFilterEmpty +} + +func (*SearchMessagesFilterEmpty) SearchMessagesFilterType() string { + return TypeSearchMessagesFilterEmpty +} + +// Returns only animation messages +type SearchMessagesFilterAnimation struct{ + meta +} + +func (entity *SearchMessagesFilterAnimation) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SearchMessagesFilterAnimation + + return json.Marshal((*stub)(entity)) +} + +func (*SearchMessagesFilterAnimation) GetClass() string { + return ClassSearchMessagesFilter +} + +func (*SearchMessagesFilterAnimation) GetType() string { + return TypeSearchMessagesFilterAnimation +} + +func (*SearchMessagesFilterAnimation) SearchMessagesFilterType() string { + return TypeSearchMessagesFilterAnimation +} + +// Returns only audio messages +type SearchMessagesFilterAudio struct{ + meta +} + +func (entity *SearchMessagesFilterAudio) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SearchMessagesFilterAudio + + return json.Marshal((*stub)(entity)) +} + +func (*SearchMessagesFilterAudio) GetClass() string { + return ClassSearchMessagesFilter +} + +func (*SearchMessagesFilterAudio) GetType() string { + return TypeSearchMessagesFilterAudio +} + +func (*SearchMessagesFilterAudio) SearchMessagesFilterType() string { + return TypeSearchMessagesFilterAudio +} + +// Returns only document messages +type SearchMessagesFilterDocument struct{ + meta +} + +func (entity *SearchMessagesFilterDocument) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SearchMessagesFilterDocument + + return json.Marshal((*stub)(entity)) +} + +func (*SearchMessagesFilterDocument) GetClass() string { + return ClassSearchMessagesFilter +} + +func (*SearchMessagesFilterDocument) GetType() string { + return TypeSearchMessagesFilterDocument +} + +func (*SearchMessagesFilterDocument) SearchMessagesFilterType() string { + return TypeSearchMessagesFilterDocument +} + +// Returns only photo messages +type SearchMessagesFilterPhoto struct{ + meta +} + +func (entity *SearchMessagesFilterPhoto) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SearchMessagesFilterPhoto + + return json.Marshal((*stub)(entity)) +} + +func (*SearchMessagesFilterPhoto) GetClass() string { + return ClassSearchMessagesFilter +} + +func (*SearchMessagesFilterPhoto) GetType() string { + return TypeSearchMessagesFilterPhoto +} + +func (*SearchMessagesFilterPhoto) SearchMessagesFilterType() string { + return TypeSearchMessagesFilterPhoto +} + +// Returns only video messages +type SearchMessagesFilterVideo struct{ + meta +} + +func (entity *SearchMessagesFilterVideo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SearchMessagesFilterVideo + + return json.Marshal((*stub)(entity)) +} + +func (*SearchMessagesFilterVideo) GetClass() string { + return ClassSearchMessagesFilter +} + +func (*SearchMessagesFilterVideo) GetType() string { + return TypeSearchMessagesFilterVideo +} + +func (*SearchMessagesFilterVideo) SearchMessagesFilterType() string { + return TypeSearchMessagesFilterVideo +} + +// Returns only voice note messages +type SearchMessagesFilterVoiceNote struct{ + meta +} + +func (entity *SearchMessagesFilterVoiceNote) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SearchMessagesFilterVoiceNote + + return json.Marshal((*stub)(entity)) +} + +func (*SearchMessagesFilterVoiceNote) GetClass() string { + return ClassSearchMessagesFilter +} + +func (*SearchMessagesFilterVoiceNote) GetType() string { + return TypeSearchMessagesFilterVoiceNote +} + +func (*SearchMessagesFilterVoiceNote) SearchMessagesFilterType() string { + return TypeSearchMessagesFilterVoiceNote +} + +// Returns only photo and video messages +type SearchMessagesFilterPhotoAndVideo struct{ + meta +} + +func (entity *SearchMessagesFilterPhotoAndVideo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SearchMessagesFilterPhotoAndVideo + + return json.Marshal((*stub)(entity)) +} + +func (*SearchMessagesFilterPhotoAndVideo) GetClass() string { + return ClassSearchMessagesFilter +} + +func (*SearchMessagesFilterPhotoAndVideo) GetType() string { + return TypeSearchMessagesFilterPhotoAndVideo +} + +func (*SearchMessagesFilterPhotoAndVideo) SearchMessagesFilterType() string { + return TypeSearchMessagesFilterPhotoAndVideo +} + +// Returns only messages containing URLs +type SearchMessagesFilterUrl struct{ + meta +} + +func (entity *SearchMessagesFilterUrl) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SearchMessagesFilterUrl + + return json.Marshal((*stub)(entity)) +} + +func (*SearchMessagesFilterUrl) GetClass() string { + return ClassSearchMessagesFilter +} + +func (*SearchMessagesFilterUrl) GetType() string { + return TypeSearchMessagesFilterUrl +} + +func (*SearchMessagesFilterUrl) SearchMessagesFilterType() string { + return TypeSearchMessagesFilterUrl +} + +// Returns only messages containing chat photos +type SearchMessagesFilterChatPhoto struct{ + meta +} + +func (entity *SearchMessagesFilterChatPhoto) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SearchMessagesFilterChatPhoto + + return json.Marshal((*stub)(entity)) +} + +func (*SearchMessagesFilterChatPhoto) GetClass() string { + return ClassSearchMessagesFilter +} + +func (*SearchMessagesFilterChatPhoto) GetType() string { + return TypeSearchMessagesFilterChatPhoto +} + +func (*SearchMessagesFilterChatPhoto) SearchMessagesFilterType() string { + return TypeSearchMessagesFilterChatPhoto +} + +// Returns only video note messages +type SearchMessagesFilterVideoNote struct{ + meta +} + +func (entity *SearchMessagesFilterVideoNote) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SearchMessagesFilterVideoNote + + return json.Marshal((*stub)(entity)) +} + +func (*SearchMessagesFilterVideoNote) GetClass() string { + return ClassSearchMessagesFilter +} + +func (*SearchMessagesFilterVideoNote) GetType() string { + return TypeSearchMessagesFilterVideoNote +} + +func (*SearchMessagesFilterVideoNote) SearchMessagesFilterType() string { + return TypeSearchMessagesFilterVideoNote +} + +// Returns only voice and video note messages +type SearchMessagesFilterVoiceAndVideoNote struct{ + meta +} + +func (entity *SearchMessagesFilterVoiceAndVideoNote) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SearchMessagesFilterVoiceAndVideoNote + + return json.Marshal((*stub)(entity)) +} + +func (*SearchMessagesFilterVoiceAndVideoNote) GetClass() string { + return ClassSearchMessagesFilter +} + +func (*SearchMessagesFilterVoiceAndVideoNote) GetType() string { + return TypeSearchMessagesFilterVoiceAndVideoNote +} + +func (*SearchMessagesFilterVoiceAndVideoNote) SearchMessagesFilterType() string { + return TypeSearchMessagesFilterVoiceAndVideoNote +} + +// Returns only messages with mentions of the current user, or messages that are replies to their messages +type SearchMessagesFilterMention struct{ + meta +} + +func (entity *SearchMessagesFilterMention) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SearchMessagesFilterMention + + return json.Marshal((*stub)(entity)) +} + +func (*SearchMessagesFilterMention) GetClass() string { + return ClassSearchMessagesFilter +} + +func (*SearchMessagesFilterMention) GetType() string { + return TypeSearchMessagesFilterMention +} + +func (*SearchMessagesFilterMention) SearchMessagesFilterType() string { + return TypeSearchMessagesFilterMention +} + +// Returns only messages with unread mentions of the current user, or messages that are replies to their messages. When using this filter the results can't be additionally filtered by a query, a message thread or by the sending user +type SearchMessagesFilterUnreadMention struct{ + meta +} + +func (entity *SearchMessagesFilterUnreadMention) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SearchMessagesFilterUnreadMention + + return json.Marshal((*stub)(entity)) +} + +func (*SearchMessagesFilterUnreadMention) GetClass() string { + return ClassSearchMessagesFilter +} + +func (*SearchMessagesFilterUnreadMention) GetType() string { + return TypeSearchMessagesFilterUnreadMention +} + +func (*SearchMessagesFilterUnreadMention) SearchMessagesFilterType() string { + return TypeSearchMessagesFilterUnreadMention +} + +// Returns only messages with unread reactions for the current user. When using this filter the results can't be additionally filtered by a query, a message thread or by the sending user +type SearchMessagesFilterUnreadReaction struct{ + meta +} + +func (entity *SearchMessagesFilterUnreadReaction) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SearchMessagesFilterUnreadReaction + + return json.Marshal((*stub)(entity)) +} + +func (*SearchMessagesFilterUnreadReaction) GetClass() string { + return ClassSearchMessagesFilter +} + +func (*SearchMessagesFilterUnreadReaction) GetType() string { + return TypeSearchMessagesFilterUnreadReaction +} + +func (*SearchMessagesFilterUnreadReaction) SearchMessagesFilterType() string { + return TypeSearchMessagesFilterUnreadReaction +} + +// Returns only failed to send messages. This filter can be used only if the message database is used +type SearchMessagesFilterFailedToSend struct{ + meta +} + +func (entity *SearchMessagesFilterFailedToSend) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SearchMessagesFilterFailedToSend + + return json.Marshal((*stub)(entity)) +} + +func (*SearchMessagesFilterFailedToSend) GetClass() string { + return ClassSearchMessagesFilter +} + +func (*SearchMessagesFilterFailedToSend) GetType() string { + return TypeSearchMessagesFilterFailedToSend +} + +func (*SearchMessagesFilterFailedToSend) SearchMessagesFilterType() string { + return TypeSearchMessagesFilterFailedToSend +} + +// Returns only pinned messages +type SearchMessagesFilterPinned struct{ + meta +} + +func (entity *SearchMessagesFilterPinned) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SearchMessagesFilterPinned + + return json.Marshal((*stub)(entity)) +} + +func (*SearchMessagesFilterPinned) GetClass() string { + return ClassSearchMessagesFilter +} + +func (*SearchMessagesFilterPinned) GetType() string { + return TypeSearchMessagesFilterPinned +} + +func (*SearchMessagesFilterPinned) SearchMessagesFilterType() string { + return TypeSearchMessagesFilterPinned +} + +// Returns only messages in private chats +type SearchMessagesChatTypeFilterPrivate struct{ + meta +} + +func (entity *SearchMessagesChatTypeFilterPrivate) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SearchMessagesChatTypeFilterPrivate + + return json.Marshal((*stub)(entity)) +} + +func (*SearchMessagesChatTypeFilterPrivate) GetClass() string { + return ClassSearchMessagesChatTypeFilter +} + +func (*SearchMessagesChatTypeFilterPrivate) GetType() string { + return TypeSearchMessagesChatTypeFilterPrivate +} + +func (*SearchMessagesChatTypeFilterPrivate) SearchMessagesChatTypeFilterType() string { + return TypeSearchMessagesChatTypeFilterPrivate +} + +// Returns only messages in basic group and supergroup chats +type SearchMessagesChatTypeFilterGroup struct{ + meta +} + +func (entity *SearchMessagesChatTypeFilterGroup) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SearchMessagesChatTypeFilterGroup + + return json.Marshal((*stub)(entity)) +} + +func (*SearchMessagesChatTypeFilterGroup) GetClass() string { + return ClassSearchMessagesChatTypeFilter +} + +func (*SearchMessagesChatTypeFilterGroup) GetType() string { + return TypeSearchMessagesChatTypeFilterGroup +} + +func (*SearchMessagesChatTypeFilterGroup) SearchMessagesChatTypeFilterType() string { + return TypeSearchMessagesChatTypeFilterGroup +} + +// Returns only messages in channel chats +type SearchMessagesChatTypeFilterChannel struct{ + meta +} + +func (entity *SearchMessagesChatTypeFilterChannel) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SearchMessagesChatTypeFilterChannel + + return json.Marshal((*stub)(entity)) +} + +func (*SearchMessagesChatTypeFilterChannel) GetClass() string { + return ClassSearchMessagesChatTypeFilter +} + +func (*SearchMessagesChatTypeFilterChannel) GetType() string { + return TypeSearchMessagesChatTypeFilterChannel +} + +func (*SearchMessagesChatTypeFilterChannel) SearchMessagesChatTypeFilterType() string { + return TypeSearchMessagesChatTypeFilterChannel +} + +// The user is typing a message +type ChatActionTyping struct{ + meta +} + +func (entity *ChatActionTyping) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatActionTyping + + return json.Marshal((*stub)(entity)) +} + +func (*ChatActionTyping) GetClass() string { + return ClassChatAction +} + +func (*ChatActionTyping) GetType() string { + return TypeChatActionTyping +} + +func (*ChatActionTyping) ChatActionType() string { + return TypeChatActionTyping +} + +// The user is recording a video +type ChatActionRecordingVideo struct{ + meta +} + +func (entity *ChatActionRecordingVideo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatActionRecordingVideo + + return json.Marshal((*stub)(entity)) +} + +func (*ChatActionRecordingVideo) GetClass() string { + return ClassChatAction +} + +func (*ChatActionRecordingVideo) GetType() string { + return TypeChatActionRecordingVideo +} + +func (*ChatActionRecordingVideo) ChatActionType() string { + return TypeChatActionRecordingVideo +} + +// The user is uploading a video +type ChatActionUploadingVideo struct { + meta + // Upload progress, as a percentage + Progress int32 `json:"progress"` +} + +func (entity *ChatActionUploadingVideo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatActionUploadingVideo + + return json.Marshal((*stub)(entity)) +} + +func (*ChatActionUploadingVideo) GetClass() string { + return ClassChatAction +} + +func (*ChatActionUploadingVideo) GetType() string { + return TypeChatActionUploadingVideo +} + +func (*ChatActionUploadingVideo) ChatActionType() string { + return TypeChatActionUploadingVideo +} + +// The user is recording a voice note +type ChatActionRecordingVoiceNote struct{ + meta +} + +func (entity *ChatActionRecordingVoiceNote) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatActionRecordingVoiceNote + + return json.Marshal((*stub)(entity)) +} + +func (*ChatActionRecordingVoiceNote) GetClass() string { + return ClassChatAction +} + +func (*ChatActionRecordingVoiceNote) GetType() string { + return TypeChatActionRecordingVoiceNote +} + +func (*ChatActionRecordingVoiceNote) ChatActionType() string { + return TypeChatActionRecordingVoiceNote +} + +// The user is uploading a voice note +type ChatActionUploadingVoiceNote struct { + meta + // Upload progress, as a percentage + Progress int32 `json:"progress"` +} + +func (entity *ChatActionUploadingVoiceNote) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatActionUploadingVoiceNote + + return json.Marshal((*stub)(entity)) +} + +func (*ChatActionUploadingVoiceNote) GetClass() string { + return ClassChatAction +} + +func (*ChatActionUploadingVoiceNote) GetType() string { + return TypeChatActionUploadingVoiceNote +} + +func (*ChatActionUploadingVoiceNote) ChatActionType() string { + return TypeChatActionUploadingVoiceNote +} + +// The user is uploading a photo +type ChatActionUploadingPhoto struct { + meta + // Upload progress, as a percentage + Progress int32 `json:"progress"` +} + +func (entity *ChatActionUploadingPhoto) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatActionUploadingPhoto + + return json.Marshal((*stub)(entity)) +} + +func (*ChatActionUploadingPhoto) GetClass() string { + return ClassChatAction +} + +func (*ChatActionUploadingPhoto) GetType() string { + return TypeChatActionUploadingPhoto +} + +func (*ChatActionUploadingPhoto) ChatActionType() string { + return TypeChatActionUploadingPhoto +} + +// The user is uploading a document +type ChatActionUploadingDocument struct { + meta + // Upload progress, as a percentage + Progress int32 `json:"progress"` +} + +func (entity *ChatActionUploadingDocument) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatActionUploadingDocument + + return json.Marshal((*stub)(entity)) +} + +func (*ChatActionUploadingDocument) GetClass() string { + return ClassChatAction +} + +func (*ChatActionUploadingDocument) GetType() string { + return TypeChatActionUploadingDocument +} + +func (*ChatActionUploadingDocument) ChatActionType() string { + return TypeChatActionUploadingDocument +} + +// The user is picking a sticker to send +type ChatActionChoosingSticker struct{ + meta +} + +func (entity *ChatActionChoosingSticker) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatActionChoosingSticker + + return json.Marshal((*stub)(entity)) +} + +func (*ChatActionChoosingSticker) GetClass() string { + return ClassChatAction +} + +func (*ChatActionChoosingSticker) GetType() string { + return TypeChatActionChoosingSticker +} + +func (*ChatActionChoosingSticker) ChatActionType() string { + return TypeChatActionChoosingSticker +} + +// The user is picking a location or venue to send +type ChatActionChoosingLocation struct{ + meta +} + +func (entity *ChatActionChoosingLocation) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatActionChoosingLocation + + return json.Marshal((*stub)(entity)) +} + +func (*ChatActionChoosingLocation) GetClass() string { + return ClassChatAction +} + +func (*ChatActionChoosingLocation) GetType() string { + return TypeChatActionChoosingLocation +} + +func (*ChatActionChoosingLocation) ChatActionType() string { + return TypeChatActionChoosingLocation +} + +// The user is picking a contact to send +type ChatActionChoosingContact struct{ + meta +} + +func (entity *ChatActionChoosingContact) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatActionChoosingContact + + return json.Marshal((*stub)(entity)) +} + +func (*ChatActionChoosingContact) GetClass() string { + return ClassChatAction +} + +func (*ChatActionChoosingContact) GetType() string { + return TypeChatActionChoosingContact +} + +func (*ChatActionChoosingContact) ChatActionType() string { + return TypeChatActionChoosingContact +} + +// The user has started to play a game +type ChatActionStartPlayingGame struct{ + meta +} + +func (entity *ChatActionStartPlayingGame) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatActionStartPlayingGame + + return json.Marshal((*stub)(entity)) +} + +func (*ChatActionStartPlayingGame) GetClass() string { + return ClassChatAction +} + +func (*ChatActionStartPlayingGame) GetType() string { + return TypeChatActionStartPlayingGame +} + +func (*ChatActionStartPlayingGame) ChatActionType() string { + return TypeChatActionStartPlayingGame +} + +// The user is recording a video note +type ChatActionRecordingVideoNote struct{ + meta +} + +func (entity *ChatActionRecordingVideoNote) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatActionRecordingVideoNote + + return json.Marshal((*stub)(entity)) +} + +func (*ChatActionRecordingVideoNote) GetClass() string { + return ClassChatAction +} + +func (*ChatActionRecordingVideoNote) GetType() string { + return TypeChatActionRecordingVideoNote +} + +func (*ChatActionRecordingVideoNote) ChatActionType() string { + return TypeChatActionRecordingVideoNote +} + +// The user is uploading a video note +type ChatActionUploadingVideoNote struct { + meta + // Upload progress, as a percentage + Progress int32 `json:"progress"` +} + +func (entity *ChatActionUploadingVideoNote) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatActionUploadingVideoNote + + return json.Marshal((*stub)(entity)) +} + +func (*ChatActionUploadingVideoNote) GetClass() string { + return ClassChatAction +} + +func (*ChatActionUploadingVideoNote) GetType() string { + return TypeChatActionUploadingVideoNote +} + +func (*ChatActionUploadingVideoNote) ChatActionType() string { + return TypeChatActionUploadingVideoNote +} + +// The user is watching animations sent by the other party by clicking on an animated emoji +type ChatActionWatchingAnimations struct { + meta + // The animated emoji + Emoji string `json:"emoji"` +} + +func (entity *ChatActionWatchingAnimations) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatActionWatchingAnimations + + return json.Marshal((*stub)(entity)) +} + +func (*ChatActionWatchingAnimations) GetClass() string { + return ClassChatAction +} + +func (*ChatActionWatchingAnimations) GetType() string { + return TypeChatActionWatchingAnimations +} + +func (*ChatActionWatchingAnimations) ChatActionType() string { + return TypeChatActionWatchingAnimations +} + +// The user has canceled the previous action +type ChatActionCancel struct{ + meta +} + +func (entity *ChatActionCancel) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatActionCancel + + return json.Marshal((*stub)(entity)) +} + +func (*ChatActionCancel) GetClass() string { + return ClassChatAction +} + +func (*ChatActionCancel) GetType() string { + return TypeChatActionCancel +} + +func (*ChatActionCancel) ChatActionType() string { + return TypeChatActionCancel +} + +// The user's status has never been changed +type UserStatusEmpty struct{ + meta +} + +func (entity *UserStatusEmpty) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UserStatusEmpty + + return json.Marshal((*stub)(entity)) +} + +func (*UserStatusEmpty) GetClass() string { + return ClassUserStatus +} + +func (*UserStatusEmpty) GetType() string { + return TypeUserStatusEmpty +} + +func (*UserStatusEmpty) UserStatusType() string { + return TypeUserStatusEmpty +} + +// The user is online +type UserStatusOnline struct { + meta + // Point in time (Unix timestamp) when the user's online status will expire + Expires int32 `json:"expires"` +} + +func (entity *UserStatusOnline) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UserStatusOnline + + return json.Marshal((*stub)(entity)) +} + +func (*UserStatusOnline) GetClass() string { + return ClassUserStatus +} + +func (*UserStatusOnline) GetType() string { + return TypeUserStatusOnline +} + +func (*UserStatusOnline) UserStatusType() string { + return TypeUserStatusOnline +} + +// The user is offline +type UserStatusOffline struct { + meta + // Point in time (Unix timestamp) when the user was last online + WasOnline int32 `json:"was_online"` +} + +func (entity *UserStatusOffline) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UserStatusOffline + + return json.Marshal((*stub)(entity)) +} + +func (*UserStatusOffline) GetClass() string { + return ClassUserStatus +} + +func (*UserStatusOffline) GetType() string { + return TypeUserStatusOffline +} + +func (*UserStatusOffline) UserStatusType() string { + return TypeUserStatusOffline +} + +// The user was online recently +type UserStatusRecently struct { + meta + // Exact user's status is hidden because the current user enabled userPrivacySettingShowStatus privacy setting for the user and has no Telegram Premium + ByMyPrivacySettings bool `json:"by_my_privacy_settings"` +} + +func (entity *UserStatusRecently) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UserStatusRecently + + return json.Marshal((*stub)(entity)) +} + +func (*UserStatusRecently) GetClass() string { + return ClassUserStatus +} + +func (*UserStatusRecently) GetType() string { + return TypeUserStatusRecently +} + +func (*UserStatusRecently) UserStatusType() string { + return TypeUserStatusRecently +} + +// The user is offline, but was online last week +type UserStatusLastWeek struct { + meta + // Exact user's status is hidden because the current user enabled userPrivacySettingShowStatus privacy setting for the user and has no Telegram Premium + ByMyPrivacySettings bool `json:"by_my_privacy_settings"` +} + +func (entity *UserStatusLastWeek) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UserStatusLastWeek + + return json.Marshal((*stub)(entity)) +} + +func (*UserStatusLastWeek) GetClass() string { + return ClassUserStatus +} + +func (*UserStatusLastWeek) GetType() string { + return TypeUserStatusLastWeek +} + +func (*UserStatusLastWeek) UserStatusType() string { + return TypeUserStatusLastWeek +} + +// The user is offline, but was online last month +type UserStatusLastMonth struct { + meta + // Exact user's status is hidden because the current user enabled userPrivacySettingShowStatus privacy setting for the user and has no Telegram Premium + ByMyPrivacySettings bool `json:"by_my_privacy_settings"` +} + +func (entity *UserStatusLastMonth) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UserStatusLastMonth + + return json.Marshal((*stub)(entity)) +} + +func (*UserStatusLastMonth) GetClass() string { + return ClassUserStatus +} + +func (*UserStatusLastMonth) GetType() string { + return TypeUserStatusLastMonth +} + +func (*UserStatusLastMonth) UserStatusType() string { + return TypeUserStatusLastMonth +} + +// Represents an emoji with its keyword +type EmojiKeyword struct { + meta + // The emoji + Emoji string `json:"emoji"` + // The keyword + Keyword string `json:"keyword"` +} + +func (entity *EmojiKeyword) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub EmojiKeyword + + return json.Marshal((*stub)(entity)) +} + +func (*EmojiKeyword) GetClass() string { + return ClassEmojiKeyword +} + +func (*EmojiKeyword) GetType() string { + return TypeEmojiKeyword +} + +// Represents a list of emojis with their keywords +type EmojiKeywords struct { + meta + // List of emojis with their keywords + EmojiKeywords []*EmojiKeyword `json:"emoji_keywords"` +} + +func (entity *EmojiKeywords) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub EmojiKeywords + + return json.Marshal((*stub)(entity)) +} + +func (*EmojiKeywords) GetClass() string { + return ClassEmojiKeywords +} + +func (*EmojiKeywords) GetType() string { + return TypeEmojiKeywords +} + +// Represents a list of stickers +type Stickers struct { + meta + // List of stickers + Stickers []*Sticker `json:"stickers"` +} + +func (entity *Stickers) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub Stickers + + return json.Marshal((*stub)(entity)) +} + +func (*Stickers) GetClass() string { + return ClassStickers +} + +func (*Stickers) GetType() string { + return TypeStickers +} + +// Represents a list of emojis +type Emojis struct { + meta + // List of emojis + Emojis []string `json:"emojis"` +} + +func (entity *Emojis) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub Emojis + + return json.Marshal((*stub)(entity)) +} + +func (*Emojis) GetClass() string { + return ClassEmojis +} + +func (*Emojis) GetType() string { + return TypeEmojis +} + +// Represents a sticker set +type StickerSet struct { + meta + // Identifier of the sticker set + Id JsonInt64 `json:"id"` + // Title of the sticker set + Title string `json:"title"` + // Name of the sticker set + Name string `json:"name"` + // Sticker set thumbnail in WEBP, TGS, or WEBM format with width and height 100; may be null. The file can be downloaded only before the thumbnail is changed + Thumbnail *Thumbnail `json:"thumbnail"` + // Sticker set thumbnail's outline; may be null if unknown + ThumbnailOutline *Outline `json:"thumbnail_outline"` + // True, if the sticker set is owned by the current user + IsOwned bool `json:"is_owned"` + // True, if the sticker set has been installed by the current user + IsInstalled bool `json:"is_installed"` + // True, if the sticker set has been archived. A sticker set can't be installed and archived simultaneously + IsArchived bool `json:"is_archived"` + // True, if the sticker set is official + IsOfficial bool `json:"is_official"` + // Type of the stickers in the set + StickerType StickerType `json:"sticker_type"` + // True, if stickers in the sticker set are custom emoji that must be repainted; for custom emoji sticker sets only + NeedsRepainting bool `json:"needs_repainting"` + // True, if stickers in the sticker set are custom emoji that can be used as chat emoji status; for custom emoji sticker sets only + IsAllowedAsChatEmojiStatus bool `json:"is_allowed_as_chat_emoji_status"` + // True for already viewed trending sticker sets + IsViewed bool `json:"is_viewed"` + // List of stickers in this set + Stickers []*Sticker `json:"stickers"` + // A list of emojis corresponding to the stickers in the same order. The list is only for informational purposes, because a sticker is always sent with a fixed emoji from the corresponding Sticker object + Emojis []*Emojis `json:"emojis"` +} + +func (entity *StickerSet) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StickerSet + + return json.Marshal((*stub)(entity)) +} + +func (*StickerSet) GetClass() string { + return ClassStickerSet +} + +func (*StickerSet) GetType() string { + return TypeStickerSet +} + +func (stickerSet *StickerSet) UnmarshalJSON(data []byte) error { + var tmp struct { + Id JsonInt64 `json:"id"` + Title string `json:"title"` + Name string `json:"name"` + Thumbnail *Thumbnail `json:"thumbnail"` + ThumbnailOutline *Outline `json:"thumbnail_outline"` + IsOwned bool `json:"is_owned"` + IsInstalled bool `json:"is_installed"` + IsArchived bool `json:"is_archived"` + IsOfficial bool `json:"is_official"` + StickerType json.RawMessage `json:"sticker_type"` + NeedsRepainting bool `json:"needs_repainting"` + IsAllowedAsChatEmojiStatus bool `json:"is_allowed_as_chat_emoji_status"` + IsViewed bool `json:"is_viewed"` + Stickers []*Sticker `json:"stickers"` + Emojis []*Emojis `json:"emojis"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + stickerSet.Id = tmp.Id + stickerSet.Title = tmp.Title + stickerSet.Name = tmp.Name + stickerSet.Thumbnail = tmp.Thumbnail + stickerSet.ThumbnailOutline = tmp.ThumbnailOutline + stickerSet.IsOwned = tmp.IsOwned + stickerSet.IsInstalled = tmp.IsInstalled + stickerSet.IsArchived = tmp.IsArchived + stickerSet.IsOfficial = tmp.IsOfficial + stickerSet.NeedsRepainting = tmp.NeedsRepainting + stickerSet.IsAllowedAsChatEmojiStatus = tmp.IsAllowedAsChatEmojiStatus + stickerSet.IsViewed = tmp.IsViewed + stickerSet.Stickers = tmp.Stickers + stickerSet.Emojis = tmp.Emojis + + fieldStickerType, _ := UnmarshalStickerType(tmp.StickerType) + stickerSet.StickerType = fieldStickerType + + return nil +} + +// Represents short information about a sticker set +type StickerSetInfo struct { + meta + // Identifier of the sticker set + Id JsonInt64 `json:"id"` + // Title of the sticker set + Title string `json:"title"` + // Name of the sticker set + Name string `json:"name"` + // Sticker set thumbnail in WEBP, TGS, or WEBM format with width and height 100; may be null. The file can be downloaded only before the thumbnail is changed + Thumbnail *Thumbnail `json:"thumbnail"` + // Sticker set thumbnail's outline; may be null if unknown + ThumbnailOutline *Outline `json:"thumbnail_outline"` + // True, if the sticker set is owned by the current user + IsOwned bool `json:"is_owned"` + // True, if the sticker set has been installed by the current user + IsInstalled bool `json:"is_installed"` + // True, if the sticker set has been archived. A sticker set can't be installed and archived simultaneously + IsArchived bool `json:"is_archived"` + // True, if the sticker set is official + IsOfficial bool `json:"is_official"` + // Type of the stickers in the set + StickerType StickerType `json:"sticker_type"` + // True, if stickers in the sticker set are custom emoji that must be repainted; for custom emoji sticker sets only + NeedsRepainting bool `json:"needs_repainting"` + // True, if stickers in the sticker set are custom emoji that can be used as chat emoji status; for custom emoji sticker sets only + IsAllowedAsChatEmojiStatus bool `json:"is_allowed_as_chat_emoji_status"` + // True for already viewed trending sticker sets + IsViewed bool `json:"is_viewed"` + // Total number of stickers in the set + Size int32 `json:"size"` + // Up to the first 5 stickers from the set, depending on the context. If the application needs more stickers the full sticker set needs to be requested + Covers []*Sticker `json:"covers"` +} + +func (entity *StickerSetInfo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StickerSetInfo + + return json.Marshal((*stub)(entity)) +} + +func (*StickerSetInfo) GetClass() string { + return ClassStickerSetInfo +} + +func (*StickerSetInfo) GetType() string { + return TypeStickerSetInfo +} + +func (stickerSetInfo *StickerSetInfo) UnmarshalJSON(data []byte) error { + var tmp struct { + Id JsonInt64 `json:"id"` + Title string `json:"title"` + Name string `json:"name"` + Thumbnail *Thumbnail `json:"thumbnail"` + ThumbnailOutline *Outline `json:"thumbnail_outline"` + IsOwned bool `json:"is_owned"` + IsInstalled bool `json:"is_installed"` + IsArchived bool `json:"is_archived"` + IsOfficial bool `json:"is_official"` + StickerType json.RawMessage `json:"sticker_type"` + NeedsRepainting bool `json:"needs_repainting"` + IsAllowedAsChatEmojiStatus bool `json:"is_allowed_as_chat_emoji_status"` + IsViewed bool `json:"is_viewed"` + Size int32 `json:"size"` + Covers []*Sticker `json:"covers"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + stickerSetInfo.Id = tmp.Id + stickerSetInfo.Title = tmp.Title + stickerSetInfo.Name = tmp.Name + stickerSetInfo.Thumbnail = tmp.Thumbnail + stickerSetInfo.ThumbnailOutline = tmp.ThumbnailOutline + stickerSetInfo.IsOwned = tmp.IsOwned + stickerSetInfo.IsInstalled = tmp.IsInstalled + stickerSetInfo.IsArchived = tmp.IsArchived + stickerSetInfo.IsOfficial = tmp.IsOfficial + stickerSetInfo.NeedsRepainting = tmp.NeedsRepainting + stickerSetInfo.IsAllowedAsChatEmojiStatus = tmp.IsAllowedAsChatEmojiStatus + stickerSetInfo.IsViewed = tmp.IsViewed + stickerSetInfo.Size = tmp.Size + stickerSetInfo.Covers = tmp.Covers + + fieldStickerType, _ := UnmarshalStickerType(tmp.StickerType) + stickerSetInfo.StickerType = fieldStickerType + + return nil +} + +// Represents a list of sticker sets +type StickerSets struct { + meta + // Approximate total number of sticker sets found + TotalCount int32 `json:"total_count"` + // List of sticker sets + Sets []*StickerSetInfo `json:"sets"` +} + +func (entity *StickerSets) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StickerSets + + return json.Marshal((*stub)(entity)) +} + +func (*StickerSets) GetClass() string { + return ClassStickerSets +} + +func (*StickerSets) GetType() string { + return TypeStickerSets +} + +// Represents a list of trending sticker sets +type TrendingStickerSets struct { + meta + // Approximate total number of trending sticker sets + TotalCount int32 `json:"total_count"` + // List of trending sticker sets + Sets []*StickerSetInfo `json:"sets"` + // True, if the list contains sticker sets with premium stickers + IsPremium bool `json:"is_premium"` +} + +func (entity *TrendingStickerSets) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TrendingStickerSets + + return json.Marshal((*stub)(entity)) +} + +func (*TrendingStickerSets) GetClass() string { + return ClassTrendingStickerSets +} + +func (*TrendingStickerSets) GetType() string { + return TypeTrendingStickerSets +} + +// The category contains a list of similar emoji to search for in getStickers and searchStickers for stickers, or getInlineQueryResults with the bot getOption("animation_search_bot_username") for animations +type EmojiCategorySourceSearch struct { + meta + // List of emojis to search for + Emojis []string `json:"emojis"` +} + +func (entity *EmojiCategorySourceSearch) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub EmojiCategorySourceSearch + + return json.Marshal((*stub)(entity)) +} + +func (*EmojiCategorySourceSearch) GetClass() string { + return ClassEmojiCategorySource +} + +func (*EmojiCategorySourceSearch) GetType() string { + return TypeEmojiCategorySourceSearch +} + +func (*EmojiCategorySourceSearch) EmojiCategorySourceType() string { + return TypeEmojiCategorySourceSearch +} + +// The category contains premium stickers that must be found by getPremiumStickers +type EmojiCategorySourcePremium struct{ + meta +} + +func (entity *EmojiCategorySourcePremium) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub EmojiCategorySourcePremium + + return json.Marshal((*stub)(entity)) +} + +func (*EmojiCategorySourcePremium) GetClass() string { + return ClassEmojiCategorySource +} + +func (*EmojiCategorySourcePremium) GetType() string { + return TypeEmojiCategorySourcePremium +} + +func (*EmojiCategorySourcePremium) EmojiCategorySourceType() string { + return TypeEmojiCategorySourcePremium +} + +// Describes an emoji category +type EmojiCategory struct { + meta + // Name of the category + Name string `json:"name"` + // Custom emoji sticker, which represents icon of the category + Icon *Sticker `json:"icon"` + // Source of stickers for the emoji category + Source EmojiCategorySource `json:"source"` + // True, if the category must be shown first when choosing a sticker for the start page + IsGreeting bool `json:"is_greeting"` +} + +func (entity *EmojiCategory) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub EmojiCategory + + return json.Marshal((*stub)(entity)) +} + +func (*EmojiCategory) GetClass() string { + return ClassEmojiCategory +} + +func (*EmojiCategory) GetType() string { + return TypeEmojiCategory +} + +func (emojiCategory *EmojiCategory) UnmarshalJSON(data []byte) error { + var tmp struct { + Name string `json:"name"` + Icon *Sticker `json:"icon"` + Source json.RawMessage `json:"source"` + IsGreeting bool `json:"is_greeting"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + emojiCategory.Name = tmp.Name + emojiCategory.Icon = tmp.Icon + emojiCategory.IsGreeting = tmp.IsGreeting + + fieldSource, _ := UnmarshalEmojiCategorySource(tmp.Source) + emojiCategory.Source = fieldSource + + return nil +} + +// Represents a list of emoji categories +type EmojiCategories struct { + meta + // List of categories + Categories []*EmojiCategory `json:"categories"` +} + +func (entity *EmojiCategories) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub EmojiCategories + + return json.Marshal((*stub)(entity)) +} + +func (*EmojiCategories) GetClass() string { + return ClassEmojiCategories +} + +func (*EmojiCategories) GetType() string { + return TypeEmojiCategories +} + +// The category must be used by default (e.g., for custom emoji or animation search) +type EmojiCategoryTypeDefault struct{ + meta +} + +func (entity *EmojiCategoryTypeDefault) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub EmojiCategoryTypeDefault + + return json.Marshal((*stub)(entity)) +} + +func (*EmojiCategoryTypeDefault) GetClass() string { + return ClassEmojiCategoryType +} + +func (*EmojiCategoryTypeDefault) GetType() string { + return TypeEmojiCategoryTypeDefault +} + +func (*EmojiCategoryTypeDefault) EmojiCategoryTypeType() string { + return TypeEmojiCategoryTypeDefault +} + +// The category must be used by default for regular sticker selection. It may contain greeting emoji category and premium stickers +type EmojiCategoryTypeRegularStickers struct{ + meta +} + +func (entity *EmojiCategoryTypeRegularStickers) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub EmojiCategoryTypeRegularStickers + + return json.Marshal((*stub)(entity)) +} + +func (*EmojiCategoryTypeRegularStickers) GetClass() string { + return ClassEmojiCategoryType +} + +func (*EmojiCategoryTypeRegularStickers) GetType() string { + return TypeEmojiCategoryTypeRegularStickers +} + +func (*EmojiCategoryTypeRegularStickers) EmojiCategoryTypeType() string { + return TypeEmojiCategoryTypeRegularStickers +} + +// The category must be used for emoji status selection +type EmojiCategoryTypeEmojiStatus struct{ + meta +} + +func (entity *EmojiCategoryTypeEmojiStatus) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub EmojiCategoryTypeEmojiStatus + + return json.Marshal((*stub)(entity)) +} + +func (*EmojiCategoryTypeEmojiStatus) GetClass() string { + return ClassEmojiCategoryType +} + +func (*EmojiCategoryTypeEmojiStatus) GetType() string { + return TypeEmojiCategoryTypeEmojiStatus +} + +func (*EmojiCategoryTypeEmojiStatus) EmojiCategoryTypeType() string { + return TypeEmojiCategoryTypeEmojiStatus +} + +// The category must be used for chat photo emoji selection +type EmojiCategoryTypeChatPhoto struct{ + meta +} + +func (entity *EmojiCategoryTypeChatPhoto) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub EmojiCategoryTypeChatPhoto + + return json.Marshal((*stub)(entity)) +} + +func (*EmojiCategoryTypeChatPhoto) GetClass() string { + return ClassEmojiCategoryType +} + +func (*EmojiCategoryTypeChatPhoto) GetType() string { + return TypeEmojiCategoryTypeChatPhoto +} + +func (*EmojiCategoryTypeChatPhoto) EmojiCategoryTypeType() string { + return TypeEmojiCategoryTypeChatPhoto +} + +// Describes the current weather +type CurrentWeather struct { + meta + // Temperature, in degree Celsius + Temperature float64 `json:"temperature"` + // Emoji representing the weather + Emoji string `json:"emoji"` +} + +func (entity *CurrentWeather) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub CurrentWeather + + return json.Marshal((*stub)(entity)) +} + +func (*CurrentWeather) GetClass() string { + return ClassCurrentWeather +} + +func (*CurrentWeather) GetType() string { + return TypeCurrentWeather +} + +// Describes position of a clickable rectangle area on a story media +type StoryAreaPosition struct { + meta + // The abscissa of the rectangle's center, as a percentage of the media width + XPercentage float64 `json:"x_percentage"` + // The ordinate of the rectangle's center, as a percentage of the media height + YPercentage float64 `json:"y_percentage"` + // The width of the rectangle, as a percentage of the media width + WidthPercentage float64 `json:"width_percentage"` + // The height of the rectangle, as a percentage of the media height + HeightPercentage float64 `json:"height_percentage"` + // Clockwise rotation angle of the rectangle, in degrees; 0-360 + RotationAngle float64 `json:"rotation_angle"` + // The radius of the rectangle corner rounding, as a percentage of the media width + CornerRadiusPercentage float64 `json:"corner_radius_percentage"` +} + +func (entity *StoryAreaPosition) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StoryAreaPosition + + return json.Marshal((*stub)(entity)) +} + +func (*StoryAreaPosition) GetClass() string { + return ClassStoryAreaPosition +} + +func (*StoryAreaPosition) GetType() string { + return TypeStoryAreaPosition +} + +// An area pointing to a location +type StoryAreaTypeLocation struct { + meta + // The location + Location *Location `json:"location"` + // Address of the location; may be null if unknown + Address *LocationAddress `json:"address"` +} + +func (entity *StoryAreaTypeLocation) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StoryAreaTypeLocation + + return json.Marshal((*stub)(entity)) +} + +func (*StoryAreaTypeLocation) GetClass() string { + return ClassStoryAreaType +} + +func (*StoryAreaTypeLocation) GetType() string { + return TypeStoryAreaTypeLocation +} + +func (*StoryAreaTypeLocation) StoryAreaTypeType() string { + return TypeStoryAreaTypeLocation +} + +// An area pointing to a venue +type StoryAreaTypeVenue struct { + meta + // Information about the venue + Venue *Venue `json:"venue"` +} + +func (entity *StoryAreaTypeVenue) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StoryAreaTypeVenue + + return json.Marshal((*stub)(entity)) +} + +func (*StoryAreaTypeVenue) GetClass() string { + return ClassStoryAreaType +} + +func (*StoryAreaTypeVenue) GetType() string { + return TypeStoryAreaTypeVenue +} + +func (*StoryAreaTypeVenue) StoryAreaTypeType() string { + return TypeStoryAreaTypeVenue +} + +// An area pointing to a suggested reaction. App needs to show a clickable reaction on the area and call setStoryReaction when the are is clicked +type StoryAreaTypeSuggestedReaction struct { + meta + // Type of the reaction + ReactionType ReactionType `json:"reaction_type"` + // Number of times the reaction was added + TotalCount int32 `json:"total_count"` + // True, if reaction has a dark background + IsDark bool `json:"is_dark"` + // True, if reaction corner is flipped + IsFlipped bool `json:"is_flipped"` +} + +func (entity *StoryAreaTypeSuggestedReaction) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StoryAreaTypeSuggestedReaction + + return json.Marshal((*stub)(entity)) +} + +func (*StoryAreaTypeSuggestedReaction) GetClass() string { + return ClassStoryAreaType +} + +func (*StoryAreaTypeSuggestedReaction) GetType() string { + return TypeStoryAreaTypeSuggestedReaction +} + +func (*StoryAreaTypeSuggestedReaction) StoryAreaTypeType() string { + return TypeStoryAreaTypeSuggestedReaction +} + +func (storyAreaTypeSuggestedReaction *StoryAreaTypeSuggestedReaction) UnmarshalJSON(data []byte) error { + var tmp struct { + ReactionType json.RawMessage `json:"reaction_type"` + TotalCount int32 `json:"total_count"` + IsDark bool `json:"is_dark"` + IsFlipped bool `json:"is_flipped"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + storyAreaTypeSuggestedReaction.TotalCount = tmp.TotalCount + storyAreaTypeSuggestedReaction.IsDark = tmp.IsDark + storyAreaTypeSuggestedReaction.IsFlipped = tmp.IsFlipped + + fieldReactionType, _ := UnmarshalReactionType(tmp.ReactionType) + storyAreaTypeSuggestedReaction.ReactionType = fieldReactionType + + return nil +} + +// An area pointing to a message +type StoryAreaTypeMessage struct { + meta + // Identifier of the chat with the message + ChatId int64 `json:"chat_id"` + // Identifier of the message + MessageId int64 `json:"message_id"` +} + +func (entity *StoryAreaTypeMessage) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StoryAreaTypeMessage + + return json.Marshal((*stub)(entity)) +} + +func (*StoryAreaTypeMessage) GetClass() string { + return ClassStoryAreaType +} + +func (*StoryAreaTypeMessage) GetType() string { + return TypeStoryAreaTypeMessage +} + +func (*StoryAreaTypeMessage) StoryAreaTypeType() string { + return TypeStoryAreaTypeMessage +} + +// An area pointing to a HTTP or tg:// link +type StoryAreaTypeLink struct { + meta + // HTTP or tg:// URL to be opened when the area is clicked + Url string `json:"url"` +} + +func (entity *StoryAreaTypeLink) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StoryAreaTypeLink + + return json.Marshal((*stub)(entity)) +} + +func (*StoryAreaTypeLink) GetClass() string { + return ClassStoryAreaType +} + +func (*StoryAreaTypeLink) GetType() string { + return TypeStoryAreaTypeLink +} + +func (*StoryAreaTypeLink) StoryAreaTypeType() string { + return TypeStoryAreaTypeLink +} + +// An area with information about weather +type StoryAreaTypeWeather struct { + meta + // Temperature, in degree Celsius + Temperature float64 `json:"temperature"` + // Emoji representing the weather + Emoji string `json:"emoji"` + // A color of the area background in the ARGB format + BackgroundColor int32 `json:"background_color"` +} + +func (entity *StoryAreaTypeWeather) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StoryAreaTypeWeather + + return json.Marshal((*stub)(entity)) +} + +func (*StoryAreaTypeWeather) GetClass() string { + return ClassStoryAreaType +} + +func (*StoryAreaTypeWeather) GetType() string { + return TypeStoryAreaTypeWeather +} + +func (*StoryAreaTypeWeather) StoryAreaTypeType() string { + return TypeStoryAreaTypeWeather +} + +// An area with an upgraded gift +type StoryAreaTypeUpgradedGift struct { + meta + // Unique name of the upgraded gift + GiftName string `json:"gift_name"` +} + +func (entity *StoryAreaTypeUpgradedGift) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StoryAreaTypeUpgradedGift + + return json.Marshal((*stub)(entity)) +} + +func (*StoryAreaTypeUpgradedGift) GetClass() string { + return ClassStoryAreaType +} + +func (*StoryAreaTypeUpgradedGift) GetType() string { + return TypeStoryAreaTypeUpgradedGift +} + +func (*StoryAreaTypeUpgradedGift) StoryAreaTypeType() string { + return TypeStoryAreaTypeUpgradedGift +} + +// Describes a clickable rectangle area on a story media +type StoryArea struct { + meta + // Position of the area + Position *StoryAreaPosition `json:"position"` + // Type of the area + Type StoryAreaType `json:"type"` +} + +func (entity *StoryArea) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StoryArea + + return json.Marshal((*stub)(entity)) +} + +func (*StoryArea) GetClass() string { + return ClassStoryArea +} + +func (*StoryArea) GetType() string { + return TypeStoryArea +} + +func (storyArea *StoryArea) UnmarshalJSON(data []byte) error { + var tmp struct { + Position *StoryAreaPosition `json:"position"` + Type json.RawMessage `json:"type"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + storyArea.Position = tmp.Position + + fieldType, _ := UnmarshalStoryAreaType(tmp.Type) + storyArea.Type = fieldType + + return nil +} + +// An area pointing to a location +type InputStoryAreaTypeLocation struct { + meta + // The location + Location *Location `json:"location"` + // Address of the location; pass null if unknown + Address *LocationAddress `json:"address"` +} + +func (entity *InputStoryAreaTypeLocation) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputStoryAreaTypeLocation + + return json.Marshal((*stub)(entity)) +} + +func (*InputStoryAreaTypeLocation) GetClass() string { + return ClassInputStoryAreaType +} + +func (*InputStoryAreaTypeLocation) GetType() string { + return TypeInputStoryAreaTypeLocation +} + +func (*InputStoryAreaTypeLocation) InputStoryAreaTypeType() string { + return TypeInputStoryAreaTypeLocation +} + +// An area pointing to a venue found by the bot getOption("venue_search_bot_username") +type InputStoryAreaTypeFoundVenue struct { + meta + // Identifier of the inline query, used to found the venue + QueryId JsonInt64 `json:"query_id"` + // Identifier of the inline query result + ResultId string `json:"result_id"` +} + +func (entity *InputStoryAreaTypeFoundVenue) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputStoryAreaTypeFoundVenue + + return json.Marshal((*stub)(entity)) +} + +func (*InputStoryAreaTypeFoundVenue) GetClass() string { + return ClassInputStoryAreaType +} + +func (*InputStoryAreaTypeFoundVenue) GetType() string { + return TypeInputStoryAreaTypeFoundVenue +} + +func (*InputStoryAreaTypeFoundVenue) InputStoryAreaTypeType() string { + return TypeInputStoryAreaTypeFoundVenue +} + +// An area pointing to a venue already added to the story +type InputStoryAreaTypePreviousVenue struct { + meta + // Provider of the venue + VenueProvider string `json:"venue_provider"` + // Identifier of the venue in the provider database + VenueId string `json:"venue_id"` +} + +func (entity *InputStoryAreaTypePreviousVenue) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputStoryAreaTypePreviousVenue + + return json.Marshal((*stub)(entity)) +} + +func (*InputStoryAreaTypePreviousVenue) GetClass() string { + return ClassInputStoryAreaType +} + +func (*InputStoryAreaTypePreviousVenue) GetType() string { + return TypeInputStoryAreaTypePreviousVenue +} + +func (*InputStoryAreaTypePreviousVenue) InputStoryAreaTypeType() string { + return TypeInputStoryAreaTypePreviousVenue +} + +// An area pointing to a suggested reaction +type InputStoryAreaTypeSuggestedReaction struct { + meta + // Type of the reaction + ReactionType ReactionType `json:"reaction_type"` + // True, if reaction has a dark background + IsDark bool `json:"is_dark"` + // True, if reaction corner is flipped + IsFlipped bool `json:"is_flipped"` +} + +func (entity *InputStoryAreaTypeSuggestedReaction) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputStoryAreaTypeSuggestedReaction + + return json.Marshal((*stub)(entity)) +} + +func (*InputStoryAreaTypeSuggestedReaction) GetClass() string { + return ClassInputStoryAreaType +} + +func (*InputStoryAreaTypeSuggestedReaction) GetType() string { + return TypeInputStoryAreaTypeSuggestedReaction +} + +func (*InputStoryAreaTypeSuggestedReaction) InputStoryAreaTypeType() string { + return TypeInputStoryAreaTypeSuggestedReaction +} + +func (inputStoryAreaTypeSuggestedReaction *InputStoryAreaTypeSuggestedReaction) UnmarshalJSON(data []byte) error { + var tmp struct { + ReactionType json.RawMessage `json:"reaction_type"` + IsDark bool `json:"is_dark"` + IsFlipped bool `json:"is_flipped"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + inputStoryAreaTypeSuggestedReaction.IsDark = tmp.IsDark + inputStoryAreaTypeSuggestedReaction.IsFlipped = tmp.IsFlipped + + fieldReactionType, _ := UnmarshalReactionType(tmp.ReactionType) + inputStoryAreaTypeSuggestedReaction.ReactionType = fieldReactionType + + return nil +} + +// An area pointing to a message +type InputStoryAreaTypeMessage struct { + meta + // Identifier of the chat with the message. Currently, the chat must be a supergroup or a channel chat + ChatId int64 `json:"chat_id"` + // Identifier of the message. Use messageProperties.can_be_shared_in_story to check whether the message is suitable + MessageId int64 `json:"message_id"` +} + +func (entity *InputStoryAreaTypeMessage) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputStoryAreaTypeMessage + + return json.Marshal((*stub)(entity)) +} + +func (*InputStoryAreaTypeMessage) GetClass() string { + return ClassInputStoryAreaType +} + +func (*InputStoryAreaTypeMessage) GetType() string { + return TypeInputStoryAreaTypeMessage +} + +func (*InputStoryAreaTypeMessage) InputStoryAreaTypeType() string { + return TypeInputStoryAreaTypeMessage +} + +// An area pointing to a HTTP or tg:// link +type InputStoryAreaTypeLink struct { + meta + // HTTP or tg:// URL to be opened when the area is clicked + Url string `json:"url"` +} + +func (entity *InputStoryAreaTypeLink) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputStoryAreaTypeLink + + return json.Marshal((*stub)(entity)) +} + +func (*InputStoryAreaTypeLink) GetClass() string { + return ClassInputStoryAreaType +} + +func (*InputStoryAreaTypeLink) GetType() string { + return TypeInputStoryAreaTypeLink +} + +func (*InputStoryAreaTypeLink) InputStoryAreaTypeType() string { + return TypeInputStoryAreaTypeLink +} + +// An area with information about weather +type InputStoryAreaTypeWeather struct { + meta + // Temperature, in degree Celsius + Temperature float64 `json:"temperature"` + // Emoji representing the weather + Emoji string `json:"emoji"` + // A color of the area background in the ARGB format + BackgroundColor int32 `json:"background_color"` +} + +func (entity *InputStoryAreaTypeWeather) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputStoryAreaTypeWeather + + return json.Marshal((*stub)(entity)) +} + +func (*InputStoryAreaTypeWeather) GetClass() string { + return ClassInputStoryAreaType +} + +func (*InputStoryAreaTypeWeather) GetType() string { + return TypeInputStoryAreaTypeWeather +} + +func (*InputStoryAreaTypeWeather) InputStoryAreaTypeType() string { + return TypeInputStoryAreaTypeWeather +} + +// An area with an upgraded gift +type InputStoryAreaTypeUpgradedGift struct { + meta + // Unique name of the upgraded gift + GiftName string `json:"gift_name"` +} + +func (entity *InputStoryAreaTypeUpgradedGift) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputStoryAreaTypeUpgradedGift + + return json.Marshal((*stub)(entity)) +} + +func (*InputStoryAreaTypeUpgradedGift) GetClass() string { + return ClassInputStoryAreaType +} + +func (*InputStoryAreaTypeUpgradedGift) GetType() string { + return TypeInputStoryAreaTypeUpgradedGift +} + +func (*InputStoryAreaTypeUpgradedGift) InputStoryAreaTypeType() string { + return TypeInputStoryAreaTypeUpgradedGift +} + +// Describes a clickable rectangle area on a story media to be added +type InputStoryArea struct { + meta + // Position of the area + Position *StoryAreaPosition `json:"position"` + // Type of the area + Type InputStoryAreaType `json:"type"` +} + +func (entity *InputStoryArea) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputStoryArea + + return json.Marshal((*stub)(entity)) +} + +func (*InputStoryArea) GetClass() string { + return ClassInputStoryArea +} + +func (*InputStoryArea) GetType() string { + return TypeInputStoryArea +} + +func (inputStoryArea *InputStoryArea) UnmarshalJSON(data []byte) error { + var tmp struct { + Position *StoryAreaPosition `json:"position"` + Type json.RawMessage `json:"type"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + inputStoryArea.Position = tmp.Position + + fieldType, _ := UnmarshalInputStoryAreaType(tmp.Type) + inputStoryArea.Type = fieldType + + return nil +} + +// Contains a list of story areas to be added +type InputStoryAreas struct { + meta + // List of input story areas. Currently, a story can have up to 10 inputStoryAreaTypeLocation, inputStoryAreaTypeFoundVenue, and inputStoryAreaTypePreviousVenue areas, up to getOption("story_suggested_reaction_area_count_max") inputStoryAreaTypeSuggestedReaction areas, up to 1 inputStoryAreaTypeMessage area, up to getOption("story_link_area_count_max") inputStoryAreaTypeLink areas if the current user is a Telegram Premium user, up to 3 inputStoryAreaTypeWeather areas, and up to 1 inputStoryAreaTypeUpgradedGift area + Areas []*InputStoryArea `json:"areas"` +} + +func (entity *InputStoryAreas) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputStoryAreas + + return json.Marshal((*stub)(entity)) +} + +func (*InputStoryAreas) GetClass() string { + return ClassInputStoryAreas +} + +func (*InputStoryAreas) GetType() string { + return TypeInputStoryAreas +} + +// Describes a video file posted as a story +type StoryVideo struct { + meta + // Duration of the video, in seconds + Duration float64 `json:"duration"` + // Video width + Width int32 `json:"width"` + // Video height + Height int32 `json:"height"` + // True, if stickers were added to the video. The list of corresponding sticker sets can be received using getAttachedStickerSets + HasStickers bool `json:"has_stickers"` + // True, if the video has no sound + IsAnimation bool `json:"is_animation"` + // Video minithumbnail; may be null + Minithumbnail *Minithumbnail `json:"minithumbnail"` + // Video thumbnail in JPEG or MPEG4 format; may be null + Thumbnail *Thumbnail `json:"thumbnail"` + // Size of file prefix, which is expected to be preloaded, in bytes + PreloadPrefixSize int32 `json:"preload_prefix_size"` + // Timestamp of the frame used as video thumbnail + CoverFrameTimestamp float64 `json:"cover_frame_timestamp"` + // File containing the video + Video *File `json:"video"` +} + +func (entity *StoryVideo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StoryVideo + + return json.Marshal((*stub)(entity)) +} + +func (*StoryVideo) GetClass() string { + return ClassStoryVideo +} + +func (*StoryVideo) GetType() string { + return TypeStoryVideo +} + +// A photo story +type StoryContentTypePhoto struct{ + meta +} + +func (entity *StoryContentTypePhoto) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StoryContentTypePhoto + + return json.Marshal((*stub)(entity)) +} + +func (*StoryContentTypePhoto) GetClass() string { + return ClassStoryContentType +} + +func (*StoryContentTypePhoto) GetType() string { + return TypeStoryContentTypePhoto +} + +func (*StoryContentTypePhoto) StoryContentTypeType() string { + return TypeStoryContentTypePhoto +} + +// A video story +type StoryContentTypeVideo struct{ + meta +} + +func (entity *StoryContentTypeVideo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StoryContentTypeVideo + + return json.Marshal((*stub)(entity)) +} + +func (*StoryContentTypeVideo) GetClass() string { + return ClassStoryContentType +} + +func (*StoryContentTypeVideo) GetType() string { + return TypeStoryContentTypeVideo +} + +func (*StoryContentTypeVideo) StoryContentTypeType() string { + return TypeStoryContentTypeVideo +} + +// A live story +type StoryContentTypeLive struct{ + meta +} + +func (entity *StoryContentTypeLive) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StoryContentTypeLive + + return json.Marshal((*stub)(entity)) +} + +func (*StoryContentTypeLive) GetClass() string { + return ClassStoryContentType +} + +func (*StoryContentTypeLive) GetType() string { + return TypeStoryContentTypeLive +} + +func (*StoryContentTypeLive) StoryContentTypeType() string { + return TypeStoryContentTypeLive +} + +// A story of unknown content type +type StoryContentTypeUnsupported struct{ + meta +} + +func (entity *StoryContentTypeUnsupported) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StoryContentTypeUnsupported + + return json.Marshal((*stub)(entity)) +} + +func (*StoryContentTypeUnsupported) GetClass() string { + return ClassStoryContentType +} + +func (*StoryContentTypeUnsupported) GetType() string { + return TypeStoryContentTypeUnsupported +} + +func (*StoryContentTypeUnsupported) StoryContentTypeType() string { + return TypeStoryContentTypeUnsupported +} + +// A photo story +type StoryContentPhoto struct { + meta + // The photo + Photo *Photo `json:"photo"` +} + +func (entity *StoryContentPhoto) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StoryContentPhoto + + return json.Marshal((*stub)(entity)) +} + +func (*StoryContentPhoto) GetClass() string { + return ClassStoryContent +} + +func (*StoryContentPhoto) GetType() string { + return TypeStoryContentPhoto +} + +func (*StoryContentPhoto) StoryContentType() string { + return TypeStoryContentPhoto +} + +// A video story +type StoryContentVideo struct { + meta + // The video in MPEG4 format + Video *StoryVideo `json:"video"` + // Alternative version of the video in MPEG4 format, encoded with H.264 codec; may be null + AlternativeVideo *StoryVideo `json:"alternative_video"` +} + +func (entity *StoryContentVideo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StoryContentVideo + + return json.Marshal((*stub)(entity)) +} + +func (*StoryContentVideo) GetClass() string { + return ClassStoryContent +} + +func (*StoryContentVideo) GetType() string { + return TypeStoryContentVideo +} + +func (*StoryContentVideo) StoryContentType() string { + return TypeStoryContentVideo +} + +// A live story +type StoryContentLive struct { + meta + // Identifier of the corresponding group call. The group call can be received through the method getGroupCall + GroupCallId int32 `json:"group_call_id"` + // True, if the call is an RTMP stream instead of an ordinary group call + IsRtmpStream bool `json:"is_rtmp_stream"` +} + +func (entity *StoryContentLive) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StoryContentLive + + return json.Marshal((*stub)(entity)) +} + +func (*StoryContentLive) GetClass() string { + return ClassStoryContent +} + +func (*StoryContentLive) GetType() string { + return TypeStoryContentLive +} + +func (*StoryContentLive) StoryContentType() string { + return TypeStoryContentLive +} + +// A story content that is not supported in the current TDLib version +type StoryContentUnsupported struct{ + meta +} + +func (entity *StoryContentUnsupported) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StoryContentUnsupported + + return json.Marshal((*stub)(entity)) +} + +func (*StoryContentUnsupported) GetClass() string { + return ClassStoryContent +} + +func (*StoryContentUnsupported) GetType() string { + return TypeStoryContentUnsupported +} + +func (*StoryContentUnsupported) StoryContentType() string { + return TypeStoryContentUnsupported +} + +// A photo story +type InputStoryContentPhoto struct { + meta + // Photo to send. The photo must be at most 10 MB in size. The photo size must be 1080x1920 + Photo InputFile `json:"photo"` + // File identifiers of the stickers added to the photo, if applicable + AddedStickerFileIds []int32 `json:"added_sticker_file_ids"` +} + +func (entity *InputStoryContentPhoto) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputStoryContentPhoto + + return json.Marshal((*stub)(entity)) +} + +func (*InputStoryContentPhoto) GetClass() string { + return ClassInputStoryContent +} + +func (*InputStoryContentPhoto) GetType() string { + return TypeInputStoryContentPhoto +} + +func (*InputStoryContentPhoto) InputStoryContentType() string { + return TypeInputStoryContentPhoto +} + +func (inputStoryContentPhoto *InputStoryContentPhoto) UnmarshalJSON(data []byte) error { + var tmp struct { + Photo json.RawMessage `json:"photo"` + AddedStickerFileIds []int32 `json:"added_sticker_file_ids"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + inputStoryContentPhoto.AddedStickerFileIds = tmp.AddedStickerFileIds + + fieldPhoto, _ := UnmarshalInputFile(tmp.Photo) + inputStoryContentPhoto.Photo = fieldPhoto + + return nil +} + +// A video story +type InputStoryContentVideo struct { + meta + // Video to be sent. The video size must be 720x1280. The video must be streamable and stored in MPEG4 format, after encoding with H.265 codec and key frames added each second + Video InputFile `json:"video"` + // File identifiers of the stickers added to the video, if applicable + AddedStickerFileIds []int32 `json:"added_sticker_file_ids"` + // Precise duration of the video, in seconds; 0-60 + Duration float64 `json:"duration"` + // Timestamp of the frame, which will be used as video thumbnail + CoverFrameTimestamp float64 `json:"cover_frame_timestamp"` + // True, if the video has no sound + IsAnimation bool `json:"is_animation"` +} + +func (entity *InputStoryContentVideo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputStoryContentVideo + + return json.Marshal((*stub)(entity)) +} + +func (*InputStoryContentVideo) GetClass() string { + return ClassInputStoryContent +} + +func (*InputStoryContentVideo) GetType() string { + return TypeInputStoryContentVideo +} + +func (*InputStoryContentVideo) InputStoryContentType() string { + return TypeInputStoryContentVideo +} + +func (inputStoryContentVideo *InputStoryContentVideo) UnmarshalJSON(data []byte) error { + var tmp struct { + Video json.RawMessage `json:"video"` + AddedStickerFileIds []int32 `json:"added_sticker_file_ids"` + Duration float64 `json:"duration"` + CoverFrameTimestamp float64 `json:"cover_frame_timestamp"` + IsAnimation bool `json:"is_animation"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + inputStoryContentVideo.AddedStickerFileIds = tmp.AddedStickerFileIds + inputStoryContentVideo.Duration = tmp.Duration + inputStoryContentVideo.CoverFrameTimestamp = tmp.CoverFrameTimestamp + inputStoryContentVideo.IsAnimation = tmp.IsAnimation + + fieldVideo, _ := UnmarshalInputFile(tmp.Video) + inputStoryContentVideo.Video = fieldVideo + + return nil +} + +// The list of stories, shown in the main chat list and folder chat lists +type StoryListMain struct{ + meta +} + +func (entity *StoryListMain) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StoryListMain + + return json.Marshal((*stub)(entity)) +} + +func (*StoryListMain) GetClass() string { + return ClassStoryList +} + +func (*StoryListMain) GetType() string { + return TypeStoryListMain +} + +func (*StoryListMain) StoryListType() string { + return TypeStoryListMain +} + +// The list of stories, shown in the Arvhive chat list +type StoryListArchive struct{ + meta +} + +func (entity *StoryListArchive) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StoryListArchive + + return json.Marshal((*stub)(entity)) +} + +func (*StoryListArchive) GetClass() string { + return ClassStoryList +} + +func (*StoryListArchive) GetType() string { + return TypeStoryListArchive +} + +func (*StoryListArchive) StoryListType() string { + return TypeStoryListArchive +} + +// The original story was a public story that was posted by a known chat +type StoryOriginPublicStory struct { + meta + // Identifier of the chat that posted original story + ChatId int64 `json:"chat_id"` + // Story identifier of the original story + StoryId int32 `json:"story_id"` +} + +func (entity *StoryOriginPublicStory) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StoryOriginPublicStory + + return json.Marshal((*stub)(entity)) +} + +func (*StoryOriginPublicStory) GetClass() string { + return ClassStoryOrigin +} + +func (*StoryOriginPublicStory) GetType() string { + return TypeStoryOriginPublicStory +} + +func (*StoryOriginPublicStory) StoryOriginType() string { + return TypeStoryOriginPublicStory +} + +// The original story was posted by an unknown user +type StoryOriginHiddenUser struct { + meta + // Name of the user or the chat that posted the story + PosterName string `json:"poster_name"` +} + +func (entity *StoryOriginHiddenUser) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StoryOriginHiddenUser + + return json.Marshal((*stub)(entity)) +} + +func (*StoryOriginHiddenUser) GetClass() string { + return ClassStoryOrigin +} + +func (*StoryOriginHiddenUser) GetType() string { + return TypeStoryOriginHiddenUser +} + +func (*StoryOriginHiddenUser) StoryOriginType() string { + return TypeStoryOriginHiddenUser +} + +// Contains information about original story that was reposted +type StoryRepostInfo struct { + meta + // Origin of the story that was reposted + Origin StoryOrigin `json:"origin"` + // True, if story content was modified during reposting; otherwise, story wasn't modified + IsContentModified bool `json:"is_content_modified"` +} + +func (entity *StoryRepostInfo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StoryRepostInfo + + return json.Marshal((*stub)(entity)) +} + +func (*StoryRepostInfo) GetClass() string { + return ClassStoryRepostInfo +} + +func (*StoryRepostInfo) GetType() string { + return TypeStoryRepostInfo +} + +func (storyRepostInfo *StoryRepostInfo) UnmarshalJSON(data []byte) error { + var tmp struct { + Origin json.RawMessage `json:"origin"` + IsContentModified bool `json:"is_content_modified"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + storyRepostInfo.IsContentModified = tmp.IsContentModified + + fieldOrigin, _ := UnmarshalStoryOrigin(tmp.Origin) + storyRepostInfo.Origin = fieldOrigin + + return nil +} + +// Contains information about interactions with a story +type StoryInteractionInfo struct { + meta + // Number of times the story was viewed + ViewCount int32 `json:"view_count"` + // Number of times the story was forwarded; 0 if none or unknown + ForwardCount int32 `json:"forward_count"` + // Number of reactions added to the story; 0 if none or unknown + ReactionCount int32 `json:"reaction_count"` + // Identifiers of at most 3 recent viewers of the story + RecentViewerUserIds []int64 `json:"recent_viewer_user_ids"` +} + +func (entity *StoryInteractionInfo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StoryInteractionInfo + + return json.Marshal((*stub)(entity)) +} + +func (*StoryInteractionInfo) GetClass() string { + return ClassStoryInteractionInfo +} + +func (*StoryInteractionInfo) GetType() string { + return TypeStoryInteractionInfo +} + +// Represents a story +type Story struct { + meta + // Unique story identifier among stories posted by the given chat + Id int32 `json:"id"` + // Identifier of the chat that posted the story + PosterChatId int64 `json:"poster_chat_id"` + // Identifier of the user or chat that posted the story; may be null if the story is posted on behalf of the poster_chat_id + PosterId MessageSender `json:"poster_id"` + // Point in time (Unix timestamp) when the story was published + Date int32 `json:"date"` + // True, if the story is being posted by the current user + IsBeingPosted bool `json:"is_being_posted"` + // True, if the story is being edited by the current user + IsBeingEdited bool `json:"is_being_edited"` + // True, if the story was edited + IsEdited bool `json:"is_edited"` + // True, if the story is saved in the profile of the chat that posted it and will be available there after expiration + IsPostedToChatPage bool `json:"is_posted_to_chat_page"` + // True, if the story is visible only for the current user + IsVisibleOnlyForSelf bool `json:"is_visible_only_for_self"` + // True, if the story can be added to an album using createStoryAlbum and addStoryAlbumStories + CanBeAddedToAlbum bool `json:"can_be_added_to_album"` + // True, if the story can be deleted + CanBeDeleted bool `json:"can_be_deleted"` + // True, if the story can be edited + CanBeEdited bool `json:"can_be_edited"` + // True, if the story can be forwarded as a message or reposted as a story. Otherwise, screenshotting and saving of the story content must be also forbidden + CanBeForwarded bool `json:"can_be_forwarded"` + // True, if the story can be replied in the chat with the user who posted the story + CanBeReplied bool `json:"can_be_replied"` + // True, if the story privacy settings can be changed + CanSetPrivacySettings bool `json:"can_set_privacy_settings"` + // True, if the story's is_posted_to_chat_page value can be changed + CanToggleIsPostedToChatPage bool `json:"can_toggle_is_posted_to_chat_page"` + // True, if the story statistics are available through getStoryStatistics + CanGetStatistics bool `json:"can_get_statistics"` + // True, if interactions with the story can be received through getStoryInteractions + CanGetInteractions bool `json:"can_get_interactions"` + // True, if users viewed the story can't be received, because the story has expired more than getOption("story_viewers_expiration_delay") seconds ago + HasExpiredViewers bool `json:"has_expired_viewers"` + // Information about the original story; may be null if the story wasn't reposted + RepostInfo *StoryRepostInfo `json:"repost_info"` + // Information about interactions with the story; may be null if the story isn't owned or there were no interactions + InteractionInfo *StoryInteractionInfo `json:"interaction_info"` + // Type of the chosen reaction; may be null if none + ChosenReactionType ReactionType `json:"chosen_reaction_type"` + // Privacy rules affecting story visibility; may be approximate for non-owned stories + PrivacySettings StoryPrivacySettings `json:"privacy_settings"` + // Content of the story + Content StoryContent `json:"content"` + // Clickable areas to be shown on the story content + Areas []*StoryArea `json:"areas"` + // Caption of the story + Caption *FormattedText `json:"caption"` + // Identifiers of story albums to which the story is added; only for manageable stories + AlbumIds []int32 `json:"album_ids"` +} + +func (entity *Story) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub Story + + return json.Marshal((*stub)(entity)) +} + +func (*Story) GetClass() string { + return ClassStory +} + +func (*Story) GetType() string { + return TypeStory +} + +func (story *Story) UnmarshalJSON(data []byte) error { + var tmp struct { + Id int32 `json:"id"` + PosterChatId int64 `json:"poster_chat_id"` + PosterId json.RawMessage `json:"poster_id"` + Date int32 `json:"date"` + IsBeingPosted bool `json:"is_being_posted"` + IsBeingEdited bool `json:"is_being_edited"` + IsEdited bool `json:"is_edited"` + IsPostedToChatPage bool `json:"is_posted_to_chat_page"` + IsVisibleOnlyForSelf bool `json:"is_visible_only_for_self"` + CanBeAddedToAlbum bool `json:"can_be_added_to_album"` + CanBeDeleted bool `json:"can_be_deleted"` + CanBeEdited bool `json:"can_be_edited"` + CanBeForwarded bool `json:"can_be_forwarded"` + CanBeReplied bool `json:"can_be_replied"` + CanSetPrivacySettings bool `json:"can_set_privacy_settings"` + CanToggleIsPostedToChatPage bool `json:"can_toggle_is_posted_to_chat_page"` + CanGetStatistics bool `json:"can_get_statistics"` + CanGetInteractions bool `json:"can_get_interactions"` + HasExpiredViewers bool `json:"has_expired_viewers"` + RepostInfo *StoryRepostInfo `json:"repost_info"` + InteractionInfo *StoryInteractionInfo `json:"interaction_info"` + ChosenReactionType json.RawMessage `json:"chosen_reaction_type"` + PrivacySettings json.RawMessage `json:"privacy_settings"` + Content json.RawMessage `json:"content"` + Areas []*StoryArea `json:"areas"` + Caption *FormattedText `json:"caption"` + AlbumIds []int32 `json:"album_ids"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + story.Id = tmp.Id + story.PosterChatId = tmp.PosterChatId + story.Date = tmp.Date + story.IsBeingPosted = tmp.IsBeingPosted + story.IsBeingEdited = tmp.IsBeingEdited + story.IsEdited = tmp.IsEdited + story.IsPostedToChatPage = tmp.IsPostedToChatPage + story.IsVisibleOnlyForSelf = tmp.IsVisibleOnlyForSelf + story.CanBeAddedToAlbum = tmp.CanBeAddedToAlbum + story.CanBeDeleted = tmp.CanBeDeleted + story.CanBeEdited = tmp.CanBeEdited + story.CanBeForwarded = tmp.CanBeForwarded + story.CanBeReplied = tmp.CanBeReplied + story.CanSetPrivacySettings = tmp.CanSetPrivacySettings + story.CanToggleIsPostedToChatPage = tmp.CanToggleIsPostedToChatPage + story.CanGetStatistics = tmp.CanGetStatistics + story.CanGetInteractions = tmp.CanGetInteractions + story.HasExpiredViewers = tmp.HasExpiredViewers + story.RepostInfo = tmp.RepostInfo + story.InteractionInfo = tmp.InteractionInfo + story.Areas = tmp.Areas + story.Caption = tmp.Caption + story.AlbumIds = tmp.AlbumIds + + fieldPosterId, _ := UnmarshalMessageSender(tmp.PosterId) + story.PosterId = fieldPosterId + + fieldChosenReactionType, _ := UnmarshalReactionType(tmp.ChosenReactionType) + story.ChosenReactionType = fieldChosenReactionType + + fieldPrivacySettings, _ := UnmarshalStoryPrivacySettings(tmp.PrivacySettings) + story.PrivacySettings = fieldPrivacySettings + + fieldContent, _ := UnmarshalStoryContent(tmp.Content) + story.Content = fieldContent + + return nil +} + +// Represents a list of stories +type Stories struct { + meta + // Approximate total number of stories found + TotalCount int32 `json:"total_count"` + // The list of stories + Stories []*Story `json:"stories"` + // Identifiers of the pinned stories; returned only in getChatPostedToChatPageStories with from_story_id == 0 + PinnedStoryIds []int32 `json:"pinned_story_ids"` +} + +func (entity *Stories) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub Stories + + return json.Marshal((*stub)(entity)) +} + +func (*Stories) GetClass() string { + return ClassStories +} + +func (*Stories) GetType() string { + return TypeStories +} + +// Contains a list of stories found by a search +type FoundStories struct { + meta + // Approximate total number of stories found + TotalCount int32 `json:"total_count"` + // List of stories + Stories []*Story `json:"stories"` + // The offset for the next request. If empty, then there are no more results + NextOffset string `json:"next_offset"` +} + +func (entity *FoundStories) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub FoundStories + + return json.Marshal((*stub)(entity)) +} + +func (*FoundStories) GetClass() string { + return ClassFoundStories +} + +func (*FoundStories) GetType() string { + return TypeFoundStories +} + +// Describes album of stories +type StoryAlbum struct { + meta + // Unique identifier of the album + Id int32 `json:"id"` + // Name of the album + Name string `json:"name"` + // Icon of the album; may be null if none + PhotoIcon *Photo `json:"photo_icon"` + // Video icon of the album; may be null if none + VideoIcon *Video `json:"video_icon"` +} + +func (entity *StoryAlbum) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StoryAlbum + + return json.Marshal((*stub)(entity)) +} + +func (*StoryAlbum) GetClass() string { + return ClassStoryAlbum +} + +func (*StoryAlbum) GetType() string { + return TypeStoryAlbum +} + +// Represents a list of story albums +type StoryAlbums struct { + meta + // List of story albums + Albums []*StoryAlbum `json:"albums"` +} + +func (entity *StoryAlbums) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StoryAlbums + + return json.Marshal((*stub)(entity)) +} + +func (*StoryAlbums) GetClass() string { + return ClassStoryAlbums +} + +func (*StoryAlbums) GetType() string { + return TypeStoryAlbums +} + +// Contains identifier of a story along with identifier of the chat that posted it +type StoryFullId struct { + meta + // Identifier of the chat that posted the story + PosterChatId int64 `json:"poster_chat_id"` + // Unique story identifier among stories of the chat + StoryId int32 `json:"story_id"` +} + +func (entity *StoryFullId) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StoryFullId + + return json.Marshal((*stub)(entity)) +} + +func (*StoryFullId) GetClass() string { + return ClassStoryFullId +} + +func (*StoryFullId) GetType() string { + return TypeStoryFullId +} + +// Contains basic information about a story +type StoryInfo struct { + meta + // Unique story identifier among stories of the chat + StoryId int32 `json:"story_id"` + // Point in time (Unix timestamp) when the story was published + Date int32 `json:"date"` + // True, if the story is available only to close friends + IsForCloseFriends bool `json:"is_for_close_friends"` + // True, if the story is a live story + IsLive bool `json:"is_live"` +} + +func (entity *StoryInfo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StoryInfo + + return json.Marshal((*stub)(entity)) +} + +func (*StoryInfo) GetClass() string { + return ClassStoryInfo +} + +func (*StoryInfo) GetType() string { + return TypeStoryInfo +} + +// Describes active stories posted by a chat +type ChatActiveStories struct { + meta + // Identifier of the chat that posted the stories + ChatId int64 `json:"chat_id"` + // Identifier of the story list in which the stories are shown; may be null if the stories aren't shown in a story list + List StoryList `json:"list"` + // A parameter used to determine order of the stories in the story list; 0 if the stories doesn't need to be shown in the story list. Stories must be sorted by the pair (order, story_poster_chat_id) in descending order + Order int64 `json:"order"` + // True, if the stories are shown in the main story list and can be archived; otherwise, the stories can be hidden from the main story list only by calling removeTopChat with topChatCategoryUsers and the chat_id. Stories of the current user can't be archived nor hidden using removeTopChat + CanBeArchived bool `json:"can_be_archived"` + // Identifier of the last read active story + MaxReadStoryId int32 `json:"max_read_story_id"` + // Basic information about the stories; use getStory to get full information about the stories. The stories are in chronological order (i.e., in order of increasing story identifiers) + Stories []*StoryInfo `json:"stories"` +} + +func (entity *ChatActiveStories) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatActiveStories + + return json.Marshal((*stub)(entity)) +} + +func (*ChatActiveStories) GetClass() string { + return ClassChatActiveStories +} + +func (*ChatActiveStories) GetType() string { + return TypeChatActiveStories +} + +func (chatActiveStories *ChatActiveStories) UnmarshalJSON(data []byte) error { + var tmp struct { + ChatId int64 `json:"chat_id"` + List json.RawMessage `json:"list"` + Order int64 `json:"order"` + CanBeArchived bool `json:"can_be_archived"` + MaxReadStoryId int32 `json:"max_read_story_id"` + Stories []*StoryInfo `json:"stories"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + chatActiveStories.ChatId = tmp.ChatId + chatActiveStories.Order = tmp.Order + chatActiveStories.CanBeArchived = tmp.CanBeArchived + chatActiveStories.MaxReadStoryId = tmp.MaxReadStoryId + chatActiveStories.Stories = tmp.Stories + + fieldList, _ := UnmarshalStoryList(tmp.List) + chatActiveStories.List = fieldList + + return nil +} + +// A view of the story +type StoryInteractionTypeView struct { + meta + // Type of the reaction that was chosen by the viewer; may be null if none + ChosenReactionType ReactionType `json:"chosen_reaction_type"` +} + +func (entity *StoryInteractionTypeView) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StoryInteractionTypeView + + return json.Marshal((*stub)(entity)) +} + +func (*StoryInteractionTypeView) GetClass() string { + return ClassStoryInteractionType +} + +func (*StoryInteractionTypeView) GetType() string { + return TypeStoryInteractionTypeView +} + +func (*StoryInteractionTypeView) StoryInteractionTypeType() string { + return TypeStoryInteractionTypeView +} + +func (storyInteractionTypeView *StoryInteractionTypeView) UnmarshalJSON(data []byte) error { + var tmp struct { + ChosenReactionType json.RawMessage `json:"chosen_reaction_type"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldChosenReactionType, _ := UnmarshalReactionType(tmp.ChosenReactionType) + storyInteractionTypeView.ChosenReactionType = fieldChosenReactionType + + return nil +} + +// A forward of the story as a message +type StoryInteractionTypeForward struct { + meta + // The message with story forward + Message *Message `json:"message"` +} + +func (entity *StoryInteractionTypeForward) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StoryInteractionTypeForward + + return json.Marshal((*stub)(entity)) +} + +func (*StoryInteractionTypeForward) GetClass() string { + return ClassStoryInteractionType +} + +func (*StoryInteractionTypeForward) GetType() string { + return TypeStoryInteractionTypeForward +} + +func (*StoryInteractionTypeForward) StoryInteractionTypeType() string { + return TypeStoryInteractionTypeForward +} + +// A repost of the story as a story +type StoryInteractionTypeRepost struct { + meta + // The reposted story + Story *Story `json:"story"` +} + +func (entity *StoryInteractionTypeRepost) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StoryInteractionTypeRepost + + return json.Marshal((*stub)(entity)) +} + +func (*StoryInteractionTypeRepost) GetClass() string { + return ClassStoryInteractionType +} + +func (*StoryInteractionTypeRepost) GetType() string { + return TypeStoryInteractionTypeRepost +} + +func (*StoryInteractionTypeRepost) StoryInteractionTypeType() string { + return TypeStoryInteractionTypeRepost +} + +// Represents interaction with a story +type StoryInteraction struct { + meta + // Identifier of the user or chat that made the interaction + ActorId MessageSender `json:"actor_id"` + // Approximate point in time (Unix timestamp) when the interaction happened + InteractionDate int32 `json:"interaction_date"` + // Block list to which the actor is added; may be null if none or for chat stories + BlockList BlockList `json:"block_list"` + // Type of the interaction + Type StoryInteractionType `json:"type"` +} + +func (entity *StoryInteraction) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StoryInteraction + + return json.Marshal((*stub)(entity)) +} + +func (*StoryInteraction) GetClass() string { + return ClassStoryInteraction +} + +func (*StoryInteraction) GetType() string { + return TypeStoryInteraction +} + +func (storyInteraction *StoryInteraction) UnmarshalJSON(data []byte) error { + var tmp struct { + ActorId json.RawMessage `json:"actor_id"` + InteractionDate int32 `json:"interaction_date"` + BlockList json.RawMessage `json:"block_list"` + Type json.RawMessage `json:"type"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + storyInteraction.InteractionDate = tmp.InteractionDate + + fieldActorId, _ := UnmarshalMessageSender(tmp.ActorId) + storyInteraction.ActorId = fieldActorId + + fieldBlockList, _ := UnmarshalBlockList(tmp.BlockList) + storyInteraction.BlockList = fieldBlockList + + fieldType, _ := UnmarshalStoryInteractionType(tmp.Type) + storyInteraction.Type = fieldType + + return nil +} + +// Represents a list of interactions with a story +type StoryInteractions struct { + meta + // Approximate total number of interactions found + TotalCount int32 `json:"total_count"` + // Approximate total number of found forwards and reposts; always 0 for chat stories + TotalForwardCount int32 `json:"total_forward_count"` + // Approximate total number of found reactions; always 0 for chat stories + TotalReactionCount int32 `json:"total_reaction_count"` + // List of story interactions + Interactions []*StoryInteraction `json:"interactions"` + // The offset for the next request. If empty, then there are no more results + NextOffset string `json:"next_offset"` +} + +func (entity *StoryInteractions) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StoryInteractions + + return json.Marshal((*stub)(entity)) +} + +func (*StoryInteractions) GetClass() string { + return ClassStoryInteractions +} + +func (*StoryInteractions) GetType() string { + return TypeStoryInteractions +} + +// Describes a message that can be used for quick reply +type QuickReplyMessage struct { + meta + // Unique message identifier among all quick replies + Id int64 `json:"id"` + // The sending state of the message; may be null if the message isn't being sent and didn't fail to be sent + SendingState MessageSendingState `json:"sending_state"` + // True, if the message can be edited + CanBeEdited bool `json:"can_be_edited"` + // The identifier of the quick reply message to which the message replies; 0 if none + ReplyToMessageId int64 `json:"reply_to_message_id"` + // If non-zero, the user identifier of the bot through which this message was sent + ViaBotUserId int64 `json:"via_bot_user_id"` + // Unique identifier of an album this message belongs to; 0 if none. Only audios, documents, photos and videos can be grouped together in albums + MediaAlbumId JsonInt64 `json:"media_album_id"` + // Content of the message + Content MessageContent `json:"content"` + // Inline keyboard reply markup for the message; may be null if none + ReplyMarkup ReplyMarkup `json:"reply_markup"` +} + +func (entity *QuickReplyMessage) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub QuickReplyMessage + + return json.Marshal((*stub)(entity)) +} + +func (*QuickReplyMessage) GetClass() string { + return ClassQuickReplyMessage +} + +func (*QuickReplyMessage) GetType() string { + return TypeQuickReplyMessage +} + +func (quickReplyMessage *QuickReplyMessage) UnmarshalJSON(data []byte) error { + var tmp struct { + Id int64 `json:"id"` + SendingState json.RawMessage `json:"sending_state"` + CanBeEdited bool `json:"can_be_edited"` + ReplyToMessageId int64 `json:"reply_to_message_id"` + ViaBotUserId int64 `json:"via_bot_user_id"` + MediaAlbumId JsonInt64 `json:"media_album_id"` + Content json.RawMessage `json:"content"` + ReplyMarkup json.RawMessage `json:"reply_markup"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + quickReplyMessage.Id = tmp.Id + quickReplyMessage.CanBeEdited = tmp.CanBeEdited + quickReplyMessage.ReplyToMessageId = tmp.ReplyToMessageId + quickReplyMessage.ViaBotUserId = tmp.ViaBotUserId + quickReplyMessage.MediaAlbumId = tmp.MediaAlbumId + + fieldSendingState, _ := UnmarshalMessageSendingState(tmp.SendingState) + quickReplyMessage.SendingState = fieldSendingState + + fieldContent, _ := UnmarshalMessageContent(tmp.Content) + quickReplyMessage.Content = fieldContent + + fieldReplyMarkup, _ := UnmarshalReplyMarkup(tmp.ReplyMarkup) + quickReplyMessage.ReplyMarkup = fieldReplyMarkup + + return nil +} + +// Contains a list of quick reply messages +type QuickReplyMessages struct { + meta + // List of quick reply messages; messages may be null + Messages []*QuickReplyMessage `json:"messages"` +} + +func (entity *QuickReplyMessages) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub QuickReplyMessages + + return json.Marshal((*stub)(entity)) +} + +func (*QuickReplyMessages) GetClass() string { + return ClassQuickReplyMessages +} + +func (*QuickReplyMessages) GetType() string { + return TypeQuickReplyMessages +} + +// Describes a shortcut that can be used for a quick reply +type QuickReplyShortcut struct { + meta + // Unique shortcut identifier + Id int32 `json:"id"` + // The name of the shortcut that can be used to use the shortcut + Name string `json:"name"` + // The first shortcut message + FirstMessage *QuickReplyMessage `json:"first_message"` + // The total number of messages in the shortcut + MessageCount int32 `json:"message_count"` +} + +func (entity *QuickReplyShortcut) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub QuickReplyShortcut + + return json.Marshal((*stub)(entity)) +} + +func (*QuickReplyShortcut) GetClass() string { + return ClassQuickReplyShortcut +} + +func (*QuickReplyShortcut) GetType() string { + return TypeQuickReplyShortcut +} + +// Contains a public forward as a message +type PublicForwardMessage struct { + meta + // Information about the message + Message *Message `json:"message"` +} + +func (entity *PublicForwardMessage) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PublicForwardMessage + + return json.Marshal((*stub)(entity)) +} + +func (*PublicForwardMessage) GetClass() string { + return ClassPublicForward +} + +func (*PublicForwardMessage) GetType() string { + return TypePublicForwardMessage +} + +func (*PublicForwardMessage) PublicForwardType() string { + return TypePublicForwardMessage +} + +// Contains a public repost to a story +type PublicForwardStory struct { + meta + // Information about the story + Story *Story `json:"story"` +} + +func (entity *PublicForwardStory) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PublicForwardStory + + return json.Marshal((*stub)(entity)) +} + +func (*PublicForwardStory) GetClass() string { + return ClassPublicForward +} + +func (*PublicForwardStory) GetType() string { + return TypePublicForwardStory +} + +func (*PublicForwardStory) PublicForwardType() string { + return TypePublicForwardStory +} + +// Represents a list of public forwards and reposts as a story of a message or a story +type PublicForwards struct { + meta + // Approximate total number of messages and stories found + TotalCount int32 `json:"total_count"` + // List of found public forwards and reposts + Forwards []PublicForward `json:"forwards"` + // The offset for the next request. If empty, then there are no more results + NextOffset string `json:"next_offset"` +} + +func (entity *PublicForwards) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PublicForwards + + return json.Marshal((*stub)(entity)) +} + +func (*PublicForwards) GetClass() string { + return ClassPublicForwards +} + +func (*PublicForwards) GetType() string { + return TypePublicForwards +} + +func (publicForwards *PublicForwards) UnmarshalJSON(data []byte) error { + var tmp struct { + TotalCount int32 `json:"total_count"` + Forwards []json.RawMessage `json:"forwards"` + NextOffset string `json:"next_offset"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + publicForwards.TotalCount = tmp.TotalCount + publicForwards.NextOffset = tmp.NextOffset + + fieldForwards, _ := UnmarshalListOfPublicForward(tmp.Forwards) + publicForwards.Forwards = fieldForwards + + return nil +} + +// Describes media previews of a bot +type BotMediaPreview struct { + meta + // Point in time (Unix timestamp) when the preview was added or changed last time + Date int32 `json:"date"` + // Content of the preview; may only be of the types storyContentPhoto, storyContentVideo, or storyContentUnsupported + Content StoryContent `json:"content"` +} + +func (entity *BotMediaPreview) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BotMediaPreview + + return json.Marshal((*stub)(entity)) +} + +func (*BotMediaPreview) GetClass() string { + return ClassBotMediaPreview +} + +func (*BotMediaPreview) GetType() string { + return TypeBotMediaPreview +} + +func (botMediaPreview *BotMediaPreview) UnmarshalJSON(data []byte) error { + var tmp struct { + Date int32 `json:"date"` + Content json.RawMessage `json:"content"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + botMediaPreview.Date = tmp.Date + + fieldContent, _ := UnmarshalStoryContent(tmp.Content) + botMediaPreview.Content = fieldContent + + return nil +} + +// Contains a list of media previews of a bot +type BotMediaPreviews struct { + meta + // List of media previews + Previews []*BotMediaPreview `json:"previews"` +} + +func (entity *BotMediaPreviews) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BotMediaPreviews + + return json.Marshal((*stub)(entity)) +} + +func (*BotMediaPreviews) GetClass() string { + return ClassBotMediaPreviews +} + +func (*BotMediaPreviews) GetType() string { + return TypeBotMediaPreviews +} + +// Contains a list of media previews of a bot for the given language and the list of languages for which the bot has dedicated previews +type BotMediaPreviewInfo struct { + meta + // List of media previews + Previews []*BotMediaPreview `json:"previews"` + // List of language codes for which the bot has dedicated previews + LanguageCodes []string `json:"language_codes"` +} + +func (entity *BotMediaPreviewInfo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BotMediaPreviewInfo + + return json.Marshal((*stub)(entity)) +} + +func (*BotMediaPreviewInfo) GetClass() string { + return ClassBotMediaPreviewInfo +} + +func (*BotMediaPreviewInfo) GetType() string { + return TypeBotMediaPreviewInfo +} + +// Contains a list of features available on a specific chat boost level +type ChatBoostLevelFeatures struct { + meta + // Target chat boost level + Level int32 `json:"level"` + // Number of stories that the chat can publish daily + StoryPerDayCount int32 `json:"story_per_day_count"` + // Number of custom emoji reactions that can be added to the list of available reactions + CustomEmojiReactionCount int32 `json:"custom_emoji_reaction_count"` + // Number of custom colors for chat title + TitleColorCount int32 `json:"title_color_count"` + // Number of custom colors for profile photo background + ProfileAccentColorCount int32 `json:"profile_accent_color_count"` + // True, if custom emoji for profile background can be set + CanSetProfileBackgroundCustomEmoji bool `json:"can_set_profile_background_custom_emoji"` + // Number of custom colors for background of empty chat photo, replies to messages and link previews + AccentColorCount int32 `json:"accent_color_count"` + // True, if custom emoji for reply header and link preview background can be set + CanSetBackgroundCustomEmoji bool `json:"can_set_background_custom_emoji"` + // True, if emoji status can be set + CanSetEmojiStatus bool `json:"can_set_emoji_status"` + // Number of chat theme backgrounds that can be set as chat background + ChatThemeBackgroundCount int32 `json:"chat_theme_background_count"` + // True, if custom background can be set in the chat for all users + CanSetCustomBackground bool `json:"can_set_custom_background"` + // True, if custom emoji sticker set can be set for the chat + CanSetCustomEmojiStickerSet bool `json:"can_set_custom_emoji_sticker_set"` + // True, if automatic translation of messages can be enabled in the chat + CanEnableAutomaticTranslation bool `json:"can_enable_automatic_translation"` + // True, if speech recognition can be used for video note and voice note messages by all users + CanRecognizeSpeech bool `json:"can_recognize_speech"` + // True, if sponsored messages can be disabled in the chat + CanDisableSponsoredMessages bool `json:"can_disable_sponsored_messages"` +} + +func (entity *ChatBoostLevelFeatures) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatBoostLevelFeatures + + return json.Marshal((*stub)(entity)) +} + +func (*ChatBoostLevelFeatures) GetClass() string { + return ClassChatBoostLevelFeatures +} + +func (*ChatBoostLevelFeatures) GetType() string { + return TypeChatBoostLevelFeatures +} + +// Contains a list of features available on the first chat boost levels +type ChatBoostFeatures struct { + meta + // The list of features + Features []*ChatBoostLevelFeatures `json:"features"` + // The minimum boost level required to set custom emoji for profile background + MinProfileBackgroundCustomEmojiBoostLevel int32 `json:"min_profile_background_custom_emoji_boost_level"` + // The minimum boost level required to set custom emoji for reply header and link preview background; for channel chats only + MinBackgroundCustomEmojiBoostLevel int32 `json:"min_background_custom_emoji_boost_level"` + // The minimum boost level required to set emoji status + MinEmojiStatusBoostLevel int32 `json:"min_emoji_status_boost_level"` + // The minimum boost level required to set a chat theme background as chat background + MinChatThemeBackgroundBoostLevel int32 `json:"min_chat_theme_background_boost_level"` + // The minimum boost level required to set custom chat background + MinCustomBackgroundBoostLevel int32 `json:"min_custom_background_boost_level"` + // The minimum boost level required to set custom emoji sticker set for the chat; for supergroup chats only + MinCustomEmojiStickerSetBoostLevel int32 `json:"min_custom_emoji_sticker_set_boost_level"` + // The minimum boost level allowing to enable automatic translation of messages for non-Premium users; for channel chats only + MinAutomaticTranslationBoostLevel int32 `json:"min_automatic_translation_boost_level"` + // The minimum boost level allowing to recognize speech in video note and voice note messages for non-Premium users; for supergroup chats only + MinSpeechRecognitionBoostLevel int32 `json:"min_speech_recognition_boost_level"` + // The minimum boost level allowing to disable sponsored messages in the chat; for channel chats only + MinSponsoredMessageDisableBoostLevel int32 `json:"min_sponsored_message_disable_boost_level"` +} + +func (entity *ChatBoostFeatures) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatBoostFeatures + + return json.Marshal((*stub)(entity)) +} + +func (*ChatBoostFeatures) GetClass() string { + return ClassChatBoostFeatures +} + +func (*ChatBoostFeatures) GetType() string { + return TypeChatBoostFeatures +} + +// The chat created a Telegram Premium gift code for a user +type ChatBoostSourceGiftCode struct { + meta + // Identifier of a user, for which the gift code was created + UserId int64 `json:"user_id"` + // The created Telegram Premium gift code, which is known only if this is a gift code for the current user, or it has already been claimed + GiftCode string `json:"gift_code"` +} + +func (entity *ChatBoostSourceGiftCode) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatBoostSourceGiftCode + + return json.Marshal((*stub)(entity)) +} + +func (*ChatBoostSourceGiftCode) GetClass() string { + return ClassChatBoostSource +} + +func (*ChatBoostSourceGiftCode) GetType() string { + return TypeChatBoostSourceGiftCode +} + +func (*ChatBoostSourceGiftCode) ChatBoostSourceType() string { + return TypeChatBoostSourceGiftCode +} + +// The chat created a giveaway +type ChatBoostSourceGiveaway struct { + meta + // Identifier of a user who won in the giveaway; 0 if none + UserId int64 `json:"user_id"` + // The created Telegram Premium gift code if it was used by the user or can be claimed by the current user; an empty string otherwise; for Telegram Premium giveways only + GiftCode string `json:"gift_code"` + // Number of Telegram Stars distributed among winners of the giveaway + StarCount int64 `json:"star_count"` + // Identifier of the corresponding giveaway message; can be an identifier of a deleted message + GiveawayMessageId int64 `json:"giveaway_message_id"` + // True, if the winner for the corresponding giveaway prize wasn't chosen, because there were not enough participants + IsUnclaimed bool `json:"is_unclaimed"` +} + +func (entity *ChatBoostSourceGiveaway) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatBoostSourceGiveaway + + return json.Marshal((*stub)(entity)) +} + +func (*ChatBoostSourceGiveaway) GetClass() string { + return ClassChatBoostSource +} + +func (*ChatBoostSourceGiveaway) GetType() string { + return TypeChatBoostSourceGiveaway +} + +func (*ChatBoostSourceGiveaway) ChatBoostSourceType() string { + return TypeChatBoostSourceGiveaway +} + +// A user with Telegram Premium subscription or gifted Telegram Premium boosted the chat +type ChatBoostSourcePremium struct { + meta + // Identifier of the user + UserId int64 `json:"user_id"` +} + +func (entity *ChatBoostSourcePremium) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatBoostSourcePremium + + return json.Marshal((*stub)(entity)) +} + +func (*ChatBoostSourcePremium) GetClass() string { + return ClassChatBoostSource +} + +func (*ChatBoostSourcePremium) GetType() string { + return TypeChatBoostSourcePremium +} + +func (*ChatBoostSourcePremium) ChatBoostSourceType() string { + return TypeChatBoostSourcePremium +} + +// Describes a prepaid giveaway +type PrepaidGiveaway struct { + meta + // Unique identifier of the prepaid giveaway + Id JsonInt64 `json:"id"` + // Number of users which will receive giveaway prize + WinnerCount int32 `json:"winner_count"` + // Prize of the giveaway + Prize GiveawayPrize `json:"prize"` + // The number of boosts received by the chat from the giveaway; for Telegram Star giveaways only + BoostCount int32 `json:"boost_count"` + // Point in time (Unix timestamp) when the giveaway was paid + PaymentDate int32 `json:"payment_date"` +} + +func (entity *PrepaidGiveaway) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PrepaidGiveaway + + return json.Marshal((*stub)(entity)) +} + +func (*PrepaidGiveaway) GetClass() string { + return ClassPrepaidGiveaway +} + +func (*PrepaidGiveaway) GetType() string { + return TypePrepaidGiveaway +} + +func (prepaidGiveaway *PrepaidGiveaway) UnmarshalJSON(data []byte) error { + var tmp struct { + Id JsonInt64 `json:"id"` + WinnerCount int32 `json:"winner_count"` + Prize json.RawMessage `json:"prize"` + BoostCount int32 `json:"boost_count"` + PaymentDate int32 `json:"payment_date"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + prepaidGiveaway.Id = tmp.Id + prepaidGiveaway.WinnerCount = tmp.WinnerCount + prepaidGiveaway.BoostCount = tmp.BoostCount + prepaidGiveaway.PaymentDate = tmp.PaymentDate + + fieldPrize, _ := UnmarshalGiveawayPrize(tmp.Prize) + prepaidGiveaway.Prize = fieldPrize + + return nil +} + +// Describes current boost status of a chat +type ChatBoostStatus struct { + meta + // An HTTP URL, which can be used to boost the chat + BoostUrl string `json:"boost_url"` + // Identifiers of boost slots of the current user applied to the chat + AppliedSlotIds []int32 `json:"applied_slot_ids"` + // Current boost level of the chat + Level int32 `json:"level"` + // The number of boosts received by the chat from created Telegram Premium gift codes and giveaways; always 0 if the current user isn't an administrator in the chat + GiftCodeBoostCount int32 `json:"gift_code_boost_count"` + // The number of boosts received by the chat + BoostCount int32 `json:"boost_count"` + // The number of boosts added to reach the current level + CurrentLevelBoostCount int32 `json:"current_level_boost_count"` + // The number of boosts needed to reach the next level; 0 if the next level isn't available + NextLevelBoostCount int32 `json:"next_level_boost_count"` + // Approximate number of Telegram Premium subscribers joined the chat; always 0 if the current user isn't an administrator in the chat + PremiumMemberCount int32 `json:"premium_member_count"` + // A percentage of Telegram Premium subscribers joined the chat; always 0 if the current user isn't an administrator in the chat + PremiumMemberPercentage float64 `json:"premium_member_percentage"` + // The list of prepaid giveaways available for the chat; only for chat administrators + PrepaidGiveaways []*PrepaidGiveaway `json:"prepaid_giveaways"` } -func (entity *NotificationTypeNewPushMessage) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *ChatBoostStatus) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatBoostStatus + + return json.Marshal((*stub)(entity)) +} - type stub NotificationTypeNewPushMessage +func (*ChatBoostStatus) GetClass() string { + return ClassChatBoostStatus +} - return json.Marshal((*stub)(entity)) +func (*ChatBoostStatus) GetType() string { + return TypeChatBoostStatus } -func (*NotificationTypeNewPushMessage) GetClass() string { - return ClassNotificationType +// Describes a boost applied to a chat +type ChatBoost struct { + meta + // Unique identifier of the boost + Id string `json:"id"` + // The number of identical boosts applied + Count int32 `json:"count"` + // Source of the boost + Source ChatBoostSource `json:"source"` + // Point in time (Unix timestamp) when the chat was boosted + StartDate int32 `json:"start_date"` + // Point in time (Unix timestamp) when the boost will expire + ExpirationDate int32 `json:"expiration_date"` } -func (*NotificationTypeNewPushMessage) GetType() string { - return TypeNotificationTypeNewPushMessage +func (entity *ChatBoost) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatBoost + + return json.Marshal((*stub)(entity)) } -func (*NotificationTypeNewPushMessage) NotificationTypeType() string { - return TypeNotificationTypeNewPushMessage +func (*ChatBoost) GetClass() string { + return ClassChatBoost } -func (notificationTypeNewPushMessage *NotificationTypeNewPushMessage) UnmarshalJSON(data []byte) error { - var tmp struct { - MessageId int64 `json:"message_id"` - SenderId json.RawMessage `json:"sender_id"` - SenderName string `json:"sender_name"` - IsOutgoing bool `json:"is_outgoing"` - Content json.RawMessage `json:"content"` - } +func (*ChatBoost) GetType() string { + return TypeChatBoost +} - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } +func (chatBoost *ChatBoost) UnmarshalJSON(data []byte) error { + var tmp struct { + Id string `json:"id"` + Count int32 `json:"count"` + Source json.RawMessage `json:"source"` + StartDate int32 `json:"start_date"` + ExpirationDate int32 `json:"expiration_date"` + } - notificationTypeNewPushMessage.MessageId = tmp.MessageId - notificationTypeNewPushMessage.SenderName = tmp.SenderName - notificationTypeNewPushMessage.IsOutgoing = tmp.IsOutgoing + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - fieldSenderId, _ := UnmarshalMessageSender(tmp.SenderId) - notificationTypeNewPushMessage.SenderId = fieldSenderId + chatBoost.Id = tmp.Id + chatBoost.Count = tmp.Count + chatBoost.StartDate = tmp.StartDate + chatBoost.ExpirationDate = tmp.ExpirationDate - fieldContent, _ := UnmarshalPushMessageContent(tmp.Content) - notificationTypeNewPushMessage.Content = fieldContent + fieldSource, _ := UnmarshalChatBoostSource(tmp.Source) + chatBoost.Source = fieldSource - return nil + return nil } -// A group containing notifications of type notificationTypeNewMessage and notificationTypeNewPushMessage with ordinary unread messages -type NotificationGroupTypeMessages struct { - meta +// Contains a list of boosts applied to a chat +type FoundChatBoosts struct { + meta + // Total number of boosts applied to the chat + TotalCount int32 `json:"total_count"` + // List of boosts + Boosts []*ChatBoost `json:"boosts"` + // The offset for the next request. If empty, then there are no more results + NextOffset string `json:"next_offset"` } -func (entity *NotificationGroupTypeMessages) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *FoundChatBoosts) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub NotificationGroupTypeMessages + type stub FoundChatBoosts - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*NotificationGroupTypeMessages) GetClass() string { - return ClassNotificationGroupType +func (*FoundChatBoosts) GetClass() string { + return ClassFoundChatBoosts } -func (*NotificationGroupTypeMessages) GetType() string { - return TypeNotificationGroupTypeMessages +func (*FoundChatBoosts) GetType() string { + return TypeFoundChatBoosts } -func (*NotificationGroupTypeMessages) NotificationGroupTypeType() string { - return TypeNotificationGroupTypeMessages +// Describes a slot for chat boost +type ChatBoostSlot struct { + meta + // Unique identifier of the slot + SlotId int32 `json:"slot_id"` + // Identifier of the currently boosted chat; 0 if none + CurrentlyBoostedChatId int64 `json:"currently_boosted_chat_id"` + // Point in time (Unix timestamp) when the chat was boosted; 0 if none + StartDate int32 `json:"start_date"` + // Point in time (Unix timestamp) when the boost will expire + ExpirationDate int32 `json:"expiration_date"` + // Point in time (Unix timestamp) after which the boost can be used for another chat + CooldownUntilDate int32 `json:"cooldown_until_date"` } -// A group containing notifications of type notificationTypeNewMessage and notificationTypeNewPushMessage with unread mentions of the current user, replies to their messages, or a pinned message -type NotificationGroupTypeMentions struct { - meta +func (entity *ChatBoostSlot) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatBoostSlot + + return json.Marshal((*stub)(entity)) } -func (entity *NotificationGroupTypeMentions) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (*ChatBoostSlot) GetClass() string { + return ClassChatBoostSlot +} - type stub NotificationGroupTypeMentions +func (*ChatBoostSlot) GetType() string { + return TypeChatBoostSlot +} - return json.Marshal((*stub)(entity)) +// Contains a list of chat boost slots +type ChatBoostSlots struct { + meta + // List of boost slots + Slots []*ChatBoostSlot `json:"slots"` } -func (*NotificationGroupTypeMentions) GetClass() string { - return ClassNotificationGroupType +func (entity *ChatBoostSlots) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatBoostSlots + + return json.Marshal((*stub)(entity)) } -func (*NotificationGroupTypeMentions) GetType() string { - return TypeNotificationGroupTypeMentions +func (*ChatBoostSlots) GetClass() string { + return ClassChatBoostSlots } -func (*NotificationGroupTypeMentions) NotificationGroupTypeType() string { - return TypeNotificationGroupTypeMentions +func (*ChatBoostSlots) GetType() string { + return TypeChatBoostSlots } -// A group containing a notification of type notificationTypeNewSecretChat -type NotificationGroupTypeSecretChat struct { - meta +// The user requested to resend the code +type ResendCodeReasonUserRequest struct{ + meta } -func (entity *NotificationGroupTypeSecretChat) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *ResendCodeReasonUserRequest) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub NotificationGroupTypeSecretChat + type stub ResendCodeReasonUserRequest - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*NotificationGroupTypeSecretChat) GetClass() string { - return ClassNotificationGroupType +func (*ResendCodeReasonUserRequest) GetClass() string { + return ClassResendCodeReason } -func (*NotificationGroupTypeSecretChat) GetType() string { - return TypeNotificationGroupTypeSecretChat +func (*ResendCodeReasonUserRequest) GetType() string { + return TypeResendCodeReasonUserRequest } -func (*NotificationGroupTypeSecretChat) NotificationGroupTypeType() string { - return TypeNotificationGroupTypeSecretChat +func (*ResendCodeReasonUserRequest) ResendCodeReasonType() string { + return TypeResendCodeReasonUserRequest } -// A group containing notifications of type notificationTypeNewCall -type NotificationGroupTypeCalls struct { - meta +// The code is re-sent, because device verification has failed +type ResendCodeReasonVerificationFailed struct { + meta + // Cause of the verification failure, for example, "PLAY_SERVICES_NOT_AVAILABLE", "APNS_RECEIVE_TIMEOUT", or "APNS_INIT_FAILED" + ErrorMessage string `json:"error_message"` } -func (entity *NotificationGroupTypeCalls) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *ResendCodeReasonVerificationFailed) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub NotificationGroupTypeCalls + type stub ResendCodeReasonVerificationFailed - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*NotificationGroupTypeCalls) GetClass() string { - return ClassNotificationGroupType +func (*ResendCodeReasonVerificationFailed) GetClass() string { + return ClassResendCodeReason } -func (*NotificationGroupTypeCalls) GetType() string { - return TypeNotificationGroupTypeCalls +func (*ResendCodeReasonVerificationFailed) GetType() string { + return TypeResendCodeReasonVerificationFailed } -func (*NotificationGroupTypeCalls) NotificationGroupTypeType() string { - return TypeNotificationGroupTypeCalls +func (*ResendCodeReasonVerificationFailed) ResendCodeReasonType() string { + return TypeResendCodeReasonVerificationFailed } -// Describes a notification sound in MP3 format -type NotificationSound struct { - meta - // Unique identifier of the notification sound - Id JsonInt64 `json:"id"` - // Duration of the sound, in seconds - Duration int32 `json:"duration"` - // Point in time (Unix timestamp) when the sound was created - Date int32 `json:"date"` - // Title of the notification sound - Title string `json:"title"` - // Arbitrary data, defined while the sound was uploaded - Data string `json:"data"` - // File containing the sound - Sound *File `json:"sound"` +// The call wasn't discarded, or the reason is unknown +type CallDiscardReasonEmpty struct{ + meta } -func (entity *NotificationSound) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *CallDiscardReasonEmpty) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub NotificationSound + type stub CallDiscardReasonEmpty + + return json.Marshal((*stub)(entity)) +} - return json.Marshal((*stub)(entity)) +func (*CallDiscardReasonEmpty) GetClass() string { + return ClassCallDiscardReason } -func (*NotificationSound) GetClass() string { - return ClassNotificationSound +func (*CallDiscardReasonEmpty) GetType() string { + return TypeCallDiscardReasonEmpty } -func (*NotificationSound) GetType() string { - return TypeNotificationSound +func (*CallDiscardReasonEmpty) CallDiscardReasonType() string { + return TypeCallDiscardReasonEmpty } -// Contains a list of notification sounds -type NotificationSounds struct { - meta - // A list of notification sounds - NotificationSounds []*NotificationSound `json:"notification_sounds"` +// The call was ended before the conversation started. It was canceled by the caller or missed by the other party +type CallDiscardReasonMissed struct{ + meta } -func (entity *NotificationSounds) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *CallDiscardReasonMissed) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub NotificationSounds + type stub CallDiscardReasonMissed - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*NotificationSounds) GetClass() string { - return ClassNotificationSounds +func (*CallDiscardReasonMissed) GetClass() string { + return ClassCallDiscardReason } -func (*NotificationSounds) GetType() string { - return TypeNotificationSounds +func (*CallDiscardReasonMissed) GetType() string { + return TypeCallDiscardReasonMissed } -// Contains information about a notification -type Notification struct { - meta - // Unique persistent identifier of this notification - Id int32 `json:"id"` - // Notification date - Date int32 `json:"date"` - // True, if the notification was explicitly sent without sound - IsSilent bool `json:"is_silent"` - // Notification type - Type NotificationType `json:"type"` +func (*CallDiscardReasonMissed) CallDiscardReasonType() string { + return TypeCallDiscardReasonMissed } -func (entity *Notification) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +// The call was ended before the conversation started. It was declined by the other party +type CallDiscardReasonDeclined struct{ + meta +} + +func (entity *CallDiscardReasonDeclined) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub CallDiscardReasonDeclined + + return json.Marshal((*stub)(entity)) +} - type stub Notification +func (*CallDiscardReasonDeclined) GetClass() string { + return ClassCallDiscardReason +} - return json.Marshal((*stub)(entity)) +func (*CallDiscardReasonDeclined) GetType() string { + return TypeCallDiscardReasonDeclined } -func (*Notification) GetClass() string { - return ClassNotification +func (*CallDiscardReasonDeclined) CallDiscardReasonType() string { + return TypeCallDiscardReasonDeclined } -func (*Notification) GetType() string { - return TypeNotification +// The call was ended during the conversation because the users were disconnected +type CallDiscardReasonDisconnected struct{ + meta } -func (notification *Notification) UnmarshalJSON(data []byte) error { - var tmp struct { - Id int32 `json:"id"` - Date int32 `json:"date"` - IsSilent bool `json:"is_silent"` - Type json.RawMessage `json:"type"` - } +func (entity *CallDiscardReasonDisconnected) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + type stub CallDiscardReasonDisconnected + + return json.Marshal((*stub)(entity)) +} - notification.Id = tmp.Id - notification.Date = tmp.Date - notification.IsSilent = tmp.IsSilent +func (*CallDiscardReasonDisconnected) GetClass() string { + return ClassCallDiscardReason +} - fieldType, _ := UnmarshalNotificationType(tmp.Type) - notification.Type = fieldType +func (*CallDiscardReasonDisconnected) GetType() string { + return TypeCallDiscardReasonDisconnected +} - return nil +func (*CallDiscardReasonDisconnected) CallDiscardReasonType() string { + return TypeCallDiscardReasonDisconnected } -// Describes a group of notifications -type NotificationGroup struct { - meta - // Unique persistent auto-incremented from 1 identifier of the notification group - Id int32 `json:"id"` - // Type of the group - Type NotificationGroupType `json:"type"` - // Identifier of a chat to which all notifications in the group belong - ChatId int64 `json:"chat_id"` - // Total number of active notifications in the group - TotalCount int32 `json:"total_count"` - // The list of active notifications - Notifications []*Notification `json:"notifications"` +// The call was ended because one of the parties hung up +type CallDiscardReasonHungUp struct{ + meta } -func (entity *NotificationGroup) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *CallDiscardReasonHungUp) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub NotificationGroup + type stub CallDiscardReasonHungUp - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*NotificationGroup) GetClass() string { - return ClassNotificationGroup +func (*CallDiscardReasonHungUp) GetClass() string { + return ClassCallDiscardReason } -func (*NotificationGroup) GetType() string { - return TypeNotificationGroup +func (*CallDiscardReasonHungUp) GetType() string { + return TypeCallDiscardReasonHungUp } -func (notificationGroup *NotificationGroup) UnmarshalJSON(data []byte) error { - var tmp struct { - Id int32 `json:"id"` - Type json.RawMessage `json:"type"` - ChatId int64 `json:"chat_id"` - TotalCount int32 `json:"total_count"` - Notifications []*Notification `json:"notifications"` - } +func (*CallDiscardReasonHungUp) CallDiscardReasonType() string { + return TypeCallDiscardReasonHungUp +} - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } +// The call was ended because it has been upgraded to a group call +type CallDiscardReasonUpgradeToGroupCall struct { + meta + // Invite link for the group call + InviteLink string `json:"invite_link"` +} - notificationGroup.Id = tmp.Id - notificationGroup.ChatId = tmp.ChatId - notificationGroup.TotalCount = tmp.TotalCount - notificationGroup.Notifications = tmp.Notifications +func (entity *CallDiscardReasonUpgradeToGroupCall) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - fieldType, _ := UnmarshalNotificationGroupType(tmp.Type) - notificationGroup.Type = fieldType + type stub CallDiscardReasonUpgradeToGroupCall - return nil + return json.Marshal((*stub)(entity)) } -// Represents a boolean option -type OptionValueBoolean struct { - meta - // The value of the option - Value bool `json:"value"` +func (*CallDiscardReasonUpgradeToGroupCall) GetClass() string { + return ClassCallDiscardReason } -func (entity *OptionValueBoolean) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (*CallDiscardReasonUpgradeToGroupCall) GetType() string { + return TypeCallDiscardReasonUpgradeToGroupCall +} - type stub OptionValueBoolean +func (*CallDiscardReasonUpgradeToGroupCall) CallDiscardReasonType() string { + return TypeCallDiscardReasonUpgradeToGroupCall +} - return json.Marshal((*stub)(entity)) +// Specifies the supported call protocols +type CallProtocol struct { + meta + // True, if UDP peer-to-peer connections are supported + UdpP2p bool `json:"udp_p2p"` + // True, if connection through UDP reflectors is supported + UdpReflector bool `json:"udp_reflector"` + // The minimum supported API layer; use 65 + MinLayer int32 `json:"min_layer"` + // The maximum supported API layer; use 92 + MaxLayer int32 `json:"max_layer"` + // List of supported tgcalls versions + LibraryVersions []string `json:"library_versions"` } -func (*OptionValueBoolean) GetClass() string { - return ClassOptionValue +func (entity *CallProtocol) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub CallProtocol + + return json.Marshal((*stub)(entity)) } -func (*OptionValueBoolean) GetType() string { - return TypeOptionValueBoolean +func (*CallProtocol) GetClass() string { + return ClassCallProtocol } -func (*OptionValueBoolean) OptionValueType() string { - return TypeOptionValueBoolean +func (*CallProtocol) GetType() string { + return TypeCallProtocol } -// Represents an unknown option or an option which has a default value -type OptionValueEmpty struct { - meta +// A Telegram call reflector +type CallServerTypeTelegramReflector struct { + meta + // A peer tag to be used with the reflector + PeerTag []byte `json:"peer_tag"` + // True, if the server uses TCP instead of UDP + IsTcp bool `json:"is_tcp"` } -func (entity *OptionValueEmpty) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *CallServerTypeTelegramReflector) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub OptionValueEmpty + type stub CallServerTypeTelegramReflector - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*OptionValueEmpty) GetClass() string { - return ClassOptionValue +func (*CallServerTypeTelegramReflector) GetClass() string { + return ClassCallServerType } -func (*OptionValueEmpty) GetType() string { - return TypeOptionValueEmpty +func (*CallServerTypeTelegramReflector) GetType() string { + return TypeCallServerTypeTelegramReflector } -func (*OptionValueEmpty) OptionValueType() string { - return TypeOptionValueEmpty +func (*CallServerTypeTelegramReflector) CallServerTypeType() string { + return TypeCallServerTypeTelegramReflector } -// Represents an integer option -type OptionValueInteger struct { - meta - // The value of the option - Value JsonInt64 `json:"value"` +// A WebRTC server +type CallServerTypeWebrtc struct { + meta + // Username to be used for authentication + Username string `json:"username"` + // Authentication password + Password string `json:"password"` + // True, if the server supports TURN + SupportsTurn bool `json:"supports_turn"` + // True, if the server supports STUN + SupportsStun bool `json:"supports_stun"` } -func (entity *OptionValueInteger) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *CallServerTypeWebrtc) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub OptionValueInteger + type stub CallServerTypeWebrtc - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*OptionValueInteger) GetClass() string { - return ClassOptionValue +func (*CallServerTypeWebrtc) GetClass() string { + return ClassCallServerType } -func (*OptionValueInteger) GetType() string { - return TypeOptionValueInteger +func (*CallServerTypeWebrtc) GetType() string { + return TypeCallServerTypeWebrtc } -func (*OptionValueInteger) OptionValueType() string { - return TypeOptionValueInteger +func (*CallServerTypeWebrtc) CallServerTypeType() string { + return TypeCallServerTypeWebrtc } -// Represents a string option -type OptionValueString struct { - meta - // The value of the option - Value string `json:"value"` +// Describes a server for relaying call data +type CallServer struct { + meta + // Server identifier + Id JsonInt64 `json:"id"` + // Server IPv4 address + IpAddress string `json:"ip_address"` + // Server IPv6 address + Ipv6Address string `json:"ipv6_address"` + // Server port number + Port int32 `json:"port"` + // Server type + Type CallServerType `json:"type"` } -func (entity *OptionValueString) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *CallServer) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub OptionValueString + type stub CallServer - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*OptionValueString) GetClass() string { - return ClassOptionValue +func (*CallServer) GetClass() string { + return ClassCallServer } -func (*OptionValueString) GetType() string { - return TypeOptionValueString +func (*CallServer) GetType() string { + return TypeCallServer } -func (*OptionValueString) OptionValueType() string { - return TypeOptionValueString +func (callServer *CallServer) UnmarshalJSON(data []byte) error { + var tmp struct { + Id JsonInt64 `json:"id"` + IpAddress string `json:"ip_address"` + Ipv6Address string `json:"ipv6_address"` + Port int32 `json:"port"` + Type json.RawMessage `json:"type"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + callServer.Id = tmp.Id + callServer.IpAddress = tmp.IpAddress + callServer.Ipv6Address = tmp.Ipv6Address + callServer.Port = tmp.Port + + fieldType, _ := UnmarshalCallServerType(tmp.Type) + callServer.Type = fieldType + + return nil } -// Represents one member of a JSON object -type JsonObjectMember struct { - meta - // Member's key - Key string `json:"key"` - // Member's value - Value JsonValue `json:"value"` +// Contains the call identifier +type CallId struct { + meta + // Call identifier + Id int32 `json:"id"` } -func (entity *JsonObjectMember) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *CallId) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub JsonObjectMember + type stub CallId - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*JsonObjectMember) GetClass() string { - return ClassJsonObjectMember +func (*CallId) GetClass() string { + return ClassCallId } -func (*JsonObjectMember) GetType() string { - return TypeJsonObjectMember +func (*CallId) GetType() string { + return TypeCallId } -func (jsonObjectMember *JsonObjectMember) UnmarshalJSON(data []byte) error { - var tmp struct { - Key string `json:"key"` - Value json.RawMessage `json:"value"` - } +// Contains the group call identifier +type GroupCallId struct { + meta + // Group call identifier + Id int32 `json:"id"` +} + +func (entity *GroupCallId) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + type stub GroupCallId - jsonObjectMember.Key = tmp.Key + return json.Marshal((*stub)(entity)) +} - fieldValue, _ := UnmarshalJsonValue(tmp.Value) - jsonObjectMember.Value = fieldValue +func (*GroupCallId) GetClass() string { + return ClassGroupCallId +} - return nil +func (*GroupCallId) GetType() string { + return TypeGroupCallId } -// Represents a null JSON value -type JsonValueNull struct { - meta +// The call is pending, waiting to be accepted by a user +type CallStatePending struct { + meta + // True, if the call has already been created by the server + IsCreated bool `json:"is_created"` + // True, if the call has already been received by the other party + IsReceived bool `json:"is_received"` } -func (entity *JsonValueNull) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *CallStatePending) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub JsonValueNull + type stub CallStatePending - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*JsonValueNull) GetClass() string { - return ClassJsonValue +func (*CallStatePending) GetClass() string { + return ClassCallState } -func (*JsonValueNull) GetType() string { - return TypeJsonValueNull +func (*CallStatePending) GetType() string { + return TypeCallStatePending } -func (*JsonValueNull) JsonValueType() string { - return TypeJsonValueNull +func (*CallStatePending) CallStateType() string { + return TypeCallStatePending } -// Represents a boolean JSON value -type JsonValueBoolean struct { - meta - // The value - Value bool `json:"value"` +// The call has been answered and encryption keys are being exchanged +type CallStateExchangingKeys struct{ + meta } -func (entity *JsonValueBoolean) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *CallStateExchangingKeys) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub JsonValueBoolean + type stub CallStateExchangingKeys - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*JsonValueBoolean) GetClass() string { - return ClassJsonValue +func (*CallStateExchangingKeys) GetClass() string { + return ClassCallState } -func (*JsonValueBoolean) GetType() string { - return TypeJsonValueBoolean +func (*CallStateExchangingKeys) GetType() string { + return TypeCallStateExchangingKeys } -func (*JsonValueBoolean) JsonValueType() string { - return TypeJsonValueBoolean +func (*CallStateExchangingKeys) CallStateType() string { + return TypeCallStateExchangingKeys } -// Represents a numeric JSON value -type JsonValueNumber struct { - meta - // The value - Value float64 `json:"value"` +// The call is ready to use +type CallStateReady struct { + meta + // Call protocols supported by the other call participant + Protocol *CallProtocol `json:"protocol"` + // List of available call servers + Servers []*CallServer `json:"servers"` + // A JSON-encoded call config + Config string `json:"config"` + // Call encryption key + EncryptionKey []byte `json:"encryption_key"` + // Encryption key fingerprint represented as 4 emoji + Emojis []string `json:"emojis"` + // True, if peer-to-peer connection is allowed by users privacy settings + AllowP2p bool `json:"allow_p2p"` + // True, if the other party supports upgrading of the call to a group call + IsGroupCallSupported bool `json:"is_group_call_supported"` + // Custom JSON-encoded call parameters to be passed to tgcalls + CustomParameters string `json:"custom_parameters"` } -func (entity *JsonValueNumber) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *CallStateReady) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub JsonValueNumber + type stub CallStateReady - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*JsonValueNumber) GetClass() string { - return ClassJsonValue +func (*CallStateReady) GetClass() string { + return ClassCallState } -func (*JsonValueNumber) GetType() string { - return TypeJsonValueNumber +func (*CallStateReady) GetType() string { + return TypeCallStateReady } -func (*JsonValueNumber) JsonValueType() string { - return TypeJsonValueNumber +func (*CallStateReady) CallStateType() string { + return TypeCallStateReady } -// Represents a string JSON value -type JsonValueString struct { - meta - // The value - Value string `json:"value"` +// The call is hanging up after discardCall has been called +type CallStateHangingUp struct{ + meta } -func (entity *JsonValueString) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *CallStateHangingUp) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub JsonValueString + type stub CallStateHangingUp - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*JsonValueString) GetClass() string { - return ClassJsonValue +func (*CallStateHangingUp) GetClass() string { + return ClassCallState } -func (*JsonValueString) GetType() string { - return TypeJsonValueString +func (*CallStateHangingUp) GetType() string { + return TypeCallStateHangingUp } -func (*JsonValueString) JsonValueType() string { - return TypeJsonValueString +func (*CallStateHangingUp) CallStateType() string { + return TypeCallStateHangingUp } -// Represents a JSON array -type JsonValueArray struct { - meta - // The list of array elements - Values []JsonValue `json:"values"` +// The call has ended successfully +type CallStateDiscarded struct { + meta + // The reason why the call has ended + Reason CallDiscardReason `json:"reason"` + // True, if the call rating must be sent to the server + NeedRating bool `json:"need_rating"` + // True, if the call debug information must be sent to the server + NeedDebugInformation bool `json:"need_debug_information"` + // True, if the call log must be sent to the server + NeedLog bool `json:"need_log"` } -func (entity *JsonValueArray) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *CallStateDiscarded) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub JsonValueArray + type stub CallStateDiscarded - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*JsonValueArray) GetClass() string { - return ClassJsonValue +func (*CallStateDiscarded) GetClass() string { + return ClassCallState } -func (*JsonValueArray) GetType() string { - return TypeJsonValueArray +func (*CallStateDiscarded) GetType() string { + return TypeCallStateDiscarded } -func (*JsonValueArray) JsonValueType() string { - return TypeJsonValueArray +func (*CallStateDiscarded) CallStateType() string { + return TypeCallStateDiscarded } -func (jsonValueArray *JsonValueArray) UnmarshalJSON(data []byte) error { - var tmp struct { - Values []json.RawMessage `json:"values"` - } +func (callStateDiscarded *CallStateDiscarded) UnmarshalJSON(data []byte) error { + var tmp struct { + Reason json.RawMessage `json:"reason"` + NeedRating bool `json:"need_rating"` + NeedDebugInformation bool `json:"need_debug_information"` + NeedLog bool `json:"need_log"` + } - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - fieldValues, _ := UnmarshalListOfJsonValue(tmp.Values) - jsonValueArray.Values = fieldValues + callStateDiscarded.NeedRating = tmp.NeedRating + callStateDiscarded.NeedDebugInformation = tmp.NeedDebugInformation + callStateDiscarded.NeedLog = tmp.NeedLog - return nil + fieldReason, _ := UnmarshalCallDiscardReason(tmp.Reason) + callStateDiscarded.Reason = fieldReason + + return nil +} + +// The call has ended with an error +type CallStateError struct { + meta + // Error. An error with the code 4005000 will be returned if an outgoing call is missed because of an expired timeout + Error *Error `json:"error"` +} + +func (entity *CallStateError) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub CallStateError + + return json.Marshal((*stub)(entity)) } -// Represents a JSON object -type JsonValueObject struct { - meta - // The list of object members - Members []*JsonObjectMember `json:"members"` +func (*CallStateError) GetClass() string { + return ClassCallState } -func (entity *JsonValueObject) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (*CallStateError) GetType() string { + return TypeCallStateError +} - type stub JsonValueObject +func (*CallStateError) CallStateType() string { + return TypeCallStateError +} - return json.Marshal((*stub)(entity)) +// Describes parameters used to join a group call +type GroupCallJoinParameters struct { + meta + // Audio channel synchronization source identifier; received from tgcalls + AudioSourceId int32 `json:"audio_source_id"` + // Group call join payload; received from tgcalls + Payload string `json:"payload"` + // Pass true to join the call with muted microphone + IsMuted bool `json:"is_muted"` + // Pass true if the user's video is enabled + IsMyVideoEnabled bool `json:"is_my_video_enabled"` } -func (*JsonValueObject) GetClass() string { - return ClassJsonValue +func (entity *GroupCallJoinParameters) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub GroupCallJoinParameters + + return json.Marshal((*stub)(entity)) } -func (*JsonValueObject) GetType() string { - return TypeJsonValueObject +func (*GroupCallJoinParameters) GetClass() string { + return ClassGroupCallJoinParameters } -func (*JsonValueObject) JsonValueType() string { - return TypeJsonValueObject +func (*GroupCallJoinParameters) GetType() string { + return TypeGroupCallJoinParameters } -// A rule to allow all users to do something -type UserPrivacySettingRuleAllowAll struct { - meta +// The worst available video quality +type GroupCallVideoQualityThumbnail struct{ + meta } -func (entity *UserPrivacySettingRuleAllowAll) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *GroupCallVideoQualityThumbnail) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub UserPrivacySettingRuleAllowAll + type stub GroupCallVideoQualityThumbnail - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*UserPrivacySettingRuleAllowAll) GetClass() string { - return ClassUserPrivacySettingRule +func (*GroupCallVideoQualityThumbnail) GetClass() string { + return ClassGroupCallVideoQuality } -func (*UserPrivacySettingRuleAllowAll) GetType() string { - return TypeUserPrivacySettingRuleAllowAll +func (*GroupCallVideoQualityThumbnail) GetType() string { + return TypeGroupCallVideoQualityThumbnail } -func (*UserPrivacySettingRuleAllowAll) UserPrivacySettingRuleType() string { - return TypeUserPrivacySettingRuleAllowAll +func (*GroupCallVideoQualityThumbnail) GroupCallVideoQualityType() string { + return TypeGroupCallVideoQualityThumbnail } -// A rule to allow all of a user's contacts to do something -type UserPrivacySettingRuleAllowContacts struct { - meta +// The medium video quality +type GroupCallVideoQualityMedium struct{ + meta } -func (entity *UserPrivacySettingRuleAllowContacts) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *GroupCallVideoQualityMedium) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub UserPrivacySettingRuleAllowContacts + type stub GroupCallVideoQualityMedium - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*UserPrivacySettingRuleAllowContacts) GetClass() string { - return ClassUserPrivacySettingRule +func (*GroupCallVideoQualityMedium) GetClass() string { + return ClassGroupCallVideoQuality } -func (*UserPrivacySettingRuleAllowContacts) GetType() string { - return TypeUserPrivacySettingRuleAllowContacts +func (*GroupCallVideoQualityMedium) GetType() string { + return TypeGroupCallVideoQualityMedium } -func (*UserPrivacySettingRuleAllowContacts) UserPrivacySettingRuleType() string { - return TypeUserPrivacySettingRuleAllowContacts +func (*GroupCallVideoQualityMedium) GroupCallVideoQualityType() string { + return TypeGroupCallVideoQualityMedium } -// A rule to allow certain specified users to do something -type UserPrivacySettingRuleAllowUsers struct { - meta - // The user identifiers, total number of users in all rules must not exceed 1000 - UserIds []int64 `json:"user_ids"` +// The best available video quality +type GroupCallVideoQualityFull struct{ + meta } -func (entity *UserPrivacySettingRuleAllowUsers) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *GroupCallVideoQualityFull) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub UserPrivacySettingRuleAllowUsers + type stub GroupCallVideoQualityFull - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*UserPrivacySettingRuleAllowUsers) GetClass() string { - return ClassUserPrivacySettingRule +func (*GroupCallVideoQualityFull) GetClass() string { + return ClassGroupCallVideoQuality } -func (*UserPrivacySettingRuleAllowUsers) GetType() string { - return TypeUserPrivacySettingRuleAllowUsers +func (*GroupCallVideoQualityFull) GetType() string { + return TypeGroupCallVideoQualityFull } -func (*UserPrivacySettingRuleAllowUsers) UserPrivacySettingRuleType() string { - return TypeUserPrivacySettingRuleAllowUsers +func (*GroupCallVideoQualityFull) GroupCallVideoQualityType() string { + return TypeGroupCallVideoQualityFull } -// A rule to allow all members of certain specified basic groups and supergroups to doing something -type UserPrivacySettingRuleAllowChatMembers struct { - meta - // The chat identifiers, total number of chats in all rules must not exceed 20 - ChatIds []int64 `json:"chat_ids"` +// Describes an available stream in a video chat or a live story +type GroupCallStream struct { + meta + // Identifier of an audio/video channel + ChannelId int32 `json:"channel_id"` + // Scale of segment durations in the stream. The duration is 1000/(2**scale) milliseconds + Scale int32 `json:"scale"` + // Point in time when the stream currently ends; Unix timestamp in milliseconds + TimeOffset int64 `json:"time_offset"` } -func (entity *UserPrivacySettingRuleAllowChatMembers) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *GroupCallStream) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub UserPrivacySettingRuleAllowChatMembers + type stub GroupCallStream - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*UserPrivacySettingRuleAllowChatMembers) GetClass() string { - return ClassUserPrivacySettingRule +func (*GroupCallStream) GetClass() string { + return ClassGroupCallStream } -func (*UserPrivacySettingRuleAllowChatMembers) GetType() string { - return TypeUserPrivacySettingRuleAllowChatMembers +func (*GroupCallStream) GetType() string { + return TypeGroupCallStream } -func (*UserPrivacySettingRuleAllowChatMembers) UserPrivacySettingRuleType() string { - return TypeUserPrivacySettingRuleAllowChatMembers +// Represents a list of group call streams +type GroupCallStreams struct { + meta + // A list of group call streams + Streams []*GroupCallStream `json:"streams"` } -// A rule to restrict all users from doing something -type UserPrivacySettingRuleRestrictAll struct { - meta +func (entity *GroupCallStreams) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub GroupCallStreams + + return json.Marshal((*stub)(entity)) } -func (entity *UserPrivacySettingRuleRestrictAll) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (*GroupCallStreams) GetClass() string { + return ClassGroupCallStreams +} - type stub UserPrivacySettingRuleRestrictAll +func (*GroupCallStreams) GetType() string { + return TypeGroupCallStreams +} - return json.Marshal((*stub)(entity)) +// Represents an RTMP URL +type RtmpUrl struct { + meta + // The URL + Url string `json:"url"` + // Stream key + StreamKey string `json:"stream_key"` } -func (*UserPrivacySettingRuleRestrictAll) GetClass() string { - return ClassUserPrivacySettingRule +func (entity *RtmpUrl) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub RtmpUrl + + return json.Marshal((*stub)(entity)) } -func (*UserPrivacySettingRuleRestrictAll) GetType() string { - return TypeUserPrivacySettingRuleRestrictAll +func (*RtmpUrl) GetClass() string { + return ClassRtmpUrl } -func (*UserPrivacySettingRuleRestrictAll) UserPrivacySettingRuleType() string { - return TypeUserPrivacySettingRuleRestrictAll +func (*RtmpUrl) GetType() string { + return TypeRtmpUrl } -// A rule to restrict all contacts of a user from doing something -type UserPrivacySettingRuleRestrictContacts struct { - meta +// Describes a recently speaking participant in a group call +type GroupCallRecentSpeaker struct { + meta + // Group call participant identifier + ParticipantId MessageSender `json:"participant_id"` + // True, is the user has spoken recently + IsSpeaking bool `json:"is_speaking"` } -func (entity *UserPrivacySettingRuleRestrictContacts) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *GroupCallRecentSpeaker) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub UserPrivacySettingRuleRestrictContacts + type stub GroupCallRecentSpeaker - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*UserPrivacySettingRuleRestrictContacts) GetClass() string { - return ClassUserPrivacySettingRule +func (*GroupCallRecentSpeaker) GetClass() string { + return ClassGroupCallRecentSpeaker } -func (*UserPrivacySettingRuleRestrictContacts) GetType() string { - return TypeUserPrivacySettingRuleRestrictContacts +func (*GroupCallRecentSpeaker) GetType() string { + return TypeGroupCallRecentSpeaker } -func (*UserPrivacySettingRuleRestrictContacts) UserPrivacySettingRuleType() string { - return TypeUserPrivacySettingRuleRestrictContacts +func (groupCallRecentSpeaker *GroupCallRecentSpeaker) UnmarshalJSON(data []byte) error { + var tmp struct { + ParticipantId json.RawMessage `json:"participant_id"` + IsSpeaking bool `json:"is_speaking"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + groupCallRecentSpeaker.IsSpeaking = tmp.IsSpeaking + + fieldParticipantId, _ := UnmarshalMessageSender(tmp.ParticipantId) + groupCallRecentSpeaker.ParticipantId = fieldParticipantId + + return nil } -// A rule to restrict all specified users from doing something -type UserPrivacySettingRuleRestrictUsers struct { - meta - // The user identifiers, total number of users in all rules must not exceed 1000 - UserIds []int64 `json:"user_ids"` +// Describes a group call +type GroupCall struct { + meta + // Group call identifier + Id int32 `json:"id"` + // Persistent unique group call identifier + UniqueId JsonInt64 `json:"unique_id"` + // Group call title; for video chats only + Title string `json:"title"` + // Invite link for the group call; for group calls that aren't bound to a chat. For video chats call getVideoChatInviteLink to get the link. For live stories in chats with username call getInternalLink with internalLinkTypeLiveStory + InviteLink string `json:"invite_link"` + // The minimum number of Telegram Stars that must be paid by general participant for each sent message to the call; for live stories only + PaidMessageStarCount int64 `json:"paid_message_star_count"` + // Point in time (Unix timestamp) when the group call is expected to be started by an administrator; 0 if it is already active or was ended; for video chats only + ScheduledStartDate int32 `json:"scheduled_start_date"` + // True, if the group call is scheduled and the current user will receive a notification when the group call starts; for video chats only + EnabledStartNotification bool `json:"enabled_start_notification"` + // True, if the call is active + IsActive bool `json:"is_active"` + // True, if the call is bound to a chat + IsVideoChat bool `json:"is_video_chat"` + // True, if the call is a live story of a chat + IsLiveStory bool `json:"is_live_story"` + // True, if the call is an RTMP stream instead of an ordinary video chat; for video chats and live stories only + IsRtmpStream bool `json:"is_rtmp_stream"` + // True, if the call is joined + IsJoined bool `json:"is_joined"` + // True, if user was kicked from the call because of network loss and the call needs to be rejoined + NeedRejoin bool `json:"need_rejoin"` + // True, if the user is the owner of the call and can end the call, change volume level of other users, or ban users there; for group calls that aren't bound to a chat + IsOwned bool `json:"is_owned"` + // True, if the current user can manage the group call; for video chats and live stories only + CanBeManaged bool `json:"can_be_managed"` + // Number of participants in the group call + ParticipantCount int32 `json:"participant_count"` + // True, if group call participants, which are muted, aren't returned in participant list; for video chats only + HasHiddenListeners bool `json:"has_hidden_listeners"` + // True, if all group call participants are loaded + LoadedAllParticipants bool `json:"loaded_all_participants"` + // Message sender chosen to send messages to the group call; for live stories only; may be null if the call isn't a live story + MessageSenderId MessageSender `json:"message_sender_id"` + // At most 3 recently speaking users in the group call + RecentSpeakers []*GroupCallRecentSpeaker `json:"recent_speakers"` + // True, if the current user's video is enabled + IsMyVideoEnabled bool `json:"is_my_video_enabled"` + // True, if the current user's video is paused + IsMyVideoPaused bool `json:"is_my_video_paused"` + // True, if the current user can broadcast video or share screen + CanEnableVideo bool `json:"can_enable_video"` + // True, if only group call administrators can unmute new participants; for video chats only + MuteNewParticipants bool `json:"mute_new_participants"` + // True, if the current user can enable or disable mute_new_participants setting; for video chats only + CanToggleMuteNewParticipants bool `json:"can_toggle_mute_new_participants"` + // True, if the current user can send messages to the group call + CanSendMessages bool `json:"can_send_messages"` + // True, if sending of messages is allowed in the group call + AreMessagesAllowed bool `json:"are_messages_allowed"` + // True, if the current user can enable or disable sending of messages in the group call + CanToggleAreMessagesAllowed bool `json:"can_toggle_are_messages_allowed"` + // True, if the user can delete messages in the group call + CanDeleteMessages bool `json:"can_delete_messages"` + // Duration of the ongoing group call recording, in seconds; 0 if none. An updateGroupCall update is not triggered when value of this field changes, but the same recording goes on + RecordDuration int32 `json:"record_duration"` + // True, if a video file is being recorded for the call + IsVideoRecorded bool `json:"is_video_recorded"` + // Call duration, in seconds; for ended calls only + Duration int32 `json:"duration"` +} + +func (entity *GroupCall) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub GroupCall + + return json.Marshal((*stub)(entity)) +} + +func (*GroupCall) GetClass() string { + return ClassGroupCall +} + +func (*GroupCall) GetType() string { + return TypeGroupCall +} + +func (groupCall *GroupCall) UnmarshalJSON(data []byte) error { + var tmp struct { + Id int32 `json:"id"` + UniqueId JsonInt64 `json:"unique_id"` + Title string `json:"title"` + InviteLink string `json:"invite_link"` + PaidMessageStarCount int64 `json:"paid_message_star_count"` + ScheduledStartDate int32 `json:"scheduled_start_date"` + EnabledStartNotification bool `json:"enabled_start_notification"` + IsActive bool `json:"is_active"` + IsVideoChat bool `json:"is_video_chat"` + IsLiveStory bool `json:"is_live_story"` + IsRtmpStream bool `json:"is_rtmp_stream"` + IsJoined bool `json:"is_joined"` + NeedRejoin bool `json:"need_rejoin"` + IsOwned bool `json:"is_owned"` + CanBeManaged bool `json:"can_be_managed"` + ParticipantCount int32 `json:"participant_count"` + HasHiddenListeners bool `json:"has_hidden_listeners"` + LoadedAllParticipants bool `json:"loaded_all_participants"` + MessageSenderId json.RawMessage `json:"message_sender_id"` + RecentSpeakers []*GroupCallRecentSpeaker `json:"recent_speakers"` + IsMyVideoEnabled bool `json:"is_my_video_enabled"` + IsMyVideoPaused bool `json:"is_my_video_paused"` + CanEnableVideo bool `json:"can_enable_video"` + MuteNewParticipants bool `json:"mute_new_participants"` + CanToggleMuteNewParticipants bool `json:"can_toggle_mute_new_participants"` + CanSendMessages bool `json:"can_send_messages"` + AreMessagesAllowed bool `json:"are_messages_allowed"` + CanToggleAreMessagesAllowed bool `json:"can_toggle_are_messages_allowed"` + CanDeleteMessages bool `json:"can_delete_messages"` + RecordDuration int32 `json:"record_duration"` + IsVideoRecorded bool `json:"is_video_recorded"` + Duration int32 `json:"duration"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + groupCall.Id = tmp.Id + groupCall.UniqueId = tmp.UniqueId + groupCall.Title = tmp.Title + groupCall.InviteLink = tmp.InviteLink + groupCall.PaidMessageStarCount = tmp.PaidMessageStarCount + groupCall.ScheduledStartDate = tmp.ScheduledStartDate + groupCall.EnabledStartNotification = tmp.EnabledStartNotification + groupCall.IsActive = tmp.IsActive + groupCall.IsVideoChat = tmp.IsVideoChat + groupCall.IsLiveStory = tmp.IsLiveStory + groupCall.IsRtmpStream = tmp.IsRtmpStream + groupCall.IsJoined = tmp.IsJoined + groupCall.NeedRejoin = tmp.NeedRejoin + groupCall.IsOwned = tmp.IsOwned + groupCall.CanBeManaged = tmp.CanBeManaged + groupCall.ParticipantCount = tmp.ParticipantCount + groupCall.HasHiddenListeners = tmp.HasHiddenListeners + groupCall.LoadedAllParticipants = tmp.LoadedAllParticipants + groupCall.RecentSpeakers = tmp.RecentSpeakers + groupCall.IsMyVideoEnabled = tmp.IsMyVideoEnabled + groupCall.IsMyVideoPaused = tmp.IsMyVideoPaused + groupCall.CanEnableVideo = tmp.CanEnableVideo + groupCall.MuteNewParticipants = tmp.MuteNewParticipants + groupCall.CanToggleMuteNewParticipants = tmp.CanToggleMuteNewParticipants + groupCall.CanSendMessages = tmp.CanSendMessages + groupCall.AreMessagesAllowed = tmp.AreMessagesAllowed + groupCall.CanToggleAreMessagesAllowed = tmp.CanToggleAreMessagesAllowed + groupCall.CanDeleteMessages = tmp.CanDeleteMessages + groupCall.RecordDuration = tmp.RecordDuration + groupCall.IsVideoRecorded = tmp.IsVideoRecorded + groupCall.Duration = tmp.Duration + + fieldMessageSenderId, _ := UnmarshalMessageSender(tmp.MessageSenderId) + groupCall.MessageSenderId = fieldMessageSenderId + + return nil +} + +// Describes a group of video synchronization source identifiers +type GroupCallVideoSourceGroup struct { + meta + // The semantics of sources, one of "SIM" or "FID" + Semantics string `json:"semantics"` + // The list of synchronization source identifiers + SourceIds []int32 `json:"source_ids"` +} + +func (entity *GroupCallVideoSourceGroup) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub GroupCallVideoSourceGroup + + return json.Marshal((*stub)(entity)) +} + +func (*GroupCallVideoSourceGroup) GetClass() string { + return ClassGroupCallVideoSourceGroup +} + +func (*GroupCallVideoSourceGroup) GetType() string { + return TypeGroupCallVideoSourceGroup +} + +// Contains information about a group call participant's video channel +type GroupCallParticipantVideoInfo struct { + meta + // List of synchronization source groups of the video + SourceGroups []*GroupCallVideoSourceGroup `json:"source_groups"` + // Video channel endpoint identifier + EndpointId string `json:"endpoint_id"` + // True, if the video is paused. This flag needs to be ignored, if new video frames are received + IsPaused bool `json:"is_paused"` +} + +func (entity *GroupCallParticipantVideoInfo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub GroupCallParticipantVideoInfo + + return json.Marshal((*stub)(entity)) +} + +func (*GroupCallParticipantVideoInfo) GetClass() string { + return ClassGroupCallParticipantVideoInfo +} + +func (*GroupCallParticipantVideoInfo) GetType() string { + return TypeGroupCallParticipantVideoInfo +} + +// Represents a group call participant +type GroupCallParticipant struct { + meta + // Identifier of the group call participant + ParticipantId MessageSender `json:"participant_id"` + // User's audio channel synchronization source identifier + AudioSourceId int32 `json:"audio_source_id"` + // User's screen sharing audio channel synchronization source identifier + ScreenSharingAudioSourceId int32 `json:"screen_sharing_audio_source_id"` + // Information about user's video channel; may be null if there is no active video + VideoInfo *GroupCallParticipantVideoInfo `json:"video_info"` + // Information about user's screen sharing video channel; may be null if there is no active screen sharing video + ScreenSharingVideoInfo *GroupCallParticipantVideoInfo `json:"screen_sharing_video_info"` + // The participant user's bio or the participant chat's description + Bio string `json:"bio"` + // True, if the participant is the current user + IsCurrentUser bool `json:"is_current_user"` + // True, if the participant is speaking as set by setGroupCallParticipantIsSpeaking + IsSpeaking bool `json:"is_speaking"` + // True, if the participant hand is raised + IsHandRaised bool `json:"is_hand_raised"` + // True, if the current user can mute the participant for all other group call participants + CanBeMutedForAllUsers bool `json:"can_be_muted_for_all_users"` + // True, if the current user can allow the participant to unmute themselves or unmute the participant (if the participant is the current user) + CanBeUnmutedForAllUsers bool `json:"can_be_unmuted_for_all_users"` + // True, if the current user can mute the participant only for self + CanBeMutedForCurrentUser bool `json:"can_be_muted_for_current_user"` + // True, if the current user can unmute the participant for self + CanBeUnmutedForCurrentUser bool `json:"can_be_unmuted_for_current_user"` + // True, if the participant is muted for all users + IsMutedForAllUsers bool `json:"is_muted_for_all_users"` + // True, if the participant is muted for the current user + IsMutedForCurrentUser bool `json:"is_muted_for_current_user"` + // True, if the participant is muted for all users, but can unmute themselves + CanUnmuteSelf bool `json:"can_unmute_self"` + // Participant's volume level; 1-20000 in hundreds of percents + VolumeLevel int32 `json:"volume_level"` + // User's order in the group call participant list. Orders must be compared lexicographically. The bigger is order, the higher is user in the list. If order is empty, the user must be removed from the participant list + Order string `json:"order"` } -func (entity *UserPrivacySettingRuleRestrictUsers) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *GroupCallParticipant) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub GroupCallParticipant + + return json.Marshal((*stub)(entity)) +} - type stub UserPrivacySettingRuleRestrictUsers +func (*GroupCallParticipant) GetClass() string { + return ClassGroupCallParticipant +} - return json.Marshal((*stub)(entity)) +func (*GroupCallParticipant) GetType() string { + return TypeGroupCallParticipant +} + +func (groupCallParticipant *GroupCallParticipant) UnmarshalJSON(data []byte) error { + var tmp struct { + ParticipantId json.RawMessage `json:"participant_id"` + AudioSourceId int32 `json:"audio_source_id"` + ScreenSharingAudioSourceId int32 `json:"screen_sharing_audio_source_id"` + VideoInfo *GroupCallParticipantVideoInfo `json:"video_info"` + ScreenSharingVideoInfo *GroupCallParticipantVideoInfo `json:"screen_sharing_video_info"` + Bio string `json:"bio"` + IsCurrentUser bool `json:"is_current_user"` + IsSpeaking bool `json:"is_speaking"` + IsHandRaised bool `json:"is_hand_raised"` + CanBeMutedForAllUsers bool `json:"can_be_muted_for_all_users"` + CanBeUnmutedForAllUsers bool `json:"can_be_unmuted_for_all_users"` + CanBeMutedForCurrentUser bool `json:"can_be_muted_for_current_user"` + CanBeUnmutedForCurrentUser bool `json:"can_be_unmuted_for_current_user"` + IsMutedForAllUsers bool `json:"is_muted_for_all_users"` + IsMutedForCurrentUser bool `json:"is_muted_for_current_user"` + CanUnmuteSelf bool `json:"can_unmute_self"` + VolumeLevel int32 `json:"volume_level"` + Order string `json:"order"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + groupCallParticipant.AudioSourceId = tmp.AudioSourceId + groupCallParticipant.ScreenSharingAudioSourceId = tmp.ScreenSharingAudioSourceId + groupCallParticipant.VideoInfo = tmp.VideoInfo + groupCallParticipant.ScreenSharingVideoInfo = tmp.ScreenSharingVideoInfo + groupCallParticipant.Bio = tmp.Bio + groupCallParticipant.IsCurrentUser = tmp.IsCurrentUser + groupCallParticipant.IsSpeaking = tmp.IsSpeaking + groupCallParticipant.IsHandRaised = tmp.IsHandRaised + groupCallParticipant.CanBeMutedForAllUsers = tmp.CanBeMutedForAllUsers + groupCallParticipant.CanBeUnmutedForAllUsers = tmp.CanBeUnmutedForAllUsers + groupCallParticipant.CanBeMutedForCurrentUser = tmp.CanBeMutedForCurrentUser + groupCallParticipant.CanBeUnmutedForCurrentUser = tmp.CanBeUnmutedForCurrentUser + groupCallParticipant.IsMutedForAllUsers = tmp.IsMutedForAllUsers + groupCallParticipant.IsMutedForCurrentUser = tmp.IsMutedForCurrentUser + groupCallParticipant.CanUnmuteSelf = tmp.CanUnmuteSelf + groupCallParticipant.VolumeLevel = tmp.VolumeLevel + groupCallParticipant.Order = tmp.Order + + fieldParticipantId, _ := UnmarshalMessageSender(tmp.ParticipantId) + groupCallParticipant.ParticipantId = fieldParticipantId + + return nil } -func (*UserPrivacySettingRuleRestrictUsers) GetClass() string { - return ClassUserPrivacySettingRule +// Contains identifiers of group call participants +type GroupCallParticipants struct { + meta + // Total number of group call participants + TotalCount int32 `json:"total_count"` + // Identifiers of the participants + ParticipantIds []MessageSender `json:"participant_ids"` } -func (*UserPrivacySettingRuleRestrictUsers) GetType() string { - return TypeUserPrivacySettingRuleRestrictUsers +func (entity *GroupCallParticipants) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub GroupCallParticipants + + return json.Marshal((*stub)(entity)) } -func (*UserPrivacySettingRuleRestrictUsers) UserPrivacySettingRuleType() string { - return TypeUserPrivacySettingRuleRestrictUsers +func (*GroupCallParticipants) GetClass() string { + return ClassGroupCallParticipants } -// A rule to restrict all members of specified basic groups and supergroups from doing something -type UserPrivacySettingRuleRestrictChatMembers struct { - meta - // The chat identifiers, total number of chats in all rules must not exceed 20 - ChatIds []int64 `json:"chat_ids"` +func (*GroupCallParticipants) GetType() string { + return TypeGroupCallParticipants } -func (entity *UserPrivacySettingRuleRestrictChatMembers) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (groupCallParticipants *GroupCallParticipants) UnmarshalJSON(data []byte) error { + var tmp struct { + TotalCount int32 `json:"total_count"` + ParticipantIds []json.RawMessage `json:"participant_ids"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + groupCallParticipants.TotalCount = tmp.TotalCount - type stub UserPrivacySettingRuleRestrictChatMembers + fieldParticipantIds, _ := UnmarshalListOfMessageSender(tmp.ParticipantIds) + groupCallParticipants.ParticipantIds = fieldParticipantIds - return json.Marshal((*stub)(entity)) + return nil } -func (*UserPrivacySettingRuleRestrictChatMembers) GetClass() string { - return ClassUserPrivacySettingRule +// Contains information about a just created or just joined group call +type GroupCallInfo struct { + meta + // Identifier of the group call + GroupCallId int32 `json:"group_call_id"` + // Join response payload for tgcalls; empty if the call isn't joined + JoinPayload string `json:"join_payload"` } -func (*UserPrivacySettingRuleRestrictChatMembers) GetType() string { - return TypeUserPrivacySettingRuleRestrictChatMembers +func (entity *GroupCallInfo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub GroupCallInfo + + return json.Marshal((*stub)(entity)) +} + +func (*GroupCallInfo) GetClass() string { + return ClassGroupCallInfo } -func (*UserPrivacySettingRuleRestrictChatMembers) UserPrivacySettingRuleType() string { - return TypeUserPrivacySettingRuleRestrictChatMembers +func (*GroupCallInfo) GetType() string { + return TypeGroupCallInfo } -// A list of privacy rules. Rules are matched in the specified order. The first matched rule defines the privacy setting for a given user. If no rule matches, the action is not allowed -type UserPrivacySettingRules struct { - meta - // A list of rules - Rules []UserPrivacySettingRule `json:"rules"` +// Represents a message sent in a group call +type GroupCallMessage struct { + meta + // Unique message identifier within the group call + MessageId int32 `json:"message_id"` + // Identifier of the sender of the message + SenderId MessageSender `json:"sender_id"` + // Point in time (Unix timestamp) when the message was sent + Date int32 `json:"date"` + // Text of the message. If empty, then the message is a paid reaction in a live story + Text *FormattedText `json:"text"` + // The number of Telegram Stars that were paid to send the message; for live stories only + PaidMessageStarCount int64 `json:"paid_message_star_count"` + // True, if the message is sent by the owner of the call and must be treated as a message of the maximum level; for live stories only + IsFromOwner bool `json:"is_from_owner"` + // True, if the message can be deleted by the current user; for live stories only + CanBeDeleted bool `json:"can_be_deleted"` } -func (entity *UserPrivacySettingRules) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *GroupCallMessage) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub UserPrivacySettingRules + type stub GroupCallMessage + + return json.Marshal((*stub)(entity)) +} + +func (*GroupCallMessage) GetClass() string { + return ClassGroupCallMessage +} - return json.Marshal((*stub)(entity)) +func (*GroupCallMessage) GetType() string { + return TypeGroupCallMessage } -func (*UserPrivacySettingRules) GetClass() string { - return ClassUserPrivacySettingRules +func (groupCallMessage *GroupCallMessage) UnmarshalJSON(data []byte) error { + var tmp struct { + MessageId int32 `json:"message_id"` + SenderId json.RawMessage `json:"sender_id"` + Date int32 `json:"date"` + Text *FormattedText `json:"text"` + PaidMessageStarCount int64 `json:"paid_message_star_count"` + IsFromOwner bool `json:"is_from_owner"` + CanBeDeleted bool `json:"can_be_deleted"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + groupCallMessage.MessageId = tmp.MessageId + groupCallMessage.Date = tmp.Date + groupCallMessage.Text = tmp.Text + groupCallMessage.PaidMessageStarCount = tmp.PaidMessageStarCount + groupCallMessage.IsFromOwner = tmp.IsFromOwner + groupCallMessage.CanBeDeleted = tmp.CanBeDeleted + + fieldSenderId, _ := UnmarshalMessageSender(tmp.SenderId) + groupCallMessage.SenderId = fieldSenderId + + return nil } -func (*UserPrivacySettingRules) GetType() string { - return TypeUserPrivacySettingRules +// Represents a level of features for a message sent in a live story group call +type GroupCallMessageLevel struct { + meta + // The minimum number of Telegram Stars required to get features of the level + MinStarCount int64 `json:"min_star_count"` + // The amount of time the message of this level will be pinned, in seconds + PinDuration int32 `json:"pin_duration"` + // The maximum allowed length of the message text + MaxTextLength int32 `json:"max_text_length"` + // The maximum allowed number of custom emoji in the message text + MaxCustomEmojiCount int32 `json:"max_custom_emoji_count"` + // The first color used to show the message text in the RGB format + FirstColor int32 `json:"first_color"` + // The second color used to show the message text in the RGB format + SecondColor int32 `json:"second_color"` + // Background color for the message the RGB format + BackgroundColor int32 `json:"background_color"` } -func (userPrivacySettingRules *UserPrivacySettingRules) UnmarshalJSON(data []byte) error { - var tmp struct { - Rules []json.RawMessage `json:"rules"` - } +func (entity *GroupCallMessageLevel) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + type stub GroupCallMessageLevel - fieldRules, _ := UnmarshalListOfUserPrivacySettingRule(tmp.Rules) - userPrivacySettingRules.Rules = fieldRules + return json.Marshal((*stub)(entity)) +} + +func (*GroupCallMessageLevel) GetClass() string { + return ClassGroupCallMessageLevel +} - return nil +func (*GroupCallMessageLevel) GetType() string { + return TypeGroupCallMessageLevel } -// A privacy setting for managing whether the user's online status is visible -type UserPrivacySettingShowStatus struct { - meta +// The user can't be invited due to their privacy settings +type InviteGroupCallParticipantResultUserPrivacyRestricted struct{ + meta } -func (entity *UserPrivacySettingShowStatus) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *InviteGroupCallParticipantResultUserPrivacyRestricted) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub UserPrivacySettingShowStatus + type stub InviteGroupCallParticipantResultUserPrivacyRestricted - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*UserPrivacySettingShowStatus) GetClass() string { - return ClassUserPrivacySetting +func (*InviteGroupCallParticipantResultUserPrivacyRestricted) GetClass() string { + return ClassInviteGroupCallParticipantResult } -func (*UserPrivacySettingShowStatus) GetType() string { - return TypeUserPrivacySettingShowStatus +func (*InviteGroupCallParticipantResultUserPrivacyRestricted) GetType() string { + return TypeInviteGroupCallParticipantResultUserPrivacyRestricted } -func (*UserPrivacySettingShowStatus) UserPrivacySettingType() string { - return TypeUserPrivacySettingShowStatus +func (*InviteGroupCallParticipantResultUserPrivacyRestricted) InviteGroupCallParticipantResultType() string { + return TypeInviteGroupCallParticipantResultUserPrivacyRestricted } -// A privacy setting for managing whether the user's profile photo is visible -type UserPrivacySettingShowProfilePhoto struct { - meta +// The user can't be invited because they are already a participant of the call +type InviteGroupCallParticipantResultUserAlreadyParticipant struct{ + meta } -func (entity *UserPrivacySettingShowProfilePhoto) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *InviteGroupCallParticipantResultUserAlreadyParticipant) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub UserPrivacySettingShowProfilePhoto + type stub InviteGroupCallParticipantResultUserAlreadyParticipant - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*UserPrivacySettingShowProfilePhoto) GetClass() string { - return ClassUserPrivacySetting +func (*InviteGroupCallParticipantResultUserAlreadyParticipant) GetClass() string { + return ClassInviteGroupCallParticipantResult } -func (*UserPrivacySettingShowProfilePhoto) GetType() string { - return TypeUserPrivacySettingShowProfilePhoto +func (*InviteGroupCallParticipantResultUserAlreadyParticipant) GetType() string { + return TypeInviteGroupCallParticipantResultUserAlreadyParticipant } -func (*UserPrivacySettingShowProfilePhoto) UserPrivacySettingType() string { - return TypeUserPrivacySettingShowProfilePhoto +func (*InviteGroupCallParticipantResultUserAlreadyParticipant) InviteGroupCallParticipantResultType() string { + return TypeInviteGroupCallParticipantResultUserAlreadyParticipant } -// A privacy setting for managing whether a link to the user's account is included in forwarded messages -type UserPrivacySettingShowLinkInForwardedMessages struct { - meta +// The user can't be invited because they were banned by the owner of the call and can be invited back only by the owner of the group call +type InviteGroupCallParticipantResultUserWasBanned struct{ + meta } -func (entity *UserPrivacySettingShowLinkInForwardedMessages) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *InviteGroupCallParticipantResultUserWasBanned) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub UserPrivacySettingShowLinkInForwardedMessages + type stub InviteGroupCallParticipantResultUserWasBanned - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*UserPrivacySettingShowLinkInForwardedMessages) GetClass() string { - return ClassUserPrivacySetting +func (*InviteGroupCallParticipantResultUserWasBanned) GetClass() string { + return ClassInviteGroupCallParticipantResult } -func (*UserPrivacySettingShowLinkInForwardedMessages) GetType() string { - return TypeUserPrivacySettingShowLinkInForwardedMessages +func (*InviteGroupCallParticipantResultUserWasBanned) GetType() string { + return TypeInviteGroupCallParticipantResultUserWasBanned } -func (*UserPrivacySettingShowLinkInForwardedMessages) UserPrivacySettingType() string { - return TypeUserPrivacySettingShowLinkInForwardedMessages +func (*InviteGroupCallParticipantResultUserWasBanned) InviteGroupCallParticipantResultType() string { + return TypeInviteGroupCallParticipantResultUserWasBanned } -// A privacy setting for managing whether the user's phone number is visible -type UserPrivacySettingShowPhoneNumber struct { - meta +// The user was invited and a service message of the type messageGroupCall was sent which can be used in declineGroupCallInvitation to cancel the invitation +type InviteGroupCallParticipantResultSuccess struct { + meta + // Identifier of the chat with the invitation message + ChatId int64 `json:"chat_id"` + // Identifier of the message + MessageId int64 `json:"message_id"` } -func (entity *UserPrivacySettingShowPhoneNumber) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *InviteGroupCallParticipantResultSuccess) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub UserPrivacySettingShowPhoneNumber + type stub InviteGroupCallParticipantResultSuccess - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*UserPrivacySettingShowPhoneNumber) GetClass() string { - return ClassUserPrivacySetting +func (*InviteGroupCallParticipantResultSuccess) GetClass() string { + return ClassInviteGroupCallParticipantResult } -func (*UserPrivacySettingShowPhoneNumber) GetType() string { - return TypeUserPrivacySettingShowPhoneNumber +func (*InviteGroupCallParticipantResultSuccess) GetType() string { + return TypeInviteGroupCallParticipantResultSuccess } -func (*UserPrivacySettingShowPhoneNumber) UserPrivacySettingType() string { - return TypeUserPrivacySettingShowPhoneNumber +func (*InviteGroupCallParticipantResultSuccess) InviteGroupCallParticipantResultType() string { + return TypeInviteGroupCallParticipantResultSuccess } -// A privacy setting for managing whether the user can be invited to chats -type UserPrivacySettingAllowChatInvites struct { - meta +// The main data channel for audio and video data +type GroupCallDataChannelMain struct{ + meta } -func (entity *UserPrivacySettingAllowChatInvites) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *GroupCallDataChannelMain) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub UserPrivacySettingAllowChatInvites + type stub GroupCallDataChannelMain - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*UserPrivacySettingAllowChatInvites) GetClass() string { - return ClassUserPrivacySetting +func (*GroupCallDataChannelMain) GetClass() string { + return ClassGroupCallDataChannel } -func (*UserPrivacySettingAllowChatInvites) GetType() string { - return TypeUserPrivacySettingAllowChatInvites +func (*GroupCallDataChannelMain) GetType() string { + return TypeGroupCallDataChannelMain } -func (*UserPrivacySettingAllowChatInvites) UserPrivacySettingType() string { - return TypeUserPrivacySettingAllowChatInvites +func (*GroupCallDataChannelMain) GroupCallDataChannelType() string { + return TypeGroupCallDataChannelMain } -// A privacy setting for managing whether the user can be called -type UserPrivacySettingAllowCalls struct { - meta +// The data channel for screen sharing +type GroupCallDataChannelScreenSharing struct{ + meta } -func (entity *UserPrivacySettingAllowCalls) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *GroupCallDataChannelScreenSharing) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub UserPrivacySettingAllowCalls + type stub GroupCallDataChannelScreenSharing - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*UserPrivacySettingAllowCalls) GetClass() string { - return ClassUserPrivacySetting +func (*GroupCallDataChannelScreenSharing) GetClass() string { + return ClassGroupCallDataChannel } -func (*UserPrivacySettingAllowCalls) GetType() string { - return TypeUserPrivacySettingAllowCalls +func (*GroupCallDataChannelScreenSharing) GetType() string { + return TypeGroupCallDataChannelScreenSharing } -func (*UserPrivacySettingAllowCalls) UserPrivacySettingType() string { - return TypeUserPrivacySettingAllowCalls +func (*GroupCallDataChannelScreenSharing) GroupCallDataChannelType() string { + return TypeGroupCallDataChannelScreenSharing } -// A privacy setting for managing whether peer-to-peer connections can be used for calls -type UserPrivacySettingAllowPeerToPeerCalls struct { - meta +// The group call is accessible through a link +type InputGroupCallLink struct { + meta + // The link for the group call + Link string `json:"link"` } -func (entity *UserPrivacySettingAllowPeerToPeerCalls) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *InputGroupCallLink) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub UserPrivacySettingAllowPeerToPeerCalls + type stub InputGroupCallLink - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*UserPrivacySettingAllowPeerToPeerCalls) GetClass() string { - return ClassUserPrivacySetting +func (*InputGroupCallLink) GetClass() string { + return ClassInputGroupCall } -func (*UserPrivacySettingAllowPeerToPeerCalls) GetType() string { - return TypeUserPrivacySettingAllowPeerToPeerCalls +func (*InputGroupCallLink) GetType() string { + return TypeInputGroupCallLink } -func (*UserPrivacySettingAllowPeerToPeerCalls) UserPrivacySettingType() string { - return TypeUserPrivacySettingAllowPeerToPeerCalls +func (*InputGroupCallLink) InputGroupCallType() string { + return TypeInputGroupCallLink } -// A privacy setting for managing whether the user can be found by their phone number. Checked only if the phone number is not known to the other user. Can be set only to "Allow contacts" or "Allow all" -type UserPrivacySettingAllowFindingByPhoneNumber struct { - meta +// The group call is accessible through a message of the type messageGroupCall +type InputGroupCallMessage struct { + meta + // Identifier of the chat with the message + ChatId int64 `json:"chat_id"` + // Identifier of the message of the type messageGroupCall + MessageId int64 `json:"message_id"` } -func (entity *UserPrivacySettingAllowFindingByPhoneNumber) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *InputGroupCallMessage) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub UserPrivacySettingAllowFindingByPhoneNumber + type stub InputGroupCallMessage - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*UserPrivacySettingAllowFindingByPhoneNumber) GetClass() string { - return ClassUserPrivacySetting +func (*InputGroupCallMessage) GetClass() string { + return ClassInputGroupCall } -func (*UserPrivacySettingAllowFindingByPhoneNumber) GetType() string { - return TypeUserPrivacySettingAllowFindingByPhoneNumber +func (*InputGroupCallMessage) GetType() string { + return TypeInputGroupCallMessage } -func (*UserPrivacySettingAllowFindingByPhoneNumber) UserPrivacySettingType() string { - return TypeUserPrivacySettingAllowFindingByPhoneNumber +func (*InputGroupCallMessage) InputGroupCallType() string { + return TypeInputGroupCallMessage } -// A privacy setting for managing whether the user can receive voice and video messages in private chats -type UserPrivacySettingAllowPrivateVoiceAndVideoNoteMessages struct { - meta +// The user heard their own voice +type CallProblemEcho struct{ + meta } -func (entity *UserPrivacySettingAllowPrivateVoiceAndVideoNoteMessages) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *CallProblemEcho) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub UserPrivacySettingAllowPrivateVoiceAndVideoNoteMessages + type stub CallProblemEcho - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*UserPrivacySettingAllowPrivateVoiceAndVideoNoteMessages) GetClass() string { - return ClassUserPrivacySetting +func (*CallProblemEcho) GetClass() string { + return ClassCallProblem } -func (*UserPrivacySettingAllowPrivateVoiceAndVideoNoteMessages) GetType() string { - return TypeUserPrivacySettingAllowPrivateVoiceAndVideoNoteMessages +func (*CallProblemEcho) GetType() string { + return TypeCallProblemEcho } -func (*UserPrivacySettingAllowPrivateVoiceAndVideoNoteMessages) UserPrivacySettingType() string { - return TypeUserPrivacySettingAllowPrivateVoiceAndVideoNoteMessages +func (*CallProblemEcho) CallProblemType() string { + return TypeCallProblemEcho } -// Contains information about the period of inactivity after which the current user's account will automatically be deleted -type AccountTtl struct { - meta - // Number of days of inactivity before the account will be flagged for deletion; 30-366 days - Days int32 `json:"days"` +// The user heard background noise +type CallProblemNoise struct{ + meta } -func (entity *AccountTtl) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *CallProblemNoise) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub CallProblemNoise - type stub AccountTtl + return json.Marshal((*stub)(entity)) +} - return json.Marshal((*stub)(entity)) +func (*CallProblemNoise) GetClass() string { + return ClassCallProblem } -func (*AccountTtl) GetClass() string { - return ClassAccountTtl +func (*CallProblemNoise) GetType() string { + return TypeCallProblemNoise } -func (*AccountTtl) GetType() string { - return TypeAccountTtl +func (*CallProblemNoise) CallProblemType() string { + return TypeCallProblemNoise } -// Contains default auto-delete timer setting for new chats -type MessageAutoDeleteTime struct { - meta - // Message auto-delete time, in seconds. If 0, then messages aren't deleted automatically - Time int32 `json:"time"` +// The other side kept disappearing +type CallProblemInterruptions struct{ + meta } -func (entity *MessageAutoDeleteTime) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *CallProblemInterruptions) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub CallProblemInterruptions - type stub MessageAutoDeleteTime + return json.Marshal((*stub)(entity)) +} - return json.Marshal((*stub)(entity)) +func (*CallProblemInterruptions) GetClass() string { + return ClassCallProblem } -func (*MessageAutoDeleteTime) GetClass() string { - return ClassMessageAutoDeleteTime +func (*CallProblemInterruptions) GetType() string { + return TypeCallProblemInterruptions } -func (*MessageAutoDeleteTime) GetType() string { - return TypeMessageAutoDeleteTime +func (*CallProblemInterruptions) CallProblemType() string { + return TypeCallProblemInterruptions } -// The session is running on an Android device -type SessionTypeAndroid struct { - meta +// The speech was distorted +type CallProblemDistortedSpeech struct{ + meta } -func (entity *SessionTypeAndroid) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *CallProblemDistortedSpeech) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub SessionTypeAndroid + type stub CallProblemDistortedSpeech - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*SessionTypeAndroid) GetClass() string { - return ClassSessionType +func (*CallProblemDistortedSpeech) GetClass() string { + return ClassCallProblem } -func (*SessionTypeAndroid) GetType() string { - return TypeSessionTypeAndroid +func (*CallProblemDistortedSpeech) GetType() string { + return TypeCallProblemDistortedSpeech } -func (*SessionTypeAndroid) SessionTypeType() string { - return TypeSessionTypeAndroid +func (*CallProblemDistortedSpeech) CallProblemType() string { + return TypeCallProblemDistortedSpeech } -// The session is running on a generic Apple device -type SessionTypeApple struct { - meta +// The user couldn't hear the other side +type CallProblemSilentLocal struct{ + meta } -func (entity *SessionTypeApple) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *CallProblemSilentLocal) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub SessionTypeApple + type stub CallProblemSilentLocal - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*SessionTypeApple) GetClass() string { - return ClassSessionType +func (*CallProblemSilentLocal) GetClass() string { + return ClassCallProblem } -func (*SessionTypeApple) GetType() string { - return TypeSessionTypeApple +func (*CallProblemSilentLocal) GetType() string { + return TypeCallProblemSilentLocal } -func (*SessionTypeApple) SessionTypeType() string { - return TypeSessionTypeApple +func (*CallProblemSilentLocal) CallProblemType() string { + return TypeCallProblemSilentLocal } -// The session is running on the Brave browser -type SessionTypeBrave struct { - meta +// The other side couldn't hear the user +type CallProblemSilentRemote struct{ + meta } -func (entity *SessionTypeBrave) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *CallProblemSilentRemote) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub SessionTypeBrave + type stub CallProblemSilentRemote - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*SessionTypeBrave) GetClass() string { - return ClassSessionType +func (*CallProblemSilentRemote) GetClass() string { + return ClassCallProblem } -func (*SessionTypeBrave) GetType() string { - return TypeSessionTypeBrave +func (*CallProblemSilentRemote) GetType() string { + return TypeCallProblemSilentRemote } -func (*SessionTypeBrave) SessionTypeType() string { - return TypeSessionTypeBrave +func (*CallProblemSilentRemote) CallProblemType() string { + return TypeCallProblemSilentRemote } -// The session is running on the Chrome browser -type SessionTypeChrome struct { - meta +// The call ended unexpectedly +type CallProblemDropped struct{ + meta } -func (entity *SessionTypeChrome) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *CallProblemDropped) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub SessionTypeChrome + type stub CallProblemDropped - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*SessionTypeChrome) GetClass() string { - return ClassSessionType +func (*CallProblemDropped) GetClass() string { + return ClassCallProblem } -func (*SessionTypeChrome) GetType() string { - return TypeSessionTypeChrome +func (*CallProblemDropped) GetType() string { + return TypeCallProblemDropped } -func (*SessionTypeChrome) SessionTypeType() string { - return TypeSessionTypeChrome +func (*CallProblemDropped) CallProblemType() string { + return TypeCallProblemDropped } -// The session is running on the Edge browser -type SessionTypeEdge struct { - meta +// The video was distorted +type CallProblemDistortedVideo struct{ + meta } -func (entity *SessionTypeEdge) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *CallProblemDistortedVideo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub SessionTypeEdge + type stub CallProblemDistortedVideo - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*SessionTypeEdge) GetClass() string { - return ClassSessionType +func (*CallProblemDistortedVideo) GetClass() string { + return ClassCallProblem } -func (*SessionTypeEdge) GetType() string { - return TypeSessionTypeEdge +func (*CallProblemDistortedVideo) GetType() string { + return TypeCallProblemDistortedVideo } -func (*SessionTypeEdge) SessionTypeType() string { - return TypeSessionTypeEdge +func (*CallProblemDistortedVideo) CallProblemType() string { + return TypeCallProblemDistortedVideo } -// The session is running on the Firefox browser -type SessionTypeFirefox struct { - meta +// The video was pixelated +type CallProblemPixelatedVideo struct{ + meta } -func (entity *SessionTypeFirefox) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *CallProblemPixelatedVideo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub SessionTypeFirefox + type stub CallProblemPixelatedVideo - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*SessionTypeFirefox) GetClass() string { - return ClassSessionType +func (*CallProblemPixelatedVideo) GetClass() string { + return ClassCallProblem } -func (*SessionTypeFirefox) GetType() string { - return TypeSessionTypeFirefox +func (*CallProblemPixelatedVideo) GetType() string { + return TypeCallProblemPixelatedVideo } -func (*SessionTypeFirefox) SessionTypeType() string { - return TypeSessionTypeFirefox +func (*CallProblemPixelatedVideo) CallProblemType() string { + return TypeCallProblemPixelatedVideo } -// The session is running on an iPad device -type SessionTypeIpad struct { - meta +// Describes a call +type Call struct { + meta + // Call identifier, not persistent + Id int32 `json:"id"` + // Persistent unique call identifier; 0 if isn't assigned yet by the server + UniqueId JsonInt64 `json:"unique_id"` + // User identifier of the other call participant + UserId int64 `json:"user_id"` + // True, if the call is outgoing + IsOutgoing bool `json:"is_outgoing"` + // True, if the call is a video call + IsVideo bool `json:"is_video"` + // Call state + State CallState `json:"state"` } -func (entity *SessionTypeIpad) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *Call) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub SessionTypeIpad + type stub Call - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*SessionTypeIpad) GetClass() string { - return ClassSessionType +func (*Call) GetClass() string { + return ClassCall } -func (*SessionTypeIpad) GetType() string { - return TypeSessionTypeIpad +func (*Call) GetType() string { + return TypeCall } -func (*SessionTypeIpad) SessionTypeType() string { - return TypeSessionTypeIpad +func (call *Call) UnmarshalJSON(data []byte) error { + var tmp struct { + Id int32 `json:"id"` + UniqueId JsonInt64 `json:"unique_id"` + UserId int64 `json:"user_id"` + IsOutgoing bool `json:"is_outgoing"` + IsVideo bool `json:"is_video"` + State json.RawMessage `json:"state"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + call.Id = tmp.Id + call.UniqueId = tmp.UniqueId + call.UserId = tmp.UserId + call.IsOutgoing = tmp.IsOutgoing + call.IsVideo = tmp.IsVideo + + fieldState, _ := UnmarshalCallState(tmp.State) + call.State = fieldState + + return nil } -// The session is running on an iPhone device -type SessionTypeIphone struct { - meta +// Settings for Firebase Authentication in the official Android application +type FirebaseAuthenticationSettingsAndroid struct{ + meta } -func (entity *SessionTypeIphone) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *FirebaseAuthenticationSettingsAndroid) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub SessionTypeIphone + type stub FirebaseAuthenticationSettingsAndroid - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*SessionTypeIphone) GetClass() string { - return ClassSessionType +func (*FirebaseAuthenticationSettingsAndroid) GetClass() string { + return ClassFirebaseAuthenticationSettings } -func (*SessionTypeIphone) GetType() string { - return TypeSessionTypeIphone +func (*FirebaseAuthenticationSettingsAndroid) GetType() string { + return TypeFirebaseAuthenticationSettingsAndroid } -func (*SessionTypeIphone) SessionTypeType() string { - return TypeSessionTypeIphone +func (*FirebaseAuthenticationSettingsAndroid) FirebaseAuthenticationSettingsType() string { + return TypeFirebaseAuthenticationSettingsAndroid } -// The session is running on a Linux device -type SessionTypeLinux struct { - meta +// Settings for Firebase Authentication in the official iOS application +type FirebaseAuthenticationSettingsIos struct { + meta + // Device token from Apple Push Notification service + DeviceToken string `json:"device_token"` + // True, if App Sandbox is enabled + IsAppSandbox bool `json:"is_app_sandbox"` } -func (entity *SessionTypeLinux) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *FirebaseAuthenticationSettingsIos) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub SessionTypeLinux + type stub FirebaseAuthenticationSettingsIos - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*SessionTypeLinux) GetClass() string { - return ClassSessionType +func (*FirebaseAuthenticationSettingsIos) GetClass() string { + return ClassFirebaseAuthenticationSettings } -func (*SessionTypeLinux) GetType() string { - return TypeSessionTypeLinux +func (*FirebaseAuthenticationSettingsIos) GetType() string { + return TypeFirebaseAuthenticationSettingsIos } -func (*SessionTypeLinux) SessionTypeType() string { - return TypeSessionTypeLinux +func (*FirebaseAuthenticationSettingsIos) FirebaseAuthenticationSettingsType() string { + return TypeFirebaseAuthenticationSettingsIos } -// The session is running on a Mac device -type SessionTypeMac struct { - meta +// Contains settings for the authentication of the user's phone number +type PhoneNumberAuthenticationSettings struct { + meta + // Pass true if the authentication code may be sent via a flash call to the specified phone number + AllowFlashCall bool `json:"allow_flash_call"` + // Pass true if the authentication code may be sent via a missed call to the specified phone number + AllowMissedCall bool `json:"allow_missed_call"` + // Pass true if the authenticated phone number is used on the current device + IsCurrentPhoneNumber bool `json:"is_current_phone_number"` + // Pass true if there is a SIM card in the current device, but it is not possible to check whether phone number matches + HasUnknownPhoneNumber bool `json:"has_unknown_phone_number"` + // For official applications only. True, if the application can use Android SMS Retriever API (requires Google Play Services >= 10.2) to automatically receive the authentication code from the SMS. See https://developers.google.com/identity/sms-retriever/ for more details + AllowSmsRetrieverApi bool `json:"allow_sms_retriever_api"` + // For official Android and iOS applications only; pass null otherwise. Settings for Firebase Authentication + FirebaseAuthenticationSettings FirebaseAuthenticationSettings `json:"firebase_authentication_settings"` + // List of up to 20 authentication tokens, recently received in updateOption("authentication_token") in previously logged out sessions; for setAuthenticationPhoneNumber only + AuthenticationTokens []string `json:"authentication_tokens"` } -func (entity *SessionTypeMac) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *PhoneNumberAuthenticationSettings) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub SessionTypeMac + type stub PhoneNumberAuthenticationSettings - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*SessionTypeMac) GetClass() string { - return ClassSessionType +func (*PhoneNumberAuthenticationSettings) GetClass() string { + return ClassPhoneNumberAuthenticationSettings } -func (*SessionTypeMac) GetType() string { - return TypeSessionTypeMac +func (*PhoneNumberAuthenticationSettings) GetType() string { + return TypePhoneNumberAuthenticationSettings } -func (*SessionTypeMac) SessionTypeType() string { - return TypeSessionTypeMac +func (phoneNumberAuthenticationSettings *PhoneNumberAuthenticationSettings) UnmarshalJSON(data []byte) error { + var tmp struct { + AllowFlashCall bool `json:"allow_flash_call"` + AllowMissedCall bool `json:"allow_missed_call"` + IsCurrentPhoneNumber bool `json:"is_current_phone_number"` + HasUnknownPhoneNumber bool `json:"has_unknown_phone_number"` + AllowSmsRetrieverApi bool `json:"allow_sms_retriever_api"` + FirebaseAuthenticationSettings json.RawMessage `json:"firebase_authentication_settings"` + AuthenticationTokens []string `json:"authentication_tokens"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + phoneNumberAuthenticationSettings.AllowFlashCall = tmp.AllowFlashCall + phoneNumberAuthenticationSettings.AllowMissedCall = tmp.AllowMissedCall + phoneNumberAuthenticationSettings.IsCurrentPhoneNumber = tmp.IsCurrentPhoneNumber + phoneNumberAuthenticationSettings.HasUnknownPhoneNumber = tmp.HasUnknownPhoneNumber + phoneNumberAuthenticationSettings.AllowSmsRetrieverApi = tmp.AllowSmsRetrieverApi + phoneNumberAuthenticationSettings.AuthenticationTokens = tmp.AuthenticationTokens + + fieldFirebaseAuthenticationSettings, _ := UnmarshalFirebaseAuthenticationSettings(tmp.FirebaseAuthenticationSettings) + phoneNumberAuthenticationSettings.FirebaseAuthenticationSettings = fieldFirebaseAuthenticationSettings + + return nil } -// The session is running on the Opera browser -type SessionTypeOpera struct { - meta +// Represents a reaction applied to a message +type AddedReaction struct { + meta + // Type of the reaction + Type ReactionType `json:"type"` + // Identifier of the chat member, applied the reaction + SenderId MessageSender `json:"sender_id"` + // True, if the reaction was added by the current user + IsOutgoing bool `json:"is_outgoing"` + // Point in time (Unix timestamp) when the reaction was added + Date int32 `json:"date"` } -func (entity *SessionTypeOpera) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *AddedReaction) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub SessionTypeOpera + type stub AddedReaction - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*SessionTypeOpera) GetClass() string { - return ClassSessionType +func (*AddedReaction) GetClass() string { + return ClassAddedReaction } -func (*SessionTypeOpera) GetType() string { - return TypeSessionTypeOpera +func (*AddedReaction) GetType() string { + return TypeAddedReaction } -func (*SessionTypeOpera) SessionTypeType() string { - return TypeSessionTypeOpera +func (addedReaction *AddedReaction) UnmarshalJSON(data []byte) error { + var tmp struct { + Type json.RawMessage `json:"type"` + SenderId json.RawMessage `json:"sender_id"` + IsOutgoing bool `json:"is_outgoing"` + Date int32 `json:"date"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + addedReaction.IsOutgoing = tmp.IsOutgoing + addedReaction.Date = tmp.Date + + fieldType, _ := UnmarshalReactionType(tmp.Type) + addedReaction.Type = fieldType + + fieldSenderId, _ := UnmarshalMessageSender(tmp.SenderId) + addedReaction.SenderId = fieldSenderId + + return nil } -// The session is running on the Safari browser -type SessionTypeSafari struct { - meta +// Represents a list of reactions added to a message +type AddedReactions struct { + meta + // The total number of found reactions + TotalCount int32 `json:"total_count"` + // The list of added reactions + Reactions []*AddedReaction `json:"reactions"` + // The offset for the next request. If empty, then there are no more results + NextOffset string `json:"next_offset"` } -func (entity *SessionTypeSafari) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *AddedReactions) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub SessionTypeSafari + type stub AddedReactions - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*SessionTypeSafari) GetClass() string { - return ClassSessionType +func (*AddedReactions) GetClass() string { + return ClassAddedReactions } -func (*SessionTypeSafari) GetType() string { - return TypeSessionTypeSafari +func (*AddedReactions) GetType() string { + return TypeAddedReactions } -func (*SessionTypeSafari) SessionTypeType() string { - return TypeSessionTypeSafari +// Represents an available reaction +type AvailableReaction struct { + meta + // Type of the reaction + Type ReactionType `json:"type"` + // True, if Telegram Premium is needed to send the reaction + NeedsPremium bool `json:"needs_premium"` } -// The session is running on an Ubuntu device -type SessionTypeUbuntu struct { - meta +func (entity *AvailableReaction) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub AvailableReaction + + return json.Marshal((*stub)(entity)) +} + +func (*AvailableReaction) GetClass() string { + return ClassAvailableReaction } -func (entity *SessionTypeUbuntu) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (*AvailableReaction) GetType() string { + return TypeAvailableReaction +} + +func (availableReaction *AvailableReaction) UnmarshalJSON(data []byte) error { + var tmp struct { + Type json.RawMessage `json:"type"` + NeedsPremium bool `json:"needs_premium"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + availableReaction.NeedsPremium = tmp.NeedsPremium - type stub SessionTypeUbuntu + fieldType, _ := UnmarshalReactionType(tmp.Type) + availableReaction.Type = fieldType - return json.Marshal((*stub)(entity)) + return nil } -func (*SessionTypeUbuntu) GetClass() string { - return ClassSessionType +// Represents a list of reactions that can be added to a message +type AvailableReactions struct { + meta + // List of reactions to be shown at the top + TopReactions []*AvailableReaction `json:"top_reactions"` + // List of recently used reactions + RecentReactions []*AvailableReaction `json:"recent_reactions"` + // List of popular reactions + PopularReactions []*AvailableReaction `json:"popular_reactions"` + // True, if any custom emoji reaction can be added by Telegram Premium subscribers + AllowCustomEmoji bool `json:"allow_custom_emoji"` + // True, if the reactions will be tags and the message can be found by them + AreTags bool `json:"are_tags"` + // The reason why the current user can't add reactions to the message, despite some other users can; may be null if none + UnavailabilityReason ReactionUnavailabilityReason `json:"unavailability_reason"` } -func (*SessionTypeUbuntu) GetType() string { - return TypeSessionTypeUbuntu +func (entity *AvailableReactions) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub AvailableReactions + + return json.Marshal((*stub)(entity)) } -func (*SessionTypeUbuntu) SessionTypeType() string { - return TypeSessionTypeUbuntu +func (*AvailableReactions) GetClass() string { + return ClassAvailableReactions } -// The session is running on an unknown type of device -type SessionTypeUnknown struct { - meta +func (*AvailableReactions) GetType() string { + return TypeAvailableReactions } -func (entity *SessionTypeUnknown) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (availableReactions *AvailableReactions) UnmarshalJSON(data []byte) error { + var tmp struct { + TopReactions []*AvailableReaction `json:"top_reactions"` + RecentReactions []*AvailableReaction `json:"recent_reactions"` + PopularReactions []*AvailableReaction `json:"popular_reactions"` + AllowCustomEmoji bool `json:"allow_custom_emoji"` + AreTags bool `json:"are_tags"` + UnavailabilityReason json.RawMessage `json:"unavailability_reason"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + availableReactions.TopReactions = tmp.TopReactions + availableReactions.RecentReactions = tmp.RecentReactions + availableReactions.PopularReactions = tmp.PopularReactions + availableReactions.AllowCustomEmoji = tmp.AllowCustomEmoji + availableReactions.AreTags = tmp.AreTags - type stub SessionTypeUnknown + fieldUnavailabilityReason, _ := UnmarshalReactionUnavailabilityReason(tmp.UnavailabilityReason) + availableReactions.UnavailabilityReason = fieldUnavailabilityReason - return json.Marshal((*stub)(entity)) + return nil } -func (*SessionTypeUnknown) GetClass() string { - return ClassSessionType +// Contains information about an emoji reaction +type EmojiReaction struct { + meta + // Text representation of the reaction + Emoji string `json:"emoji"` + // Reaction title + Title string `json:"title"` + // True, if the reaction can be added to new messages and enabled in chats + IsActive bool `json:"is_active"` + // Static icon for the reaction + StaticIcon *Sticker `json:"static_icon"` + // Appear animation for the reaction + AppearAnimation *Sticker `json:"appear_animation"` + // Select animation for the reaction + SelectAnimation *Sticker `json:"select_animation"` + // Activate animation for the reaction + ActivateAnimation *Sticker `json:"activate_animation"` + // Effect animation for the reaction + EffectAnimation *Sticker `json:"effect_animation"` + // Around animation for the reaction; may be null + AroundAnimation *Sticker `json:"around_animation"` + // Center animation for the reaction; may be null + CenterAnimation *Sticker `json:"center_animation"` +} + +func (entity *EmojiReaction) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub EmojiReaction + + return json.Marshal((*stub)(entity)) } -func (*SessionTypeUnknown) GetType() string { - return TypeSessionTypeUnknown +func (*EmojiReaction) GetClass() string { + return ClassEmojiReaction } -func (*SessionTypeUnknown) SessionTypeType() string { - return TypeSessionTypeUnknown +func (*EmojiReaction) GetType() string { + return TypeEmojiReaction } -// The session is running on the Vivaldi browser -type SessionTypeVivaldi struct { - meta +// The user is an anonymous administrator in the supergroup, but isn't a creator of it, so they can't vote on behalf of the supergroup +type ReactionUnavailabilityReasonAnonymousAdministrator struct{ + meta } -func (entity *SessionTypeVivaldi) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *ReactionUnavailabilityReasonAnonymousAdministrator) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub SessionTypeVivaldi + type stub ReactionUnavailabilityReasonAnonymousAdministrator - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*SessionTypeVivaldi) GetClass() string { - return ClassSessionType +func (*ReactionUnavailabilityReasonAnonymousAdministrator) GetClass() string { + return ClassReactionUnavailabilityReason } -func (*SessionTypeVivaldi) GetType() string { - return TypeSessionTypeVivaldi +func (*ReactionUnavailabilityReasonAnonymousAdministrator) GetType() string { + return TypeReactionUnavailabilityReasonAnonymousAdministrator } -func (*SessionTypeVivaldi) SessionTypeType() string { - return TypeSessionTypeVivaldi +func (*ReactionUnavailabilityReasonAnonymousAdministrator) ReactionUnavailabilityReasonType() string { + return TypeReactionUnavailabilityReasonAnonymousAdministrator } -// The session is running on a Windows device -type SessionTypeWindows struct { - meta +// The user isn't a member of the supergroup and can't send messages and reactions there without joining +type ReactionUnavailabilityReasonGuest struct{ + meta } -func (entity *SessionTypeWindows) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *ReactionUnavailabilityReasonGuest) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub SessionTypeWindows + type stub ReactionUnavailabilityReasonGuest - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*SessionTypeWindows) GetClass() string { - return ClassSessionType +func (*ReactionUnavailabilityReasonGuest) GetClass() string { + return ClassReactionUnavailabilityReason } -func (*SessionTypeWindows) GetType() string { - return TypeSessionTypeWindows +func (*ReactionUnavailabilityReasonGuest) GetType() string { + return TypeReactionUnavailabilityReasonGuest } -func (*SessionTypeWindows) SessionTypeType() string { - return TypeSessionTypeWindows +func (*ReactionUnavailabilityReasonGuest) ReactionUnavailabilityReasonType() string { + return TypeReactionUnavailabilityReasonGuest } -// The session is running on an Xbox console -type SessionTypeXbox struct { - meta +// Represents a list of animations +type Animations struct { + meta + // List of animations + Animations []*Animation `json:"animations"` } -func (entity *SessionTypeXbox) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *Animations) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub SessionTypeXbox + type stub Animations - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*SessionTypeXbox) GetClass() string { - return ClassSessionType +func (*Animations) GetClass() string { + return ClassAnimations } -func (*SessionTypeXbox) GetType() string { - return TypeSessionTypeXbox +func (*Animations) GetType() string { + return TypeAnimations } -func (*SessionTypeXbox) SessionTypeType() string { - return TypeSessionTypeXbox +// A regular animated sticker +type DiceStickersRegular struct { + meta + // The animated sticker with the dice animation + Sticker *Sticker `json:"sticker"` } -// Contains information about one session in a Telegram application used by the current user. Sessions must be shown to the user in the returned order -type Session struct { - meta - // Session identifier - Id JsonInt64 `json:"id"` - // True, if this session is the current session - IsCurrent bool `json:"is_current"` - // True, if a 2-step verification password is needed to complete authorization of the session - IsPasswordPending bool `json:"is_password_pending"` - // True, if incoming secret chats can be accepted by the session - CanAcceptSecretChats bool `json:"can_accept_secret_chats"` - // True, if incoming calls can be accepted by the session - CanAcceptCalls bool `json:"can_accept_calls"` - // Session type based on the system and application version, which can be used to display a corresponding icon - Type SessionType `json:"type"` - // Telegram API identifier, as provided by the application - ApiId int32 `json:"api_id"` - // Name of the application, as provided by the application - ApplicationName string `json:"application_name"` - // The version of the application, as provided by the application - ApplicationVersion string `json:"application_version"` - // True, if the application is an official application or uses the api_id of an official application - IsOfficialApplication bool `json:"is_official_application"` - // Model of the device the application has been run or is running on, as provided by the application - DeviceModel string `json:"device_model"` - // Operating system the application has been run or is running on, as provided by the application - Platform string `json:"platform"` - // Version of the operating system the application has been run or is running on, as provided by the application - SystemVersion string `json:"system_version"` - // Point in time (Unix timestamp) when the user has logged in - LogInDate int32 `json:"log_in_date"` - // Point in time (Unix timestamp) when the session was last used - LastActiveDate int32 `json:"last_active_date"` - // IP address from which the session was created, in human-readable format - Ip string `json:"ip"` - // A two-letter country code for the country from which the session was created, based on the IP address - Country string `json:"country"` - // Region code from which the session was created, based on the IP address - Region string `json:"region"` +func (entity *DiceStickersRegular) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub DiceStickersRegular + + return json.Marshal((*stub)(entity)) } -func (entity *Session) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (*DiceStickersRegular) GetClass() string { + return ClassDiceStickers +} - type stub Session +func (*DiceStickersRegular) GetType() string { + return TypeDiceStickersRegular +} - return json.Marshal((*stub)(entity)) +func (*DiceStickersRegular) DiceStickersType() string { + return TypeDiceStickersRegular } -func (*Session) GetClass() string { - return ClassSession +// Animated stickers to be combined into a slot machine +type DiceStickersSlotMachine struct { + meta + // The animated sticker with the slot machine background. The background animation must start playing after all reel animations finish + Background *Sticker `json:"background"` + // The animated sticker with the lever animation. The lever animation must play once in the initial dice state + Lever *Sticker `json:"lever"` + // The animated sticker with the left reel + LeftReel *Sticker `json:"left_reel"` + // The animated sticker with the center reel + CenterReel *Sticker `json:"center_reel"` + // The animated sticker with the right reel + RightReel *Sticker `json:"right_reel"` } -func (*Session) GetType() string { - return TypeSession +func (entity *DiceStickersSlotMachine) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub DiceStickersSlotMachine + + return json.Marshal((*stub)(entity)) } -func (session *Session) UnmarshalJSON(data []byte) error { - var tmp struct { - Id JsonInt64 `json:"id"` - IsCurrent bool `json:"is_current"` - IsPasswordPending bool `json:"is_password_pending"` - CanAcceptSecretChats bool `json:"can_accept_secret_chats"` - CanAcceptCalls bool `json:"can_accept_calls"` - Type json.RawMessage `json:"type"` - ApiId int32 `json:"api_id"` - ApplicationName string `json:"application_name"` - ApplicationVersion string `json:"application_version"` - IsOfficialApplication bool `json:"is_official_application"` - DeviceModel string `json:"device_model"` - Platform string `json:"platform"` - SystemVersion string `json:"system_version"` - LogInDate int32 `json:"log_in_date"` - LastActiveDate int32 `json:"last_active_date"` - Ip string `json:"ip"` - Country string `json:"country"` - Region string `json:"region"` - } +func (*DiceStickersSlotMachine) GetClass() string { + return ClassDiceStickers +} - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - session.Id = tmp.Id - session.IsCurrent = tmp.IsCurrent - session.IsPasswordPending = tmp.IsPasswordPending - session.CanAcceptSecretChats = tmp.CanAcceptSecretChats - session.CanAcceptCalls = tmp.CanAcceptCalls - session.ApiId = tmp.ApiId - session.ApplicationName = tmp.ApplicationName - session.ApplicationVersion = tmp.ApplicationVersion - session.IsOfficialApplication = tmp.IsOfficialApplication - session.DeviceModel = tmp.DeviceModel - session.Platform = tmp.Platform - session.SystemVersion = tmp.SystemVersion - session.LogInDate = tmp.LogInDate - session.LastActiveDate = tmp.LastActiveDate - session.Ip = tmp.Ip - session.Country = tmp.Country - session.Region = tmp.Region - - fieldType, _ := UnmarshalSessionType(tmp.Type) - session.Type = fieldType +func (*DiceStickersSlotMachine) GetType() string { + return TypeDiceStickersSlotMachine +} - return nil +func (*DiceStickersSlotMachine) DiceStickersType() string { + return TypeDiceStickersSlotMachine } -// Contains a list of sessions -type Sessions struct { - meta - // List of sessions - Sessions []*Session `json:"sessions"` - // Number of days of inactivity before sessions will automatically be terminated; 1-366 days - InactiveSessionTtlDays int32 `json:"inactive_session_ttl_days"` +// Describes a contact to import +type ImportedContact struct { + meta + // Phone number of the user + PhoneNumber string `json:"phone_number"` + // First name of the user; 1-64 characters + FirstName string `json:"first_name"` + // Last name of the user; 0-64 characters + LastName string `json:"last_name"` + // Note to add about the user; 0-getOption("user_note_text_length_max") characters. Only Bold, Italic, Underline, Strikethrough, Spoiler, and CustomEmoji entities are allowed; pass null to keep the current user's note + Note *FormattedText `json:"note"` } -func (entity *Sessions) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *ImportedContact) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub Sessions + type stub ImportedContact - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*Sessions) GetClass() string { - return ClassSessions +func (*ImportedContact) GetClass() string { + return ClassImportedContact } -func (*Sessions) GetType() string { - return TypeSessions +func (*ImportedContact) GetType() string { + return TypeImportedContact } -// Contains information about one website the current user is logged in with Telegram -type ConnectedWebsite struct { - meta - // Website identifier - Id JsonInt64 `json:"id"` - // The domain name of the website - DomainName string `json:"domain_name"` - // User identifier of a bot linked with the website - BotUserId int64 `json:"bot_user_id"` - // The version of a browser used to log in - Browser string `json:"browser"` - // Operating system the browser is running on - Platform string `json:"platform"` - // Point in time (Unix timestamp) when the user was logged in - LogInDate int32 `json:"log_in_date"` - // Point in time (Unix timestamp) when obtained authorization was last used - LastActiveDate int32 `json:"last_active_date"` - // IP address from which the user was logged in, in human-readable format - Ip string `json:"ip"` - // Human-readable description of a country and a region from which the user was logged in, based on the IP address - Location string `json:"location"` +// Represents the result of an importContacts request +type ImportedContacts struct { + meta + // User identifiers of the imported contacts in the same order as they were specified in the request; 0 if the contact is not yet a registered user + UserIds []int64 `json:"user_ids"` + // The number of users that imported the corresponding contact; 0 for already registered users or if unavailable + ImporterCount []int32 `json:"importer_count"` } -func (entity *ConnectedWebsite) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *ImportedContacts) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub ConnectedWebsite + type stub ImportedContacts - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*ConnectedWebsite) GetClass() string { - return ClassConnectedWebsite +func (*ImportedContacts) GetClass() string { + return ClassImportedContacts } -func (*ConnectedWebsite) GetType() string { - return TypeConnectedWebsite +func (*ImportedContacts) GetType() string { + return TypeImportedContacts } -// Contains a list of websites the current user is logged in with Telegram -type ConnectedWebsites struct { - meta - // List of connected websites - Websites []*ConnectedWebsite `json:"websites"` +// The speech recognition is ongoing +type SpeechRecognitionResultPending struct { + meta + // Partially recognized text + PartialText string `json:"partial_text"` } -func (entity *ConnectedWebsites) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *SpeechRecognitionResultPending) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub ConnectedWebsites + type stub SpeechRecognitionResultPending - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*ConnectedWebsites) GetClass() string { - return ClassConnectedWebsites +func (*SpeechRecognitionResultPending) GetClass() string { + return ClassSpeechRecognitionResult } -func (*ConnectedWebsites) GetType() string { - return TypeConnectedWebsites +func (*SpeechRecognitionResultPending) GetType() string { + return TypeSpeechRecognitionResultPending } -// The chat contains spam messages -type ChatReportReasonSpam struct { - meta +func (*SpeechRecognitionResultPending) SpeechRecognitionResultType() string { + return TypeSpeechRecognitionResultPending } -func (entity *ChatReportReasonSpam) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +// The speech recognition successfully finished +type SpeechRecognitionResultText struct { + meta + // Recognized text + Text string `json:"text"` +} + +func (entity *SpeechRecognitionResultText) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SpeechRecognitionResultText + + return json.Marshal((*stub)(entity)) +} - type stub ChatReportReasonSpam +func (*SpeechRecognitionResultText) GetClass() string { + return ClassSpeechRecognitionResult +} - return json.Marshal((*stub)(entity)) +func (*SpeechRecognitionResultText) GetType() string { + return TypeSpeechRecognitionResultText } -func (*ChatReportReasonSpam) GetClass() string { - return ClassChatReportReason +func (*SpeechRecognitionResultText) SpeechRecognitionResultType() string { + return TypeSpeechRecognitionResultText } -func (*ChatReportReasonSpam) GetType() string { - return TypeChatReportReasonSpam +// The speech recognition failed +type SpeechRecognitionResultError struct { + meta + // Recognition error. An error with a message "MSG_VOICE_TOO_LONG" is returned when media duration is too big to be recognized + Error *Error `json:"error"` } -func (*ChatReportReasonSpam) ChatReportReasonType() string { - return TypeChatReportReasonSpam +func (entity *SpeechRecognitionResultError) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SpeechRecognitionResultError + + return json.Marshal((*stub)(entity)) } -// The chat promotes violence -type ChatReportReasonViolence struct { - meta +func (*SpeechRecognitionResultError) GetClass() string { + return ClassSpeechRecognitionResult } -func (entity *ChatReportReasonViolence) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (*SpeechRecognitionResultError) GetType() string { + return TypeSpeechRecognitionResultError +} - type stub ChatReportReasonViolence +func (*SpeechRecognitionResultError) SpeechRecognitionResultType() string { + return TypeSpeechRecognitionResultError +} - return json.Marshal((*stub)(entity)) +// Describes a connection of the bot with a business account +type BusinessConnection struct { + meta + // Unique identifier of the connection + Id string `json:"id"` + // Identifier of the business user who created the connection + UserId int64 `json:"user_id"` + // Chat identifier of the private chat with the user + UserChatId int64 `json:"user_chat_id"` + // Point in time (Unix timestamp) when the connection was established + Date int32 `json:"date"` + // Rights of the bot; may be null if the connection was disabled + Rights *BusinessBotRights `json:"rights"` + // True, if the connection is enabled; false otherwise + IsEnabled bool `json:"is_enabled"` } -func (*ChatReportReasonViolence) GetClass() string { - return ClassChatReportReason +func (entity *BusinessConnection) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BusinessConnection + + return json.Marshal((*stub)(entity)) } -func (*ChatReportReasonViolence) GetType() string { - return TypeChatReportReasonViolence +func (*BusinessConnection) GetClass() string { + return ClassBusinessConnection } -func (*ChatReportReasonViolence) ChatReportReasonType() string { - return TypeChatReportReasonViolence +func (*BusinessConnection) GetType() string { + return TypeBusinessConnection } -// The chat contains pornographic messages -type ChatReportReasonPornography struct { - meta +// Describes a color to highlight a bot added to attachment menu +type AttachmentMenuBotColor struct { + meta + // Color in the RGB format for light themes + LightColor int32 `json:"light_color"` + // Color in the RGB format for dark themes + DarkColor int32 `json:"dark_color"` } -func (entity *ChatReportReasonPornography) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *AttachmentMenuBotColor) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub ChatReportReasonPornography + type stub AttachmentMenuBotColor - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*ChatReportReasonPornography) GetClass() string { - return ClassChatReportReason +func (*AttachmentMenuBotColor) GetClass() string { + return ClassAttachmentMenuBotColor } -func (*ChatReportReasonPornography) GetType() string { - return TypeChatReportReasonPornography +func (*AttachmentMenuBotColor) GetType() string { + return TypeAttachmentMenuBotColor } -func (*ChatReportReasonPornography) ChatReportReasonType() string { - return TypeChatReportReasonPornography +// Represents a bot, which can be added to attachment or side menu +type AttachmentMenuBot struct { + meta + // User identifier of the bot + BotUserId int64 `json:"bot_user_id"` + // True, if the bot supports opening from attachment menu in the chat with the bot + SupportsSelfChat bool `json:"supports_self_chat"` + // True, if the bot supports opening from attachment menu in private chats with ordinary users + SupportsUserChats bool `json:"supports_user_chats"` + // True, if the bot supports opening from attachment menu in private chats with other bots + SupportsBotChats bool `json:"supports_bot_chats"` + // True, if the bot supports opening from attachment menu in basic group and supergroup chats + SupportsGroupChats bool `json:"supports_group_chats"` + // True, if the bot supports opening from attachment menu in channel chats + SupportsChannelChats bool `json:"supports_channel_chats"` + // True, if the user must be asked for the permission to send messages to the bot + RequestWriteAccess bool `json:"request_write_access"` + // True, if the bot was explicitly added by the user. If the bot isn't added, then on the first bot launch toggleBotIsAddedToAttachmentMenu must be called and the bot must be added or removed + IsAdded bool `json:"is_added"` + // True, if the bot must be shown in the attachment menu + ShowInAttachmentMenu bool `json:"show_in_attachment_menu"` + // True, if the bot must be shown in the side menu + ShowInSideMenu bool `json:"show_in_side_menu"` + // True, if a disclaimer, why the bot is shown in the side menu, is needed + ShowDisclaimerInSideMenu bool `json:"show_disclaimer_in_side_menu"` + // Name for the bot in attachment menu + Name string `json:"name"` + // Color to highlight selected name of the bot if appropriate; may be null + NameColor *AttachmentMenuBotColor `json:"name_color"` + // Default icon for the bot in SVG format; may be null + DefaultIcon *File `json:"default_icon"` + // Icon for the bot in SVG format for the official iOS app; may be null + IosStaticIcon *File `json:"ios_static_icon"` + // Icon for the bot in TGS format for the official iOS app; may be null + IosAnimatedIcon *File `json:"ios_animated_icon"` + // Icon for the bot in PNG format for the official iOS app side menu; may be null + IosSideMenuIcon *File `json:"ios_side_menu_icon"` + // Icon for the bot in TGS format for the official Android app; may be null + AndroidIcon *File `json:"android_icon"` + // Icon for the bot in SVG format for the official Android app side menu; may be null + AndroidSideMenuIcon *File `json:"android_side_menu_icon"` + // Icon for the bot in TGS format for the official native macOS app; may be null + MacosIcon *File `json:"macos_icon"` + // Icon for the bot in PNG format for the official macOS app side menu; may be null + MacosSideMenuIcon *File `json:"macos_side_menu_icon"` + // Color to highlight selected icon of the bot if appropriate; may be null + IconColor *AttachmentMenuBotColor `json:"icon_color"` + // Default placeholder for opened Web Apps in SVG format; may be null + WebAppPlaceholder *File `json:"web_app_placeholder"` } -// The chat has child abuse related content -type ChatReportReasonChildAbuse struct { - meta +func (entity *AttachmentMenuBot) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub AttachmentMenuBot + + return json.Marshal((*stub)(entity)) } -func (entity *ChatReportReasonChildAbuse) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (*AttachmentMenuBot) GetClass() string { + return ClassAttachmentMenuBot +} - type stub ChatReportReasonChildAbuse +func (*AttachmentMenuBot) GetType() string { + return TypeAttachmentMenuBot +} - return json.Marshal((*stub)(entity)) +// Information about the message sent by answerWebAppQuery +type SentWebAppMessage struct { + meta + // Identifier of the sent inline message, if known + InlineMessageId string `json:"inline_message_id"` } -func (*ChatReportReasonChildAbuse) GetClass() string { - return ClassChatReportReason +func (entity *SentWebAppMessage) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SentWebAppMessage + + return json.Marshal((*stub)(entity)) } -func (*ChatReportReasonChildAbuse) GetType() string { - return TypeChatReportReasonChildAbuse +func (*SentWebAppMessage) GetClass() string { + return ClassSentWebAppMessage } -func (*ChatReportReasonChildAbuse) ChatReportReasonType() string { - return TypeChatReportReasonChildAbuse +func (*SentWebAppMessage) GetType() string { + return TypeSentWebAppMessage } -// The chat contains copyrighted content -type ChatReportReasonCopyright struct { - meta +// The user connected a website by logging in using Telegram Login Widget on it +type BotWriteAccessAllowReasonConnectedWebsite struct { + meta + // Domain name of the connected website + DomainName string `json:"domain_name"` } -func (entity *ChatReportReasonCopyright) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *BotWriteAccessAllowReasonConnectedWebsite) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub ChatReportReasonCopyright + type stub BotWriteAccessAllowReasonConnectedWebsite - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*ChatReportReasonCopyright) GetClass() string { - return ClassChatReportReason +func (*BotWriteAccessAllowReasonConnectedWebsite) GetClass() string { + return ClassBotWriteAccessAllowReason } -func (*ChatReportReasonCopyright) GetType() string { - return TypeChatReportReasonCopyright +func (*BotWriteAccessAllowReasonConnectedWebsite) GetType() string { + return TypeBotWriteAccessAllowReasonConnectedWebsite } -func (*ChatReportReasonCopyright) ChatReportReasonType() string { - return TypeChatReportReasonCopyright +func (*BotWriteAccessAllowReasonConnectedWebsite) BotWriteAccessAllowReasonType() string { + return TypeBotWriteAccessAllowReasonConnectedWebsite } -// The location-based chat is unrelated to its stated location -type ChatReportReasonUnrelatedLocation struct { - meta +// The user added the bot to attachment or side menu using toggleBotIsAddedToAttachmentMenu +type BotWriteAccessAllowReasonAddedToAttachmentMenu struct{ + meta } -func (entity *ChatReportReasonUnrelatedLocation) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *BotWriteAccessAllowReasonAddedToAttachmentMenu) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub ChatReportReasonUnrelatedLocation + type stub BotWriteAccessAllowReasonAddedToAttachmentMenu - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*ChatReportReasonUnrelatedLocation) GetClass() string { - return ClassChatReportReason +func (*BotWriteAccessAllowReasonAddedToAttachmentMenu) GetClass() string { + return ClassBotWriteAccessAllowReason } -func (*ChatReportReasonUnrelatedLocation) GetType() string { - return TypeChatReportReasonUnrelatedLocation +func (*BotWriteAccessAllowReasonAddedToAttachmentMenu) GetType() string { + return TypeBotWriteAccessAllowReasonAddedToAttachmentMenu } -func (*ChatReportReasonUnrelatedLocation) ChatReportReasonType() string { - return TypeChatReportReasonUnrelatedLocation +func (*BotWriteAccessAllowReasonAddedToAttachmentMenu) BotWriteAccessAllowReasonType() string { + return TypeBotWriteAccessAllowReasonAddedToAttachmentMenu } -// The chat represents a fake account -type ChatReportReasonFake struct { - meta +// The user launched a Web App using getWebAppLinkUrl +type BotWriteAccessAllowReasonLaunchedWebApp struct { + meta + // Information about the Web App + WebApp *WebApp `json:"web_app"` } -func (entity *ChatReportReasonFake) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *BotWriteAccessAllowReasonLaunchedWebApp) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub ChatReportReasonFake + type stub BotWriteAccessAllowReasonLaunchedWebApp - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*ChatReportReasonFake) GetClass() string { - return ClassChatReportReason +func (*BotWriteAccessAllowReasonLaunchedWebApp) GetClass() string { + return ClassBotWriteAccessAllowReason } -func (*ChatReportReasonFake) GetType() string { - return TypeChatReportReasonFake +func (*BotWriteAccessAllowReasonLaunchedWebApp) GetType() string { + return TypeBotWriteAccessAllowReasonLaunchedWebApp } -func (*ChatReportReasonFake) ChatReportReasonType() string { - return TypeChatReportReasonFake +func (*BotWriteAccessAllowReasonLaunchedWebApp) BotWriteAccessAllowReasonType() string { + return TypeBotWriteAccessAllowReasonLaunchedWebApp } -// The chat has illegal drugs related content -type ChatReportReasonIllegalDrugs struct { - meta +// The user accepted bot's request to send messages with allowBotToSendMessages +type BotWriteAccessAllowReasonAcceptedRequest struct{ + meta } -func (entity *ChatReportReasonIllegalDrugs) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *BotWriteAccessAllowReasonAcceptedRequest) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub ChatReportReasonIllegalDrugs + type stub BotWriteAccessAllowReasonAcceptedRequest - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*ChatReportReasonIllegalDrugs) GetClass() string { - return ClassChatReportReason +func (*BotWriteAccessAllowReasonAcceptedRequest) GetClass() string { + return ClassBotWriteAccessAllowReason } -func (*ChatReportReasonIllegalDrugs) GetType() string { - return TypeChatReportReasonIllegalDrugs +func (*BotWriteAccessAllowReasonAcceptedRequest) GetType() string { + return TypeBotWriteAccessAllowReasonAcceptedRequest } -func (*ChatReportReasonIllegalDrugs) ChatReportReasonType() string { - return TypeChatReportReasonIllegalDrugs +func (*BotWriteAccessAllowReasonAcceptedRequest) BotWriteAccessAllowReasonType() string { + return TypeBotWriteAccessAllowReasonAcceptedRequest } -// The chat contains messages with personal details -type ChatReportReasonPersonalDetails struct { - meta +// Contains an HTTP URL +type HttpUrl struct { + meta + // The URL + Url string `json:"url"` } -func (entity *ChatReportReasonPersonalDetails) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *HttpUrl) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub ChatReportReasonPersonalDetails + type stub HttpUrl - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*ChatReportReasonPersonalDetails) GetClass() string { - return ClassChatReportReason +func (*HttpUrl) GetClass() string { + return ClassHttpUrl } -func (*ChatReportReasonPersonalDetails) GetType() string { - return TypeChatReportReasonPersonalDetails +func (*HttpUrl) GetType() string { + return TypeHttpUrl } -func (*ChatReportReasonPersonalDetails) ChatReportReasonType() string { - return TypeChatReportReasonPersonalDetails +// Contains an HTTPS URL, which can be used to get information about a user +type UserLink struct { + meta + // The URL + Url string `json:"url"` + // Left time for which the link is valid, in seconds; 0 if the link is a public username link + ExpiresIn int32 `json:"expires_in"` } -// A custom reason provided by the user -type ChatReportReasonCustom struct { - meta +func (entity *UserLink) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UserLink + + return json.Marshal((*stub)(entity)) } -func (entity *ChatReportReasonCustom) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (*UserLink) GetClass() string { + return ClassUserLink +} - type stub ChatReportReasonCustom +func (*UserLink) GetType() string { + return TypeUserLink +} - return json.Marshal((*stub)(entity)) +// Describes allowed types for the target chat +type TargetChatTypes struct { + meta + // True, if private chats with ordinary users are allowed + AllowUserChats bool `json:"allow_user_chats"` + // True, if private chats with other bots are allowed + AllowBotChats bool `json:"allow_bot_chats"` + // True, if basic group and supergroup chats are allowed + AllowGroupChats bool `json:"allow_group_chats"` + // True, if channel chats are allowed + AllowChannelChats bool `json:"allow_channel_chats"` } -func (*ChatReportReasonCustom) GetClass() string { - return ClassChatReportReason +func (entity *TargetChatTypes) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TargetChatTypes + + return json.Marshal((*stub)(entity)) } -func (*ChatReportReasonCustom) GetType() string { - return TypeChatReportReasonCustom +func (*TargetChatTypes) GetClass() string { + return ClassTargetChatTypes } -func (*ChatReportReasonCustom) ChatReportReasonType() string { - return TypeChatReportReasonCustom +func (*TargetChatTypes) GetType() string { + return TypeTargetChatTypes } -// The currently opened chat needs to be kept -type TargetChatCurrent struct { - meta +// The currently opened chat and forum topic must be kept +type TargetChatCurrent struct{ + meta } func (entity *TargetChatCurrent) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub TargetChatCurrent + type stub TargetChatCurrent - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*TargetChatCurrent) GetClass() string { - return ClassTargetChat + return ClassTargetChat } func (*TargetChatCurrent) GetType() string { - return TypeTargetChatCurrent + return TypeTargetChatCurrent } func (*TargetChatCurrent) TargetChatType() string { - return TypeTargetChatCurrent + return TypeTargetChatCurrent } // The chat needs to be chosen by the user among chats of the specified types type TargetChatChosen struct { - meta - // True, if private chats with ordinary users are allowed - AllowUserChats bool `json:"allow_user_chats"` - // True, if private chats with other bots are allowed - AllowBotChats bool `json:"allow_bot_chats"` - // True, if basic group and supergroup chats are allowed - AllowGroupChats bool `json:"allow_group_chats"` - // True, if channel chats are allowed - AllowChannelChats bool `json:"allow_channel_chats"` + meta + // Allowed types for the chat + Types *TargetChatTypes `json:"types"` } func (entity *TargetChatChosen) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub TargetChatChosen + type stub TargetChatChosen - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*TargetChatChosen) GetClass() string { - return ClassTargetChat + return ClassTargetChat } func (*TargetChatChosen) GetType() string { - return TypeTargetChatChosen + return TypeTargetChatChosen } func (*TargetChatChosen) TargetChatType() string { - return TypeTargetChatChosen + return TypeTargetChatChosen } // The chat needs to be open with the provided internal link type TargetChatInternalLink struct { - meta - // An internal link pointing to the chat - Link InternalLinkType `json:"link"` + meta + // An internal link pointing to the chat + Link InternalLinkType `json:"link"` } func (entity *TargetChatInternalLink) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub TargetChatInternalLink + type stub TargetChatInternalLink - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*TargetChatInternalLink) GetClass() string { - return ClassTargetChat + return ClassTargetChat } func (*TargetChatInternalLink) GetType() string { - return TypeTargetChatInternalLink + return TypeTargetChatInternalLink } func (*TargetChatInternalLink) TargetChatType() string { - return TypeTargetChatInternalLink + return TypeTargetChatInternalLink } func (targetChatInternalLink *TargetChatInternalLink) UnmarshalJSON(data []byte) error { - var tmp struct { - Link json.RawMessage `json:"link"` - } + var tmp struct { + Link json.RawMessage `json:"link"` + } - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - fieldLink, _ := UnmarshalInternalLinkType(tmp.Link) - targetChatInternalLink.Link = fieldLink + fieldLink, _ := UnmarshalInternalLinkType(tmp.Link) + targetChatInternalLink.Link = fieldLink - return nil + return nil } -// The link is a link to the active sessions section of the application. Use getActiveSessions to handle the link -type InternalLinkTypeActiveSessions struct { - meta +// Represents a link to an animated GIF or an animated (i.e., without sound) H.264/MPEG-4 AVC video +type InputInlineQueryResultAnimation struct { + meta + // Unique identifier of the query result + Id string `json:"id"` + // Title of the query result + Title string `json:"title"` + // URL of the result thumbnail (JPEG, GIF, or MPEG4), if it exists + ThumbnailUrl string `json:"thumbnail_url"` + // MIME type of the video thumbnail. If non-empty, must be one of "image/jpeg", "image/gif" and "video/mp4" + ThumbnailMimeType string `json:"thumbnail_mime_type"` + // The URL of the video file (file size must not exceed 1MB) + VideoUrl string `json:"video_url"` + // MIME type of the video file. Must be one of "image/gif" and "video/mp4" + VideoMimeType string `json:"video_mime_type"` + // Duration of the video, in seconds + VideoDuration int32 `json:"video_duration"` + // Width of the video + VideoWidth int32 `json:"video_width"` + // Height of the video + VideoHeight int32 `json:"video_height"` + // The message reply markup; pass null if none. Must be of type replyMarkupInlineKeyboard or null + ReplyMarkup ReplyMarkup `json:"reply_markup"` + // The content of the message to be sent. Must be one of the following types: inputMessageText, inputMessageAnimation, inputMessageInvoice, inputMessageLocation, inputMessageVenue or inputMessageContact + InputMessageContent InputMessageContent `json:"input_message_content"` } -func (entity *InternalLinkTypeActiveSessions) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *InputInlineQueryResultAnimation) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub InternalLinkTypeActiveSessions + type stub InputInlineQueryResultAnimation - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*InternalLinkTypeActiveSessions) GetClass() string { - return ClassInternalLinkType +func (*InputInlineQueryResultAnimation) GetClass() string { + return ClassInputInlineQueryResult } -func (*InternalLinkTypeActiveSessions) GetType() string { - return TypeInternalLinkTypeActiveSessions +func (*InputInlineQueryResultAnimation) GetType() string { + return TypeInputInlineQueryResultAnimation } -func (*InternalLinkTypeActiveSessions) InternalLinkTypeType() string { - return TypeInternalLinkTypeActiveSessions +func (*InputInlineQueryResultAnimation) InputInlineQueryResultType() string { + return TypeInputInlineQueryResultAnimation } -// The link is a link to an attachment menu bot to be opened in the specified or a chosen chat. Process given target_chat to open the chat. Then, call searchPublicChat with the given bot username, check that the user is a bot and can be added to attachment menu. Then, use getAttachmentMenuBot to receive information about the bot. If the bot isn't added to attachment menu, then user needs to confirm adding the bot to attachment menu. If user confirms adding, then use toggleBotIsAddedToAttachmentMenu to add it. If the attachment menu bot can't be used in the opened chat, show an error to the user. If the bot is added to attachment menu and can be used in the chat, then use openWebApp with the given URL +func (inputInlineQueryResultAnimation *InputInlineQueryResultAnimation) UnmarshalJSON(data []byte) error { + var tmp struct { + Id string `json:"id"` + Title string `json:"title"` + ThumbnailUrl string `json:"thumbnail_url"` + ThumbnailMimeType string `json:"thumbnail_mime_type"` + VideoUrl string `json:"video_url"` + VideoMimeType string `json:"video_mime_type"` + VideoDuration int32 `json:"video_duration"` + VideoWidth int32 `json:"video_width"` + VideoHeight int32 `json:"video_height"` + ReplyMarkup json.RawMessage `json:"reply_markup"` + InputMessageContent json.RawMessage `json:"input_message_content"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + inputInlineQueryResultAnimation.Id = tmp.Id + inputInlineQueryResultAnimation.Title = tmp.Title + inputInlineQueryResultAnimation.ThumbnailUrl = tmp.ThumbnailUrl + inputInlineQueryResultAnimation.ThumbnailMimeType = tmp.ThumbnailMimeType + inputInlineQueryResultAnimation.VideoUrl = tmp.VideoUrl + inputInlineQueryResultAnimation.VideoMimeType = tmp.VideoMimeType + inputInlineQueryResultAnimation.VideoDuration = tmp.VideoDuration + inputInlineQueryResultAnimation.VideoWidth = tmp.VideoWidth + inputInlineQueryResultAnimation.VideoHeight = tmp.VideoHeight + + fieldReplyMarkup, _ := UnmarshalReplyMarkup(tmp.ReplyMarkup) + inputInlineQueryResultAnimation.ReplyMarkup = fieldReplyMarkup + + fieldInputMessageContent, _ := UnmarshalInputMessageContent(tmp.InputMessageContent) + inputInlineQueryResultAnimation.InputMessageContent = fieldInputMessageContent + + return nil +} + +// Represents a link to an article or web page +type InputInlineQueryResultArticle struct { + meta + // Unique identifier of the query result + Id string `json:"id"` + // URL of the result, if it exists + Url string `json:"url"` + // Title of the result + Title string `json:"title"` + // A short description of the result + Description string `json:"description"` + // URL of the result thumbnail, if it exists + ThumbnailUrl string `json:"thumbnail_url"` + // Thumbnail width, if known + ThumbnailWidth int32 `json:"thumbnail_width"` + // Thumbnail height, if known + ThumbnailHeight int32 `json:"thumbnail_height"` + // The message reply markup; pass null if none. Must be of type replyMarkupInlineKeyboard or null + ReplyMarkup ReplyMarkup `json:"reply_markup"` + // The content of the message to be sent. Must be one of the following types: inputMessageText, inputMessageInvoice, inputMessageLocation, inputMessageVenue or inputMessageContact + InputMessageContent InputMessageContent `json:"input_message_content"` +} + +func (entity *InputInlineQueryResultArticle) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputInlineQueryResultArticle + + return json.Marshal((*stub)(entity)) +} + +func (*InputInlineQueryResultArticle) GetClass() string { + return ClassInputInlineQueryResult +} + +func (*InputInlineQueryResultArticle) GetType() string { + return TypeInputInlineQueryResultArticle +} + +func (*InputInlineQueryResultArticle) InputInlineQueryResultType() string { + return TypeInputInlineQueryResultArticle +} + +func (inputInlineQueryResultArticle *InputInlineQueryResultArticle) UnmarshalJSON(data []byte) error { + var tmp struct { + Id string `json:"id"` + Url string `json:"url"` + Title string `json:"title"` + Description string `json:"description"` + ThumbnailUrl string `json:"thumbnail_url"` + ThumbnailWidth int32 `json:"thumbnail_width"` + ThumbnailHeight int32 `json:"thumbnail_height"` + ReplyMarkup json.RawMessage `json:"reply_markup"` + InputMessageContent json.RawMessage `json:"input_message_content"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + inputInlineQueryResultArticle.Id = tmp.Id + inputInlineQueryResultArticle.Url = tmp.Url + inputInlineQueryResultArticle.Title = tmp.Title + inputInlineQueryResultArticle.Description = tmp.Description + inputInlineQueryResultArticle.ThumbnailUrl = tmp.ThumbnailUrl + inputInlineQueryResultArticle.ThumbnailWidth = tmp.ThumbnailWidth + inputInlineQueryResultArticle.ThumbnailHeight = tmp.ThumbnailHeight + + fieldReplyMarkup, _ := UnmarshalReplyMarkup(tmp.ReplyMarkup) + inputInlineQueryResultArticle.ReplyMarkup = fieldReplyMarkup + + fieldInputMessageContent, _ := UnmarshalInputMessageContent(tmp.InputMessageContent) + inputInlineQueryResultArticle.InputMessageContent = fieldInputMessageContent + + return nil +} + +// Represents a link to an MP3 audio file +type InputInlineQueryResultAudio struct { + meta + // Unique identifier of the query result + Id string `json:"id"` + // Title of the audio file + Title string `json:"title"` + // Performer of the audio file + Performer string `json:"performer"` + // The URL of the audio file + AudioUrl string `json:"audio_url"` + // Audio file duration, in seconds + AudioDuration int32 `json:"audio_duration"` + // The message reply markup; pass null if none. Must be of type replyMarkupInlineKeyboard or null + ReplyMarkup ReplyMarkup `json:"reply_markup"` + // The content of the message to be sent. Must be one of the following types: inputMessageText, inputMessageAudio, inputMessageInvoice, inputMessageLocation, inputMessageVenue or inputMessageContact + InputMessageContent InputMessageContent `json:"input_message_content"` +} + +func (entity *InputInlineQueryResultAudio) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputInlineQueryResultAudio + + return json.Marshal((*stub)(entity)) +} + +func (*InputInlineQueryResultAudio) GetClass() string { + return ClassInputInlineQueryResult +} + +func (*InputInlineQueryResultAudio) GetType() string { + return TypeInputInlineQueryResultAudio +} + +func (*InputInlineQueryResultAudio) InputInlineQueryResultType() string { + return TypeInputInlineQueryResultAudio +} + +func (inputInlineQueryResultAudio *InputInlineQueryResultAudio) UnmarshalJSON(data []byte) error { + var tmp struct { + Id string `json:"id"` + Title string `json:"title"` + Performer string `json:"performer"` + AudioUrl string `json:"audio_url"` + AudioDuration int32 `json:"audio_duration"` + ReplyMarkup json.RawMessage `json:"reply_markup"` + InputMessageContent json.RawMessage `json:"input_message_content"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + inputInlineQueryResultAudio.Id = tmp.Id + inputInlineQueryResultAudio.Title = tmp.Title + inputInlineQueryResultAudio.Performer = tmp.Performer + inputInlineQueryResultAudio.AudioUrl = tmp.AudioUrl + inputInlineQueryResultAudio.AudioDuration = tmp.AudioDuration + + fieldReplyMarkup, _ := UnmarshalReplyMarkup(tmp.ReplyMarkup) + inputInlineQueryResultAudio.ReplyMarkup = fieldReplyMarkup + + fieldInputMessageContent, _ := UnmarshalInputMessageContent(tmp.InputMessageContent) + inputInlineQueryResultAudio.InputMessageContent = fieldInputMessageContent + + return nil +} + +// Represents a user contact +type InputInlineQueryResultContact struct { + meta + // Unique identifier of the query result + Id string `json:"id"` + // User contact + Contact *Contact `json:"contact"` + // URL of the result thumbnail, if it exists + ThumbnailUrl string `json:"thumbnail_url"` + // Thumbnail width, if known + ThumbnailWidth int32 `json:"thumbnail_width"` + // Thumbnail height, if known + ThumbnailHeight int32 `json:"thumbnail_height"` + // The message reply markup; pass null if none. Must be of type replyMarkupInlineKeyboard or null + ReplyMarkup ReplyMarkup `json:"reply_markup"` + // The content of the message to be sent. Must be one of the following types: inputMessageText, inputMessageInvoice, inputMessageLocation, inputMessageVenue or inputMessageContact + InputMessageContent InputMessageContent `json:"input_message_content"` +} + +func (entity *InputInlineQueryResultContact) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputInlineQueryResultContact + + return json.Marshal((*stub)(entity)) +} + +func (*InputInlineQueryResultContact) GetClass() string { + return ClassInputInlineQueryResult +} + +func (*InputInlineQueryResultContact) GetType() string { + return TypeInputInlineQueryResultContact +} + +func (*InputInlineQueryResultContact) InputInlineQueryResultType() string { + return TypeInputInlineQueryResultContact +} + +func (inputInlineQueryResultContact *InputInlineQueryResultContact) UnmarshalJSON(data []byte) error { + var tmp struct { + Id string `json:"id"` + Contact *Contact `json:"contact"` + ThumbnailUrl string `json:"thumbnail_url"` + ThumbnailWidth int32 `json:"thumbnail_width"` + ThumbnailHeight int32 `json:"thumbnail_height"` + ReplyMarkup json.RawMessage `json:"reply_markup"` + InputMessageContent json.RawMessage `json:"input_message_content"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + inputInlineQueryResultContact.Id = tmp.Id + inputInlineQueryResultContact.Contact = tmp.Contact + inputInlineQueryResultContact.ThumbnailUrl = tmp.ThumbnailUrl + inputInlineQueryResultContact.ThumbnailWidth = tmp.ThumbnailWidth + inputInlineQueryResultContact.ThumbnailHeight = tmp.ThumbnailHeight + + fieldReplyMarkup, _ := UnmarshalReplyMarkup(tmp.ReplyMarkup) + inputInlineQueryResultContact.ReplyMarkup = fieldReplyMarkup + + fieldInputMessageContent, _ := UnmarshalInputMessageContent(tmp.InputMessageContent) + inputInlineQueryResultContact.InputMessageContent = fieldInputMessageContent + + return nil +} + +// Represents a link to a file +type InputInlineQueryResultDocument struct { + meta + // Unique identifier of the query result + Id string `json:"id"` + // Title of the resulting file + Title string `json:"title"` + // Short description of the result, if known + Description string `json:"description"` + // URL of the file + DocumentUrl string `json:"document_url"` + // MIME type of the file content; only "application/pdf" and "application/zip" are currently allowed + MimeType string `json:"mime_type"` + // The URL of the file thumbnail, if it exists + ThumbnailUrl string `json:"thumbnail_url"` + // Width of the thumbnail + ThumbnailWidth int32 `json:"thumbnail_width"` + // Height of the thumbnail + ThumbnailHeight int32 `json:"thumbnail_height"` + // The message reply markup; pass null if none. Must be of type replyMarkupInlineKeyboard or null + ReplyMarkup ReplyMarkup `json:"reply_markup"` + // The content of the message to be sent. Must be one of the following types: inputMessageText, inputMessageDocument, inputMessageInvoice, inputMessageLocation, inputMessageVenue or inputMessageContact + InputMessageContent InputMessageContent `json:"input_message_content"` +} + +func (entity *InputInlineQueryResultDocument) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputInlineQueryResultDocument + + return json.Marshal((*stub)(entity)) +} + +func (*InputInlineQueryResultDocument) GetClass() string { + return ClassInputInlineQueryResult +} + +func (*InputInlineQueryResultDocument) GetType() string { + return TypeInputInlineQueryResultDocument +} + +func (*InputInlineQueryResultDocument) InputInlineQueryResultType() string { + return TypeInputInlineQueryResultDocument +} + +func (inputInlineQueryResultDocument *InputInlineQueryResultDocument) UnmarshalJSON(data []byte) error { + var tmp struct { + Id string `json:"id"` + Title string `json:"title"` + Description string `json:"description"` + DocumentUrl string `json:"document_url"` + MimeType string `json:"mime_type"` + ThumbnailUrl string `json:"thumbnail_url"` + ThumbnailWidth int32 `json:"thumbnail_width"` + ThumbnailHeight int32 `json:"thumbnail_height"` + ReplyMarkup json.RawMessage `json:"reply_markup"` + InputMessageContent json.RawMessage `json:"input_message_content"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + inputInlineQueryResultDocument.Id = tmp.Id + inputInlineQueryResultDocument.Title = tmp.Title + inputInlineQueryResultDocument.Description = tmp.Description + inputInlineQueryResultDocument.DocumentUrl = tmp.DocumentUrl + inputInlineQueryResultDocument.MimeType = tmp.MimeType + inputInlineQueryResultDocument.ThumbnailUrl = tmp.ThumbnailUrl + inputInlineQueryResultDocument.ThumbnailWidth = tmp.ThumbnailWidth + inputInlineQueryResultDocument.ThumbnailHeight = tmp.ThumbnailHeight + + fieldReplyMarkup, _ := UnmarshalReplyMarkup(tmp.ReplyMarkup) + inputInlineQueryResultDocument.ReplyMarkup = fieldReplyMarkup + + fieldInputMessageContent, _ := UnmarshalInputMessageContent(tmp.InputMessageContent) + inputInlineQueryResultDocument.InputMessageContent = fieldInputMessageContent + + return nil +} + +// Represents a game +type InputInlineQueryResultGame struct { + meta + // Unique identifier of the query result + Id string `json:"id"` + // Short name of the game + GameShortName string `json:"game_short_name"` + // The message reply markup; pass null if none. Must be of type replyMarkupInlineKeyboard or null + ReplyMarkup ReplyMarkup `json:"reply_markup"` +} + +func (entity *InputInlineQueryResultGame) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputInlineQueryResultGame + + return json.Marshal((*stub)(entity)) +} + +func (*InputInlineQueryResultGame) GetClass() string { + return ClassInputInlineQueryResult +} + +func (*InputInlineQueryResultGame) GetType() string { + return TypeInputInlineQueryResultGame +} + +func (*InputInlineQueryResultGame) InputInlineQueryResultType() string { + return TypeInputInlineQueryResultGame +} + +func (inputInlineQueryResultGame *InputInlineQueryResultGame) UnmarshalJSON(data []byte) error { + var tmp struct { + Id string `json:"id"` + GameShortName string `json:"game_short_name"` + ReplyMarkup json.RawMessage `json:"reply_markup"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + inputInlineQueryResultGame.Id = tmp.Id + inputInlineQueryResultGame.GameShortName = tmp.GameShortName + + fieldReplyMarkup, _ := UnmarshalReplyMarkup(tmp.ReplyMarkup) + inputInlineQueryResultGame.ReplyMarkup = fieldReplyMarkup + + return nil +} + +// Represents a point on the map +type InputInlineQueryResultLocation struct { + meta + // Unique identifier of the query result + Id string `json:"id"` + // Location result + Location *Location `json:"location"` + // Amount of time relative to the message sent time until the location can be updated, in seconds + LivePeriod int32 `json:"live_period"` + // Title of the result + Title string `json:"title"` + // URL of the result thumbnail, if it exists + ThumbnailUrl string `json:"thumbnail_url"` + // Thumbnail width, if known + ThumbnailWidth int32 `json:"thumbnail_width"` + // Thumbnail height, if known + ThumbnailHeight int32 `json:"thumbnail_height"` + // The message reply markup; pass null if none. Must be of type replyMarkupInlineKeyboard or null + ReplyMarkup ReplyMarkup `json:"reply_markup"` + // The content of the message to be sent. Must be one of the following types: inputMessageText, inputMessageInvoice, inputMessageLocation, inputMessageVenue or inputMessageContact + InputMessageContent InputMessageContent `json:"input_message_content"` +} + +func (entity *InputInlineQueryResultLocation) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputInlineQueryResultLocation + + return json.Marshal((*stub)(entity)) +} + +func (*InputInlineQueryResultLocation) GetClass() string { + return ClassInputInlineQueryResult +} + +func (*InputInlineQueryResultLocation) GetType() string { + return TypeInputInlineQueryResultLocation +} + +func (*InputInlineQueryResultLocation) InputInlineQueryResultType() string { + return TypeInputInlineQueryResultLocation +} + +func (inputInlineQueryResultLocation *InputInlineQueryResultLocation) UnmarshalJSON(data []byte) error { + var tmp struct { + Id string `json:"id"` + Location *Location `json:"location"` + LivePeriod int32 `json:"live_period"` + Title string `json:"title"` + ThumbnailUrl string `json:"thumbnail_url"` + ThumbnailWidth int32 `json:"thumbnail_width"` + ThumbnailHeight int32 `json:"thumbnail_height"` + ReplyMarkup json.RawMessage `json:"reply_markup"` + InputMessageContent json.RawMessage `json:"input_message_content"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + inputInlineQueryResultLocation.Id = tmp.Id + inputInlineQueryResultLocation.Location = tmp.Location + inputInlineQueryResultLocation.LivePeriod = tmp.LivePeriod + inputInlineQueryResultLocation.Title = tmp.Title + inputInlineQueryResultLocation.ThumbnailUrl = tmp.ThumbnailUrl + inputInlineQueryResultLocation.ThumbnailWidth = tmp.ThumbnailWidth + inputInlineQueryResultLocation.ThumbnailHeight = tmp.ThumbnailHeight + + fieldReplyMarkup, _ := UnmarshalReplyMarkup(tmp.ReplyMarkup) + inputInlineQueryResultLocation.ReplyMarkup = fieldReplyMarkup + + fieldInputMessageContent, _ := UnmarshalInputMessageContent(tmp.InputMessageContent) + inputInlineQueryResultLocation.InputMessageContent = fieldInputMessageContent + + return nil +} + +// Represents link to a JPEG image +type InputInlineQueryResultPhoto struct { + meta + // Unique identifier of the query result + Id string `json:"id"` + // Title of the result, if known + Title string `json:"title"` + // A short description of the result, if known + Description string `json:"description"` + // URL of the photo thumbnail, if it exists + ThumbnailUrl string `json:"thumbnail_url"` + // The URL of the JPEG photo (photo size must not exceed 5MB) + PhotoUrl string `json:"photo_url"` + // Width of the photo + PhotoWidth int32 `json:"photo_width"` + // Height of the photo + PhotoHeight int32 `json:"photo_height"` + // The message reply markup; pass null if none. Must be of type replyMarkupInlineKeyboard or null + ReplyMarkup ReplyMarkup `json:"reply_markup"` + // The content of the message to be sent. Must be one of the following types: inputMessageText, inputMessagePhoto, inputMessageInvoice, inputMessageLocation, inputMessageVenue or inputMessageContact + InputMessageContent InputMessageContent `json:"input_message_content"` +} + +func (entity *InputInlineQueryResultPhoto) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputInlineQueryResultPhoto + + return json.Marshal((*stub)(entity)) +} + +func (*InputInlineQueryResultPhoto) GetClass() string { + return ClassInputInlineQueryResult +} + +func (*InputInlineQueryResultPhoto) GetType() string { + return TypeInputInlineQueryResultPhoto +} + +func (*InputInlineQueryResultPhoto) InputInlineQueryResultType() string { + return TypeInputInlineQueryResultPhoto +} + +func (inputInlineQueryResultPhoto *InputInlineQueryResultPhoto) UnmarshalJSON(data []byte) error { + var tmp struct { + Id string `json:"id"` + Title string `json:"title"` + Description string `json:"description"` + ThumbnailUrl string `json:"thumbnail_url"` + PhotoUrl string `json:"photo_url"` + PhotoWidth int32 `json:"photo_width"` + PhotoHeight int32 `json:"photo_height"` + ReplyMarkup json.RawMessage `json:"reply_markup"` + InputMessageContent json.RawMessage `json:"input_message_content"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + inputInlineQueryResultPhoto.Id = tmp.Id + inputInlineQueryResultPhoto.Title = tmp.Title + inputInlineQueryResultPhoto.Description = tmp.Description + inputInlineQueryResultPhoto.ThumbnailUrl = tmp.ThumbnailUrl + inputInlineQueryResultPhoto.PhotoUrl = tmp.PhotoUrl + inputInlineQueryResultPhoto.PhotoWidth = tmp.PhotoWidth + inputInlineQueryResultPhoto.PhotoHeight = tmp.PhotoHeight + + fieldReplyMarkup, _ := UnmarshalReplyMarkup(tmp.ReplyMarkup) + inputInlineQueryResultPhoto.ReplyMarkup = fieldReplyMarkup + + fieldInputMessageContent, _ := UnmarshalInputMessageContent(tmp.InputMessageContent) + inputInlineQueryResultPhoto.InputMessageContent = fieldInputMessageContent + + return nil +} + +// Represents a link to a WEBP, TGS, or WEBM sticker +type InputInlineQueryResultSticker struct { + meta + // Unique identifier of the query result + Id string `json:"id"` + // URL of the sticker thumbnail, if it exists + ThumbnailUrl string `json:"thumbnail_url"` + // The URL of the WEBP, TGS, or WEBM sticker (sticker file size must not exceed 5MB) + StickerUrl string `json:"sticker_url"` + // Width of the sticker + StickerWidth int32 `json:"sticker_width"` + // Height of the sticker + StickerHeight int32 `json:"sticker_height"` + // The message reply markup; pass null if none. Must be of type replyMarkupInlineKeyboard or null + ReplyMarkup ReplyMarkup `json:"reply_markup"` + // The content of the message to be sent. Must be one of the following types: inputMessageText, inputMessageSticker, inputMessageInvoice, inputMessageLocation, inputMessageVenue or inputMessageContact + InputMessageContent InputMessageContent `json:"input_message_content"` +} + +func (entity *InputInlineQueryResultSticker) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputInlineQueryResultSticker + + return json.Marshal((*stub)(entity)) +} + +func (*InputInlineQueryResultSticker) GetClass() string { + return ClassInputInlineQueryResult +} + +func (*InputInlineQueryResultSticker) GetType() string { + return TypeInputInlineQueryResultSticker +} + +func (*InputInlineQueryResultSticker) InputInlineQueryResultType() string { + return TypeInputInlineQueryResultSticker +} + +func (inputInlineQueryResultSticker *InputInlineQueryResultSticker) UnmarshalJSON(data []byte) error { + var tmp struct { + Id string `json:"id"` + ThumbnailUrl string `json:"thumbnail_url"` + StickerUrl string `json:"sticker_url"` + StickerWidth int32 `json:"sticker_width"` + StickerHeight int32 `json:"sticker_height"` + ReplyMarkup json.RawMessage `json:"reply_markup"` + InputMessageContent json.RawMessage `json:"input_message_content"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + inputInlineQueryResultSticker.Id = tmp.Id + inputInlineQueryResultSticker.ThumbnailUrl = tmp.ThumbnailUrl + inputInlineQueryResultSticker.StickerUrl = tmp.StickerUrl + inputInlineQueryResultSticker.StickerWidth = tmp.StickerWidth + inputInlineQueryResultSticker.StickerHeight = tmp.StickerHeight + + fieldReplyMarkup, _ := UnmarshalReplyMarkup(tmp.ReplyMarkup) + inputInlineQueryResultSticker.ReplyMarkup = fieldReplyMarkup + + fieldInputMessageContent, _ := UnmarshalInputMessageContent(tmp.InputMessageContent) + inputInlineQueryResultSticker.InputMessageContent = fieldInputMessageContent + + return nil +} + +// Represents information about a venue +type InputInlineQueryResultVenue struct { + meta + // Unique identifier of the query result + Id string `json:"id"` + // Venue result + Venue *Venue `json:"venue"` + // URL of the result thumbnail, if it exists + ThumbnailUrl string `json:"thumbnail_url"` + // Thumbnail width, if known + ThumbnailWidth int32 `json:"thumbnail_width"` + // Thumbnail height, if known + ThumbnailHeight int32 `json:"thumbnail_height"` + // The message reply markup; pass null if none. Must be of type replyMarkupInlineKeyboard or null + ReplyMarkup ReplyMarkup `json:"reply_markup"` + // The content of the message to be sent. Must be one of the following types: inputMessageText, inputMessageInvoice, inputMessageLocation, inputMessageVenue or inputMessageContact + InputMessageContent InputMessageContent `json:"input_message_content"` +} + +func (entity *InputInlineQueryResultVenue) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputInlineQueryResultVenue + + return json.Marshal((*stub)(entity)) +} + +func (*InputInlineQueryResultVenue) GetClass() string { + return ClassInputInlineQueryResult +} + +func (*InputInlineQueryResultVenue) GetType() string { + return TypeInputInlineQueryResultVenue +} + +func (*InputInlineQueryResultVenue) InputInlineQueryResultType() string { + return TypeInputInlineQueryResultVenue +} + +func (inputInlineQueryResultVenue *InputInlineQueryResultVenue) UnmarshalJSON(data []byte) error { + var tmp struct { + Id string `json:"id"` + Venue *Venue `json:"venue"` + ThumbnailUrl string `json:"thumbnail_url"` + ThumbnailWidth int32 `json:"thumbnail_width"` + ThumbnailHeight int32 `json:"thumbnail_height"` + ReplyMarkup json.RawMessage `json:"reply_markup"` + InputMessageContent json.RawMessage `json:"input_message_content"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + inputInlineQueryResultVenue.Id = tmp.Id + inputInlineQueryResultVenue.Venue = tmp.Venue + inputInlineQueryResultVenue.ThumbnailUrl = tmp.ThumbnailUrl + inputInlineQueryResultVenue.ThumbnailWidth = tmp.ThumbnailWidth + inputInlineQueryResultVenue.ThumbnailHeight = tmp.ThumbnailHeight + + fieldReplyMarkup, _ := UnmarshalReplyMarkup(tmp.ReplyMarkup) + inputInlineQueryResultVenue.ReplyMarkup = fieldReplyMarkup + + fieldInputMessageContent, _ := UnmarshalInputMessageContent(tmp.InputMessageContent) + inputInlineQueryResultVenue.InputMessageContent = fieldInputMessageContent + + return nil +} + +// Represents a link to a page containing an embedded video player or a video file +type InputInlineQueryResultVideo struct { + meta + // Unique identifier of the query result + Id string `json:"id"` + // Title of the result + Title string `json:"title"` + // A short description of the result, if known + Description string `json:"description"` + // The URL of the video thumbnail (JPEG), if it exists + ThumbnailUrl string `json:"thumbnail_url"` + // URL of the embedded video player or video file + VideoUrl string `json:"video_url"` + // MIME type of the content of the video URL, only "text/html" or "video/mp4" are currently supported + MimeType string `json:"mime_type"` + // Width of the video + VideoWidth int32 `json:"video_width"` + // Height of the video + VideoHeight int32 `json:"video_height"` + // Video duration, in seconds + VideoDuration int32 `json:"video_duration"` + // The message reply markup; pass null if none. Must be of type replyMarkupInlineKeyboard or null + ReplyMarkup ReplyMarkup `json:"reply_markup"` + // The content of the message to be sent. Must be one of the following types: inputMessageText, inputMessageVideo, inputMessageInvoice, inputMessageLocation, inputMessageVenue or inputMessageContact + InputMessageContent InputMessageContent `json:"input_message_content"` +} + +func (entity *InputInlineQueryResultVideo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputInlineQueryResultVideo + + return json.Marshal((*stub)(entity)) +} + +func (*InputInlineQueryResultVideo) GetClass() string { + return ClassInputInlineQueryResult +} + +func (*InputInlineQueryResultVideo) GetType() string { + return TypeInputInlineQueryResultVideo +} + +func (*InputInlineQueryResultVideo) InputInlineQueryResultType() string { + return TypeInputInlineQueryResultVideo +} + +func (inputInlineQueryResultVideo *InputInlineQueryResultVideo) UnmarshalJSON(data []byte) error { + var tmp struct { + Id string `json:"id"` + Title string `json:"title"` + Description string `json:"description"` + ThumbnailUrl string `json:"thumbnail_url"` + VideoUrl string `json:"video_url"` + MimeType string `json:"mime_type"` + VideoWidth int32 `json:"video_width"` + VideoHeight int32 `json:"video_height"` + VideoDuration int32 `json:"video_duration"` + ReplyMarkup json.RawMessage `json:"reply_markup"` + InputMessageContent json.RawMessage `json:"input_message_content"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + inputInlineQueryResultVideo.Id = tmp.Id + inputInlineQueryResultVideo.Title = tmp.Title + inputInlineQueryResultVideo.Description = tmp.Description + inputInlineQueryResultVideo.ThumbnailUrl = tmp.ThumbnailUrl + inputInlineQueryResultVideo.VideoUrl = tmp.VideoUrl + inputInlineQueryResultVideo.MimeType = tmp.MimeType + inputInlineQueryResultVideo.VideoWidth = tmp.VideoWidth + inputInlineQueryResultVideo.VideoHeight = tmp.VideoHeight + inputInlineQueryResultVideo.VideoDuration = tmp.VideoDuration + + fieldReplyMarkup, _ := UnmarshalReplyMarkup(tmp.ReplyMarkup) + inputInlineQueryResultVideo.ReplyMarkup = fieldReplyMarkup + + fieldInputMessageContent, _ := UnmarshalInputMessageContent(tmp.InputMessageContent) + inputInlineQueryResultVideo.InputMessageContent = fieldInputMessageContent + + return nil +} + +// Represents a link to an opus-encoded audio file within an OGG container, single channel audio +type InputInlineQueryResultVoiceNote struct { + meta + // Unique identifier of the query result + Id string `json:"id"` + // Title of the voice note + Title string `json:"title"` + // The URL of the voice note file + VoiceNoteUrl string `json:"voice_note_url"` + // Duration of the voice note, in seconds + VoiceNoteDuration int32 `json:"voice_note_duration"` + // The message reply markup; pass null if none. Must be of type replyMarkupInlineKeyboard or null + ReplyMarkup ReplyMarkup `json:"reply_markup"` + // The content of the message to be sent. Must be one of the following types: inputMessageText, inputMessageVoiceNote, inputMessageInvoice, inputMessageLocation, inputMessageVenue or inputMessageContact + InputMessageContent InputMessageContent `json:"input_message_content"` +} + +func (entity *InputInlineQueryResultVoiceNote) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputInlineQueryResultVoiceNote + + return json.Marshal((*stub)(entity)) +} + +func (*InputInlineQueryResultVoiceNote) GetClass() string { + return ClassInputInlineQueryResult +} + +func (*InputInlineQueryResultVoiceNote) GetType() string { + return TypeInputInlineQueryResultVoiceNote +} + +func (*InputInlineQueryResultVoiceNote) InputInlineQueryResultType() string { + return TypeInputInlineQueryResultVoiceNote +} + +func (inputInlineQueryResultVoiceNote *InputInlineQueryResultVoiceNote) UnmarshalJSON(data []byte) error { + var tmp struct { + Id string `json:"id"` + Title string `json:"title"` + VoiceNoteUrl string `json:"voice_note_url"` + VoiceNoteDuration int32 `json:"voice_note_duration"` + ReplyMarkup json.RawMessage `json:"reply_markup"` + InputMessageContent json.RawMessage `json:"input_message_content"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + inputInlineQueryResultVoiceNote.Id = tmp.Id + inputInlineQueryResultVoiceNote.Title = tmp.Title + inputInlineQueryResultVoiceNote.VoiceNoteUrl = tmp.VoiceNoteUrl + inputInlineQueryResultVoiceNote.VoiceNoteDuration = tmp.VoiceNoteDuration + + fieldReplyMarkup, _ := UnmarshalReplyMarkup(tmp.ReplyMarkup) + inputInlineQueryResultVoiceNote.ReplyMarkup = fieldReplyMarkup + + fieldInputMessageContent, _ := UnmarshalInputMessageContent(tmp.InputMessageContent) + inputInlineQueryResultVoiceNote.InputMessageContent = fieldInputMessageContent + + return nil +} + +// Represents a link to an article or web page +type InlineQueryResultArticle struct { + meta + // Unique identifier of the query result + Id string `json:"id"` + // URL of the result, if it exists + Url string `json:"url"` + // Title of the result + Title string `json:"title"` + // A short description of the result + Description string `json:"description"` + // Result thumbnail in JPEG format; may be null + Thumbnail *Thumbnail `json:"thumbnail"` +} + +func (entity *InlineQueryResultArticle) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InlineQueryResultArticle + + return json.Marshal((*stub)(entity)) +} + +func (*InlineQueryResultArticle) GetClass() string { + return ClassInlineQueryResult +} + +func (*InlineQueryResultArticle) GetType() string { + return TypeInlineQueryResultArticle +} + +func (*InlineQueryResultArticle) InlineQueryResultType() string { + return TypeInlineQueryResultArticle +} + +// Represents a user contact +type InlineQueryResultContact struct { + meta + // Unique identifier of the query result + Id string `json:"id"` + // A user contact + Contact *Contact `json:"contact"` + // Result thumbnail in JPEG format; may be null + Thumbnail *Thumbnail `json:"thumbnail"` +} + +func (entity *InlineQueryResultContact) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InlineQueryResultContact + + return json.Marshal((*stub)(entity)) +} + +func (*InlineQueryResultContact) GetClass() string { + return ClassInlineQueryResult +} + +func (*InlineQueryResultContact) GetType() string { + return TypeInlineQueryResultContact +} + +func (*InlineQueryResultContact) InlineQueryResultType() string { + return TypeInlineQueryResultContact +} + +// Represents a point on the map +type InlineQueryResultLocation struct { + meta + // Unique identifier of the query result + Id string `json:"id"` + // Location result + Location *Location `json:"location"` + // Title of the result + Title string `json:"title"` + // Result thumbnail in JPEG format; may be null + Thumbnail *Thumbnail `json:"thumbnail"` +} + +func (entity *InlineQueryResultLocation) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InlineQueryResultLocation + + return json.Marshal((*stub)(entity)) +} + +func (*InlineQueryResultLocation) GetClass() string { + return ClassInlineQueryResult +} + +func (*InlineQueryResultLocation) GetType() string { + return TypeInlineQueryResultLocation +} + +func (*InlineQueryResultLocation) InlineQueryResultType() string { + return TypeInlineQueryResultLocation +} + +// Represents information about a venue +type InlineQueryResultVenue struct { + meta + // Unique identifier of the query result + Id string `json:"id"` + // Venue result + Venue *Venue `json:"venue"` + // Result thumbnail in JPEG format; may be null + Thumbnail *Thumbnail `json:"thumbnail"` +} + +func (entity *InlineQueryResultVenue) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InlineQueryResultVenue + + return json.Marshal((*stub)(entity)) +} + +func (*InlineQueryResultVenue) GetClass() string { + return ClassInlineQueryResult +} + +func (*InlineQueryResultVenue) GetType() string { + return TypeInlineQueryResultVenue +} + +func (*InlineQueryResultVenue) InlineQueryResultType() string { + return TypeInlineQueryResultVenue +} + +// Represents information about a game +type InlineQueryResultGame struct { + meta + // Unique identifier of the query result + Id string `json:"id"` + // Game result + Game *Game `json:"game"` +} + +func (entity *InlineQueryResultGame) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InlineQueryResultGame + + return json.Marshal((*stub)(entity)) +} + +func (*InlineQueryResultGame) GetClass() string { + return ClassInlineQueryResult +} + +func (*InlineQueryResultGame) GetType() string { + return TypeInlineQueryResultGame +} + +func (*InlineQueryResultGame) InlineQueryResultType() string { + return TypeInlineQueryResultGame +} + +// Represents an animation file +type InlineQueryResultAnimation struct { + meta + // Unique identifier of the query result + Id string `json:"id"` + // Animation file + Animation *Animation `json:"animation"` + // Animation title + Title string `json:"title"` +} + +func (entity *InlineQueryResultAnimation) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InlineQueryResultAnimation + + return json.Marshal((*stub)(entity)) +} + +func (*InlineQueryResultAnimation) GetClass() string { + return ClassInlineQueryResult +} + +func (*InlineQueryResultAnimation) GetType() string { + return TypeInlineQueryResultAnimation +} + +func (*InlineQueryResultAnimation) InlineQueryResultType() string { + return TypeInlineQueryResultAnimation +} + +// Represents an audio file +type InlineQueryResultAudio struct { + meta + // Unique identifier of the query result + Id string `json:"id"` + // Audio file + Audio *Audio `json:"audio"` +} + +func (entity *InlineQueryResultAudio) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InlineQueryResultAudio + + return json.Marshal((*stub)(entity)) +} + +func (*InlineQueryResultAudio) GetClass() string { + return ClassInlineQueryResult +} + +func (*InlineQueryResultAudio) GetType() string { + return TypeInlineQueryResultAudio +} + +func (*InlineQueryResultAudio) InlineQueryResultType() string { + return TypeInlineQueryResultAudio +} + +// Represents a document +type InlineQueryResultDocument struct { + meta + // Unique identifier of the query result + Id string `json:"id"` + // Document + Document *Document `json:"document"` + // Document title + Title string `json:"title"` + // Document description + Description string `json:"description"` +} + +func (entity *InlineQueryResultDocument) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InlineQueryResultDocument + + return json.Marshal((*stub)(entity)) +} + +func (*InlineQueryResultDocument) GetClass() string { + return ClassInlineQueryResult +} + +func (*InlineQueryResultDocument) GetType() string { + return TypeInlineQueryResultDocument +} + +func (*InlineQueryResultDocument) InlineQueryResultType() string { + return TypeInlineQueryResultDocument +} + +// Represents a photo +type InlineQueryResultPhoto struct { + meta + // Unique identifier of the query result + Id string `json:"id"` + // Photo + Photo *Photo `json:"photo"` + // Title of the result, if known + Title string `json:"title"` + // A short description of the result, if known + Description string `json:"description"` +} + +func (entity *InlineQueryResultPhoto) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InlineQueryResultPhoto + + return json.Marshal((*stub)(entity)) +} + +func (*InlineQueryResultPhoto) GetClass() string { + return ClassInlineQueryResult +} + +func (*InlineQueryResultPhoto) GetType() string { + return TypeInlineQueryResultPhoto +} + +func (*InlineQueryResultPhoto) InlineQueryResultType() string { + return TypeInlineQueryResultPhoto +} + +// Represents a sticker +type InlineQueryResultSticker struct { + meta + // Unique identifier of the query result + Id string `json:"id"` + // Sticker + Sticker *Sticker `json:"sticker"` +} + +func (entity *InlineQueryResultSticker) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InlineQueryResultSticker + + return json.Marshal((*stub)(entity)) +} + +func (*InlineQueryResultSticker) GetClass() string { + return ClassInlineQueryResult +} + +func (*InlineQueryResultSticker) GetType() string { + return TypeInlineQueryResultSticker +} + +func (*InlineQueryResultSticker) InlineQueryResultType() string { + return TypeInlineQueryResultSticker +} + +// Represents a video +type InlineQueryResultVideo struct { + meta + // Unique identifier of the query result + Id string `json:"id"` + // Video + Video *Video `json:"video"` + // Title of the video + Title string `json:"title"` + // Description of the video + Description string `json:"description"` +} + +func (entity *InlineQueryResultVideo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InlineQueryResultVideo + + return json.Marshal((*stub)(entity)) +} + +func (*InlineQueryResultVideo) GetClass() string { + return ClassInlineQueryResult +} + +func (*InlineQueryResultVideo) GetType() string { + return TypeInlineQueryResultVideo +} + +func (*InlineQueryResultVideo) InlineQueryResultType() string { + return TypeInlineQueryResultVideo +} + +// Represents a voice note +type InlineQueryResultVoiceNote struct { + meta + // Unique identifier of the query result + Id string `json:"id"` + // Voice note + VoiceNote *VoiceNote `json:"voice_note"` + // Title of the voice note + Title string `json:"title"` +} + +func (entity *InlineQueryResultVoiceNote) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InlineQueryResultVoiceNote + + return json.Marshal((*stub)(entity)) +} + +func (*InlineQueryResultVoiceNote) GetClass() string { + return ClassInlineQueryResult +} + +func (*InlineQueryResultVoiceNote) GetType() string { + return TypeInlineQueryResultVoiceNote +} + +func (*InlineQueryResultVoiceNote) InlineQueryResultType() string { + return TypeInlineQueryResultVoiceNote +} + +// Describes the button that opens a private chat with the bot and sends a start message to the bot with the given parameter +type InlineQueryResultsButtonTypeStartBot struct { + meta + // The parameter for the bot start message + Parameter string `json:"parameter"` +} + +func (entity *InlineQueryResultsButtonTypeStartBot) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InlineQueryResultsButtonTypeStartBot + + return json.Marshal((*stub)(entity)) +} + +func (*InlineQueryResultsButtonTypeStartBot) GetClass() string { + return ClassInlineQueryResultsButtonType +} + +func (*InlineQueryResultsButtonTypeStartBot) GetType() string { + return TypeInlineQueryResultsButtonTypeStartBot +} + +func (*InlineQueryResultsButtonTypeStartBot) InlineQueryResultsButtonTypeType() string { + return TypeInlineQueryResultsButtonTypeStartBot +} + +// Describes the button that opens a Web App by calling getWebAppUrl +type InlineQueryResultsButtonTypeWebApp struct { + meta + // An HTTP URL to pass to getWebAppUrl + Url string `json:"url"` +} + +func (entity *InlineQueryResultsButtonTypeWebApp) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InlineQueryResultsButtonTypeWebApp + + return json.Marshal((*stub)(entity)) +} + +func (*InlineQueryResultsButtonTypeWebApp) GetClass() string { + return ClassInlineQueryResultsButtonType +} + +func (*InlineQueryResultsButtonTypeWebApp) GetType() string { + return TypeInlineQueryResultsButtonTypeWebApp +} + +func (*InlineQueryResultsButtonTypeWebApp) InlineQueryResultsButtonTypeType() string { + return TypeInlineQueryResultsButtonTypeWebApp +} + +// Represents a button to be shown above inline query results +type InlineQueryResultsButton struct { + meta + // The text of the button + Text string `json:"text"` + // Type of the button + Type InlineQueryResultsButtonType `json:"type"` +} + +func (entity *InlineQueryResultsButton) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InlineQueryResultsButton + + return json.Marshal((*stub)(entity)) +} + +func (*InlineQueryResultsButton) GetClass() string { + return ClassInlineQueryResultsButton +} + +func (*InlineQueryResultsButton) GetType() string { + return TypeInlineQueryResultsButton +} + +func (inlineQueryResultsButton *InlineQueryResultsButton) UnmarshalJSON(data []byte) error { + var tmp struct { + Text string `json:"text"` + Type json.RawMessage `json:"type"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + inlineQueryResultsButton.Text = tmp.Text + + fieldType, _ := UnmarshalInlineQueryResultsButtonType(tmp.Type) + inlineQueryResultsButton.Type = fieldType + + return nil +} + +// Represents the results of the inline query. Use sendInlineQueryResultMessage to send the result of the query +type InlineQueryResults struct { + meta + // Unique identifier of the inline query + InlineQueryId JsonInt64 `json:"inline_query_id"` + // Button to be shown above inline query results; may be null + Button *InlineQueryResultsButton `json:"button"` + // Results of the query + Results []InlineQueryResult `json:"results"` + // The offset for the next request. If empty, then there are no more results + NextOffset string `json:"next_offset"` +} + +func (entity *InlineQueryResults) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InlineQueryResults + + return json.Marshal((*stub)(entity)) +} + +func (*InlineQueryResults) GetClass() string { + return ClassInlineQueryResults +} + +func (*InlineQueryResults) GetType() string { + return TypeInlineQueryResults +} + +func (inlineQueryResults *InlineQueryResults) UnmarshalJSON(data []byte) error { + var tmp struct { + InlineQueryId JsonInt64 `json:"inline_query_id"` + Button *InlineQueryResultsButton `json:"button"` + Results []json.RawMessage `json:"results"` + NextOffset string `json:"next_offset"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + inlineQueryResults.InlineQueryId = tmp.InlineQueryId + inlineQueryResults.Button = tmp.Button + inlineQueryResults.NextOffset = tmp.NextOffset + + fieldResults, _ := UnmarshalListOfInlineQueryResult(tmp.Results) + inlineQueryResults.Results = fieldResults + + return nil +} + +// Represents an inline message that can be sent via the bot +type PreparedInlineMessageId struct { + meta + // Unique identifier for the message + Id string `json:"id"` + // Point in time (Unix timestamp) when the message can't be used anymore + ExpirationDate int32 `json:"expiration_date"` +} + +func (entity *PreparedInlineMessageId) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PreparedInlineMessageId + + return json.Marshal((*stub)(entity)) +} + +func (*PreparedInlineMessageId) GetClass() string { + return ClassPreparedInlineMessageId +} + +func (*PreparedInlineMessageId) GetType() string { + return TypePreparedInlineMessageId +} + +// Represents a ready to send inline message. Use sendInlineQueryResultMessage to send the message +type PreparedInlineMessage struct { + meta + // Unique identifier of the inline query to pass to sendInlineQueryResultMessage + InlineQueryId JsonInt64 `json:"inline_query_id"` + // Resulted inline message of the query + Result InlineQueryResult `json:"result"` + // Types of the chats to which the message can be sent + ChatTypes *TargetChatTypes `json:"chat_types"` +} + +func (entity *PreparedInlineMessage) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PreparedInlineMessage + + return json.Marshal((*stub)(entity)) +} + +func (*PreparedInlineMessage) GetClass() string { + return ClassPreparedInlineMessage +} + +func (*PreparedInlineMessage) GetType() string { + return TypePreparedInlineMessage +} + +func (preparedInlineMessage *PreparedInlineMessage) UnmarshalJSON(data []byte) error { + var tmp struct { + InlineQueryId JsonInt64 `json:"inline_query_id"` + Result json.RawMessage `json:"result"` + ChatTypes *TargetChatTypes `json:"chat_types"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + preparedInlineMessage.InlineQueryId = tmp.InlineQueryId + preparedInlineMessage.ChatTypes = tmp.ChatTypes + + fieldResult, _ := UnmarshalInlineQueryResult(tmp.Result) + preparedInlineMessage.Result = fieldResult + + return nil +} + +// The payload for a general callback button +type CallbackQueryPayloadData struct { + meta + // Data that was attached to the callback button + Data []byte `json:"data"` +} + +func (entity *CallbackQueryPayloadData) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub CallbackQueryPayloadData + + return json.Marshal((*stub)(entity)) +} + +func (*CallbackQueryPayloadData) GetClass() string { + return ClassCallbackQueryPayload +} + +func (*CallbackQueryPayloadData) GetType() string { + return TypeCallbackQueryPayloadData +} + +func (*CallbackQueryPayloadData) CallbackQueryPayloadType() string { + return TypeCallbackQueryPayloadData +} + +// The payload for a callback button requiring password +type CallbackQueryPayloadDataWithPassword struct { + meta + // The 2-step verification password for the current user + Password string `json:"password"` + // Data that was attached to the callback button + Data []byte `json:"data"` +} + +func (entity *CallbackQueryPayloadDataWithPassword) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub CallbackQueryPayloadDataWithPassword + + return json.Marshal((*stub)(entity)) +} + +func (*CallbackQueryPayloadDataWithPassword) GetClass() string { + return ClassCallbackQueryPayload +} + +func (*CallbackQueryPayloadDataWithPassword) GetType() string { + return TypeCallbackQueryPayloadDataWithPassword +} + +func (*CallbackQueryPayloadDataWithPassword) CallbackQueryPayloadType() string { + return TypeCallbackQueryPayloadDataWithPassword +} + +// The payload for a game callback button +type CallbackQueryPayloadGame struct { + meta + // A short name of the game that was attached to the callback button + GameShortName string `json:"game_short_name"` +} + +func (entity *CallbackQueryPayloadGame) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub CallbackQueryPayloadGame + + return json.Marshal((*stub)(entity)) +} + +func (*CallbackQueryPayloadGame) GetClass() string { + return ClassCallbackQueryPayload +} + +func (*CallbackQueryPayloadGame) GetType() string { + return TypeCallbackQueryPayloadGame +} + +func (*CallbackQueryPayloadGame) CallbackQueryPayloadType() string { + return TypeCallbackQueryPayloadGame +} + +// Contains a bot's answer to a callback query +type CallbackQueryAnswer struct { + meta + // Text of the answer + Text string `json:"text"` + // True, if an alert must be shown to the user instead of a toast notification + ShowAlert bool `json:"show_alert"` + // URL to be opened + Url string `json:"url"` +} + +func (entity *CallbackQueryAnswer) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub CallbackQueryAnswer + + return json.Marshal((*stub)(entity)) +} + +func (*CallbackQueryAnswer) GetClass() string { + return ClassCallbackQueryAnswer +} + +func (*CallbackQueryAnswer) GetType() string { + return TypeCallbackQueryAnswer +} + +// Contains the result of a custom request +type CustomRequestResult struct { + meta + // A JSON-serialized result + Result string `json:"result"` +} + +func (entity *CustomRequestResult) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub CustomRequestResult + + return json.Marshal((*stub)(entity)) +} + +func (*CustomRequestResult) GetClass() string { + return ClassCustomRequestResult +} + +func (*CustomRequestResult) GetType() string { + return TypeCustomRequestResult +} + +// Contains one row of the game high score table +type GameHighScore struct { + meta + // Position in the high score table + Position int32 `json:"position"` + // User identifier + UserId int64 `json:"user_id"` + // User score + Score int32 `json:"score"` +} + +func (entity *GameHighScore) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub GameHighScore + + return json.Marshal((*stub)(entity)) +} + +func (*GameHighScore) GetClass() string { + return ClassGameHighScore +} + +func (*GameHighScore) GetType() string { + return TypeGameHighScore +} + +// Contains a list of game high scores +type GameHighScores struct { + meta + // A list of game high scores + Scores []*GameHighScore `json:"scores"` +} + +func (entity *GameHighScores) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub GameHighScores + + return json.Marshal((*stub)(entity)) +} + +func (*GameHighScores) GetClass() string { + return ClassGameHighScores +} + +func (*GameHighScores) GetType() string { + return TypeGameHighScores +} + +// A message was edited +type ChatEventMessageEdited struct { + meta + // The original message before the edit + OldMessage *Message `json:"old_message"` + // The message after it was edited + NewMessage *Message `json:"new_message"` +} + +func (entity *ChatEventMessageEdited) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventMessageEdited + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventMessageEdited) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventMessageEdited) GetType() string { + return TypeChatEventMessageEdited +} + +func (*ChatEventMessageEdited) ChatEventActionType() string { + return TypeChatEventMessageEdited +} + +// A message was deleted +type ChatEventMessageDeleted struct { + meta + // Deleted message + Message *Message `json:"message"` + // True, if the message deletion can be reported via reportSupergroupAntiSpamFalsePositive + CanReportAntiSpamFalsePositive bool `json:"can_report_anti_spam_false_positive"` +} + +func (entity *ChatEventMessageDeleted) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventMessageDeleted + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventMessageDeleted) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventMessageDeleted) GetType() string { + return TypeChatEventMessageDeleted +} + +func (*ChatEventMessageDeleted) ChatEventActionType() string { + return TypeChatEventMessageDeleted +} + +// A message was pinned +type ChatEventMessagePinned struct { + meta + // Pinned message + Message *Message `json:"message"` +} + +func (entity *ChatEventMessagePinned) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventMessagePinned + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventMessagePinned) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventMessagePinned) GetType() string { + return TypeChatEventMessagePinned +} + +func (*ChatEventMessagePinned) ChatEventActionType() string { + return TypeChatEventMessagePinned +} + +// A message was unpinned +type ChatEventMessageUnpinned struct { + meta + // Unpinned message + Message *Message `json:"message"` +} + +func (entity *ChatEventMessageUnpinned) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventMessageUnpinned + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventMessageUnpinned) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventMessageUnpinned) GetType() string { + return TypeChatEventMessageUnpinned +} + +func (*ChatEventMessageUnpinned) ChatEventActionType() string { + return TypeChatEventMessageUnpinned +} + +// A poll in a message was stopped +type ChatEventPollStopped struct { + meta + // The message with the poll + Message *Message `json:"message"` +} + +func (entity *ChatEventPollStopped) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventPollStopped + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventPollStopped) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventPollStopped) GetType() string { + return TypeChatEventPollStopped +} + +func (*ChatEventPollStopped) ChatEventActionType() string { + return TypeChatEventPollStopped +} + +// A new member joined the chat +type ChatEventMemberJoined struct{ + meta +} + +func (entity *ChatEventMemberJoined) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventMemberJoined + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventMemberJoined) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventMemberJoined) GetType() string { + return TypeChatEventMemberJoined +} + +func (*ChatEventMemberJoined) ChatEventActionType() string { + return TypeChatEventMemberJoined +} + +// A new member joined the chat via an invite link +type ChatEventMemberJoinedByInviteLink struct { + meta + // Invite link used to join the chat + InviteLink *ChatInviteLink `json:"invite_link"` + // True, if the user has joined the chat using an invite link for a chat folder + ViaChatFolderInviteLink bool `json:"via_chat_folder_invite_link"` +} + +func (entity *ChatEventMemberJoinedByInviteLink) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventMemberJoinedByInviteLink + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventMemberJoinedByInviteLink) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventMemberJoinedByInviteLink) GetType() string { + return TypeChatEventMemberJoinedByInviteLink +} + +func (*ChatEventMemberJoinedByInviteLink) ChatEventActionType() string { + return TypeChatEventMemberJoinedByInviteLink +} + +// A new member was accepted to the chat by an administrator +type ChatEventMemberJoinedByRequest struct { + meta + // User identifier of the chat administrator, approved user join request + ApproverUserId int64 `json:"approver_user_id"` + // Invite link used to join the chat; may be null + InviteLink *ChatInviteLink `json:"invite_link"` +} + +func (entity *ChatEventMemberJoinedByRequest) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventMemberJoinedByRequest + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventMemberJoinedByRequest) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventMemberJoinedByRequest) GetType() string { + return TypeChatEventMemberJoinedByRequest +} + +func (*ChatEventMemberJoinedByRequest) ChatEventActionType() string { + return TypeChatEventMemberJoinedByRequest +} + +// A new chat member was invited +type ChatEventMemberInvited struct { + meta + // New member user identifier + UserId int64 `json:"user_id"` + // New member status + Status ChatMemberStatus `json:"status"` +} + +func (entity *ChatEventMemberInvited) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventMemberInvited + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventMemberInvited) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventMemberInvited) GetType() string { + return TypeChatEventMemberInvited +} + +func (*ChatEventMemberInvited) ChatEventActionType() string { + return TypeChatEventMemberInvited +} + +func (chatEventMemberInvited *ChatEventMemberInvited) UnmarshalJSON(data []byte) error { + var tmp struct { + UserId int64 `json:"user_id"` + Status json.RawMessage `json:"status"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + chatEventMemberInvited.UserId = tmp.UserId + + fieldStatus, _ := UnmarshalChatMemberStatus(tmp.Status) + chatEventMemberInvited.Status = fieldStatus + + return nil +} + +// A member left the chat +type ChatEventMemberLeft struct{ + meta +} + +func (entity *ChatEventMemberLeft) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventMemberLeft + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventMemberLeft) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventMemberLeft) GetType() string { + return TypeChatEventMemberLeft +} + +func (*ChatEventMemberLeft) ChatEventActionType() string { + return TypeChatEventMemberLeft +} + +// A chat member has gained/lost administrator status, or the list of their administrator privileges has changed +type ChatEventMemberPromoted struct { + meta + // Affected chat member user identifier + UserId int64 `json:"user_id"` + // Previous status of the chat member + OldStatus ChatMemberStatus `json:"old_status"` + // New status of the chat member + NewStatus ChatMemberStatus `json:"new_status"` +} + +func (entity *ChatEventMemberPromoted) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventMemberPromoted + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventMemberPromoted) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventMemberPromoted) GetType() string { + return TypeChatEventMemberPromoted +} + +func (*ChatEventMemberPromoted) ChatEventActionType() string { + return TypeChatEventMemberPromoted +} + +func (chatEventMemberPromoted *ChatEventMemberPromoted) UnmarshalJSON(data []byte) error { + var tmp struct { + UserId int64 `json:"user_id"` + OldStatus json.RawMessage `json:"old_status"` + NewStatus json.RawMessage `json:"new_status"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + chatEventMemberPromoted.UserId = tmp.UserId + + fieldOldStatus, _ := UnmarshalChatMemberStatus(tmp.OldStatus) + chatEventMemberPromoted.OldStatus = fieldOldStatus + + fieldNewStatus, _ := UnmarshalChatMemberStatus(tmp.NewStatus) + chatEventMemberPromoted.NewStatus = fieldNewStatus + + return nil +} + +// A chat member was restricted/unrestricted or banned/unbanned, or the list of their restrictions has changed +type ChatEventMemberRestricted struct { + meta + // Affected chat member identifier + MemberId MessageSender `json:"member_id"` + // Previous status of the chat member + OldStatus ChatMemberStatus `json:"old_status"` + // New status of the chat member + NewStatus ChatMemberStatus `json:"new_status"` +} + +func (entity *ChatEventMemberRestricted) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventMemberRestricted + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventMemberRestricted) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventMemberRestricted) GetType() string { + return TypeChatEventMemberRestricted +} + +func (*ChatEventMemberRestricted) ChatEventActionType() string { + return TypeChatEventMemberRestricted +} + +func (chatEventMemberRestricted *ChatEventMemberRestricted) UnmarshalJSON(data []byte) error { + var tmp struct { + MemberId json.RawMessage `json:"member_id"` + OldStatus json.RawMessage `json:"old_status"` + NewStatus json.RawMessage `json:"new_status"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldMemberId, _ := UnmarshalMessageSender(tmp.MemberId) + chatEventMemberRestricted.MemberId = fieldMemberId + + fieldOldStatus, _ := UnmarshalChatMemberStatus(tmp.OldStatus) + chatEventMemberRestricted.OldStatus = fieldOldStatus + + fieldNewStatus, _ := UnmarshalChatMemberStatus(tmp.NewStatus) + chatEventMemberRestricted.NewStatus = fieldNewStatus + + return nil +} + +// A chat member extended their subscription to the chat +type ChatEventMemberSubscriptionExtended struct { + meta + // Affected chat member user identifier + UserId int64 `json:"user_id"` + // Previous status of the chat member + OldStatus ChatMemberStatus `json:"old_status"` + // New status of the chat member + NewStatus ChatMemberStatus `json:"new_status"` +} + +func (entity *ChatEventMemberSubscriptionExtended) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventMemberSubscriptionExtended + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventMemberSubscriptionExtended) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventMemberSubscriptionExtended) GetType() string { + return TypeChatEventMemberSubscriptionExtended +} + +func (*ChatEventMemberSubscriptionExtended) ChatEventActionType() string { + return TypeChatEventMemberSubscriptionExtended +} + +func (chatEventMemberSubscriptionExtended *ChatEventMemberSubscriptionExtended) UnmarshalJSON(data []byte) error { + var tmp struct { + UserId int64 `json:"user_id"` + OldStatus json.RawMessage `json:"old_status"` + NewStatus json.RawMessage `json:"new_status"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + chatEventMemberSubscriptionExtended.UserId = tmp.UserId + + fieldOldStatus, _ := UnmarshalChatMemberStatus(tmp.OldStatus) + chatEventMemberSubscriptionExtended.OldStatus = fieldOldStatus + + fieldNewStatus, _ := UnmarshalChatMemberStatus(tmp.NewStatus) + chatEventMemberSubscriptionExtended.NewStatus = fieldNewStatus + + return nil +} + +// The chat available reactions were changed +type ChatEventAvailableReactionsChanged struct { + meta + // Previous chat available reactions + OldAvailableReactions ChatAvailableReactions `json:"old_available_reactions"` + // New chat available reactions + NewAvailableReactions ChatAvailableReactions `json:"new_available_reactions"` +} + +func (entity *ChatEventAvailableReactionsChanged) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventAvailableReactionsChanged + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventAvailableReactionsChanged) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventAvailableReactionsChanged) GetType() string { + return TypeChatEventAvailableReactionsChanged +} + +func (*ChatEventAvailableReactionsChanged) ChatEventActionType() string { + return TypeChatEventAvailableReactionsChanged +} + +func (chatEventAvailableReactionsChanged *ChatEventAvailableReactionsChanged) UnmarshalJSON(data []byte) error { + var tmp struct { + OldAvailableReactions json.RawMessage `json:"old_available_reactions"` + NewAvailableReactions json.RawMessage `json:"new_available_reactions"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldOldAvailableReactions, _ := UnmarshalChatAvailableReactions(tmp.OldAvailableReactions) + chatEventAvailableReactionsChanged.OldAvailableReactions = fieldOldAvailableReactions + + fieldNewAvailableReactions, _ := UnmarshalChatAvailableReactions(tmp.NewAvailableReactions) + chatEventAvailableReactionsChanged.NewAvailableReactions = fieldNewAvailableReactions + + return nil +} + +// The chat background was changed +type ChatEventBackgroundChanged struct { + meta + // Previous background; may be null if none + OldBackground *ChatBackground `json:"old_background"` + // New background; may be null if none + NewBackground *ChatBackground `json:"new_background"` +} + +func (entity *ChatEventBackgroundChanged) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventBackgroundChanged + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventBackgroundChanged) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventBackgroundChanged) GetType() string { + return TypeChatEventBackgroundChanged +} + +func (*ChatEventBackgroundChanged) ChatEventActionType() string { + return TypeChatEventBackgroundChanged +} + +// The chat description was changed +type ChatEventDescriptionChanged struct { + meta + // Previous chat description + OldDescription string `json:"old_description"` + // New chat description + NewDescription string `json:"new_description"` +} + +func (entity *ChatEventDescriptionChanged) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventDescriptionChanged + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventDescriptionChanged) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventDescriptionChanged) GetType() string { + return TypeChatEventDescriptionChanged +} + +func (*ChatEventDescriptionChanged) ChatEventActionType() string { + return TypeChatEventDescriptionChanged +} + +// The chat emoji status was changed +type ChatEventEmojiStatusChanged struct { + meta + // Previous emoji status; may be null if none + OldEmojiStatus *EmojiStatus `json:"old_emoji_status"` + // New emoji status; may be null if none + NewEmojiStatus *EmojiStatus `json:"new_emoji_status"` +} + +func (entity *ChatEventEmojiStatusChanged) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventEmojiStatusChanged + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventEmojiStatusChanged) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventEmojiStatusChanged) GetType() string { + return TypeChatEventEmojiStatusChanged +} + +func (*ChatEventEmojiStatusChanged) ChatEventActionType() string { + return TypeChatEventEmojiStatusChanged +} + +// The linked chat of a supergroup was changed +type ChatEventLinkedChatChanged struct { + meta + // Previous supergroup linked chat identifier + OldLinkedChatId int64 `json:"old_linked_chat_id"` + // New supergroup linked chat identifier + NewLinkedChatId int64 `json:"new_linked_chat_id"` +} + +func (entity *ChatEventLinkedChatChanged) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventLinkedChatChanged + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventLinkedChatChanged) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventLinkedChatChanged) GetType() string { + return TypeChatEventLinkedChatChanged +} + +func (*ChatEventLinkedChatChanged) ChatEventActionType() string { + return TypeChatEventLinkedChatChanged +} + +// The supergroup location was changed +type ChatEventLocationChanged struct { + meta + // Previous location; may be null + OldLocation *ChatLocation `json:"old_location"` + // New location; may be null + NewLocation *ChatLocation `json:"new_location"` +} + +func (entity *ChatEventLocationChanged) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventLocationChanged + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventLocationChanged) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventLocationChanged) GetType() string { + return TypeChatEventLocationChanged +} + +func (*ChatEventLocationChanged) ChatEventActionType() string { + return TypeChatEventLocationChanged +} + +// The message auto-delete timer was changed +type ChatEventMessageAutoDeleteTimeChanged struct { + meta + // Previous value of message_auto_delete_time + OldMessageAutoDeleteTime int32 `json:"old_message_auto_delete_time"` + // New value of message_auto_delete_time + NewMessageAutoDeleteTime int32 `json:"new_message_auto_delete_time"` +} + +func (entity *ChatEventMessageAutoDeleteTimeChanged) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventMessageAutoDeleteTimeChanged + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventMessageAutoDeleteTimeChanged) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventMessageAutoDeleteTimeChanged) GetType() string { + return TypeChatEventMessageAutoDeleteTimeChanged +} + +func (*ChatEventMessageAutoDeleteTimeChanged) ChatEventActionType() string { + return TypeChatEventMessageAutoDeleteTimeChanged +} + +// The chat permissions were changed +type ChatEventPermissionsChanged struct { + meta + // Previous chat permissions + OldPermissions *ChatPermissions `json:"old_permissions"` + // New chat permissions + NewPermissions *ChatPermissions `json:"new_permissions"` +} + +func (entity *ChatEventPermissionsChanged) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventPermissionsChanged + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventPermissionsChanged) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventPermissionsChanged) GetType() string { + return TypeChatEventPermissionsChanged +} + +func (*ChatEventPermissionsChanged) ChatEventActionType() string { + return TypeChatEventPermissionsChanged +} + +// The chat photo was changed +type ChatEventPhotoChanged struct { + meta + // Previous chat photo value; may be null + OldPhoto *ChatPhoto `json:"old_photo"` + // New chat photo value; may be null + NewPhoto *ChatPhoto `json:"new_photo"` +} + +func (entity *ChatEventPhotoChanged) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventPhotoChanged + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventPhotoChanged) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventPhotoChanged) GetType() string { + return TypeChatEventPhotoChanged +} + +func (*ChatEventPhotoChanged) ChatEventActionType() string { + return TypeChatEventPhotoChanged +} + +// The slow_mode_delay setting of a supergroup was changed +type ChatEventSlowModeDelayChanged struct { + meta + // Previous value of slow_mode_delay, in seconds + OldSlowModeDelay int32 `json:"old_slow_mode_delay"` + // New value of slow_mode_delay, in seconds + NewSlowModeDelay int32 `json:"new_slow_mode_delay"` +} + +func (entity *ChatEventSlowModeDelayChanged) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventSlowModeDelayChanged + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventSlowModeDelayChanged) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventSlowModeDelayChanged) GetType() string { + return TypeChatEventSlowModeDelayChanged +} + +func (*ChatEventSlowModeDelayChanged) ChatEventActionType() string { + return TypeChatEventSlowModeDelayChanged +} + +// The supergroup sticker set was changed +type ChatEventStickerSetChanged struct { + meta + // Previous identifier of the chat sticker set; 0 if none + OldStickerSetId JsonInt64 `json:"old_sticker_set_id"` + // New identifier of the chat sticker set; 0 if none + NewStickerSetId JsonInt64 `json:"new_sticker_set_id"` +} + +func (entity *ChatEventStickerSetChanged) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventStickerSetChanged + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventStickerSetChanged) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventStickerSetChanged) GetType() string { + return TypeChatEventStickerSetChanged +} + +func (*ChatEventStickerSetChanged) ChatEventActionType() string { + return TypeChatEventStickerSetChanged +} + +// The supergroup sticker set with allowed custom emoji was changed +type ChatEventCustomEmojiStickerSetChanged struct { + meta + // Previous identifier of the chat sticker set; 0 if none + OldStickerSetId JsonInt64 `json:"old_sticker_set_id"` + // New identifier of the chat sticker set; 0 if none + NewStickerSetId JsonInt64 `json:"new_sticker_set_id"` +} + +func (entity *ChatEventCustomEmojiStickerSetChanged) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventCustomEmojiStickerSetChanged + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventCustomEmojiStickerSetChanged) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventCustomEmojiStickerSetChanged) GetType() string { + return TypeChatEventCustomEmojiStickerSetChanged +} + +func (*ChatEventCustomEmojiStickerSetChanged) ChatEventActionType() string { + return TypeChatEventCustomEmojiStickerSetChanged +} + +// The chat title was changed +type ChatEventTitleChanged struct { + meta + // Previous chat title + OldTitle string `json:"old_title"` + // New chat title + NewTitle string `json:"new_title"` +} + +func (entity *ChatEventTitleChanged) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventTitleChanged + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventTitleChanged) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventTitleChanged) GetType() string { + return TypeChatEventTitleChanged +} + +func (*ChatEventTitleChanged) ChatEventActionType() string { + return TypeChatEventTitleChanged +} + +// The chat editable username was changed +type ChatEventUsernameChanged struct { + meta + // Previous chat username + OldUsername string `json:"old_username"` + // New chat username + NewUsername string `json:"new_username"` +} + +func (entity *ChatEventUsernameChanged) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventUsernameChanged + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventUsernameChanged) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventUsernameChanged) GetType() string { + return TypeChatEventUsernameChanged +} + +func (*ChatEventUsernameChanged) ChatEventActionType() string { + return TypeChatEventUsernameChanged +} + +// The chat active usernames were changed +type ChatEventActiveUsernamesChanged struct { + meta + // Previous list of active usernames + OldUsernames []string `json:"old_usernames"` + // New list of active usernames + NewUsernames []string `json:"new_usernames"` +} + +func (entity *ChatEventActiveUsernamesChanged) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventActiveUsernamesChanged + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventActiveUsernamesChanged) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventActiveUsernamesChanged) GetType() string { + return TypeChatEventActiveUsernamesChanged +} + +func (*ChatEventActiveUsernamesChanged) ChatEventActionType() string { + return TypeChatEventActiveUsernamesChanged +} + +// The chat accent color or background custom emoji were changed +type ChatEventAccentColorChanged struct { + meta + // Previous identifier of chat accent color + OldAccentColorId int32 `json:"old_accent_color_id"` + // Previous identifier of the custom emoji; 0 if none + OldBackgroundCustomEmojiId JsonInt64 `json:"old_background_custom_emoji_id"` + // New identifier of chat accent color + NewAccentColorId int32 `json:"new_accent_color_id"` + // New identifier of the custom emoji; 0 if none + NewBackgroundCustomEmojiId JsonInt64 `json:"new_background_custom_emoji_id"` +} + +func (entity *ChatEventAccentColorChanged) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventAccentColorChanged + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventAccentColorChanged) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventAccentColorChanged) GetType() string { + return TypeChatEventAccentColorChanged +} + +func (*ChatEventAccentColorChanged) ChatEventActionType() string { + return TypeChatEventAccentColorChanged +} + +// The chat's profile accent color or profile background custom emoji were changed +type ChatEventProfileAccentColorChanged struct { + meta + // Previous identifier of chat's profile accent color; -1 if none + OldProfileAccentColorId int32 `json:"old_profile_accent_color_id"` + // Previous identifier of the custom emoji; 0 if none + OldProfileBackgroundCustomEmojiId JsonInt64 `json:"old_profile_background_custom_emoji_id"` + // New identifier of chat's profile accent color; -1 if none + NewProfileAccentColorId int32 `json:"new_profile_accent_color_id"` + // New identifier of the custom emoji; 0 if none + NewProfileBackgroundCustomEmojiId JsonInt64 `json:"new_profile_background_custom_emoji_id"` +} + +func (entity *ChatEventProfileAccentColorChanged) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventProfileAccentColorChanged + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventProfileAccentColorChanged) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventProfileAccentColorChanged) GetType() string { + return TypeChatEventProfileAccentColorChanged +} + +func (*ChatEventProfileAccentColorChanged) ChatEventActionType() string { + return TypeChatEventProfileAccentColorChanged +} + +// The has_protected_content setting of a channel was toggled +type ChatEventHasProtectedContentToggled struct { + meta + // New value of has_protected_content + HasProtectedContent bool `json:"has_protected_content"` +} + +func (entity *ChatEventHasProtectedContentToggled) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventHasProtectedContentToggled + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventHasProtectedContentToggled) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventHasProtectedContentToggled) GetType() string { + return TypeChatEventHasProtectedContentToggled +} + +func (*ChatEventHasProtectedContentToggled) ChatEventActionType() string { + return TypeChatEventHasProtectedContentToggled +} + +// The can_invite_users permission of a supergroup chat was toggled +type ChatEventInvitesToggled struct { + meta + // New value of can_invite_users permission + CanInviteUsers bool `json:"can_invite_users"` +} + +func (entity *ChatEventInvitesToggled) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventInvitesToggled + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventInvitesToggled) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventInvitesToggled) GetType() string { + return TypeChatEventInvitesToggled +} + +func (*ChatEventInvitesToggled) ChatEventActionType() string { + return TypeChatEventInvitesToggled +} + +// The is_all_history_available setting of a supergroup was toggled +type ChatEventIsAllHistoryAvailableToggled struct { + meta + // New value of is_all_history_available + IsAllHistoryAvailable bool `json:"is_all_history_available"` +} + +func (entity *ChatEventIsAllHistoryAvailableToggled) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventIsAllHistoryAvailableToggled + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventIsAllHistoryAvailableToggled) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventIsAllHistoryAvailableToggled) GetType() string { + return TypeChatEventIsAllHistoryAvailableToggled +} + +func (*ChatEventIsAllHistoryAvailableToggled) ChatEventActionType() string { + return TypeChatEventIsAllHistoryAvailableToggled +} + +// The has_aggressive_anti_spam_enabled setting of a supergroup was toggled +type ChatEventHasAggressiveAntiSpamEnabledToggled struct { + meta + // New value of has_aggressive_anti_spam_enabled + HasAggressiveAntiSpamEnabled bool `json:"has_aggressive_anti_spam_enabled"` +} + +func (entity *ChatEventHasAggressiveAntiSpamEnabledToggled) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventHasAggressiveAntiSpamEnabledToggled + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventHasAggressiveAntiSpamEnabledToggled) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventHasAggressiveAntiSpamEnabledToggled) GetType() string { + return TypeChatEventHasAggressiveAntiSpamEnabledToggled +} + +func (*ChatEventHasAggressiveAntiSpamEnabledToggled) ChatEventActionType() string { + return TypeChatEventHasAggressiveAntiSpamEnabledToggled +} + +// The sign_messages setting of a channel was toggled +type ChatEventSignMessagesToggled struct { + meta + // New value of sign_messages + SignMessages bool `json:"sign_messages"` +} + +func (entity *ChatEventSignMessagesToggled) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventSignMessagesToggled + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventSignMessagesToggled) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventSignMessagesToggled) GetType() string { + return TypeChatEventSignMessagesToggled +} + +func (*ChatEventSignMessagesToggled) ChatEventActionType() string { + return TypeChatEventSignMessagesToggled +} + +// The show_message_sender setting of a channel was toggled +type ChatEventShowMessageSenderToggled struct { + meta + // New value of show_message_sender + ShowMessageSender bool `json:"show_message_sender"` +} + +func (entity *ChatEventShowMessageSenderToggled) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventShowMessageSenderToggled + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventShowMessageSenderToggled) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventShowMessageSenderToggled) GetType() string { + return TypeChatEventShowMessageSenderToggled +} + +func (*ChatEventShowMessageSenderToggled) ChatEventActionType() string { + return TypeChatEventShowMessageSenderToggled +} + +// The has_automatic_translation setting of a channel was toggled +type ChatEventAutomaticTranslationToggled struct { + meta + // New value of has_automatic_translation + HasAutomaticTranslation bool `json:"has_automatic_translation"` +} + +func (entity *ChatEventAutomaticTranslationToggled) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventAutomaticTranslationToggled + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventAutomaticTranslationToggled) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventAutomaticTranslationToggled) GetType() string { + return TypeChatEventAutomaticTranslationToggled +} + +func (*ChatEventAutomaticTranslationToggled) ChatEventActionType() string { + return TypeChatEventAutomaticTranslationToggled +} + +// A chat invite link was edited +type ChatEventInviteLinkEdited struct { + meta + // Previous information about the invite link + OldInviteLink *ChatInviteLink `json:"old_invite_link"` + // New information about the invite link + NewInviteLink *ChatInviteLink `json:"new_invite_link"` +} + +func (entity *ChatEventInviteLinkEdited) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventInviteLinkEdited + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventInviteLinkEdited) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventInviteLinkEdited) GetType() string { + return TypeChatEventInviteLinkEdited +} + +func (*ChatEventInviteLinkEdited) ChatEventActionType() string { + return TypeChatEventInviteLinkEdited +} + +// A chat invite link was revoked +type ChatEventInviteLinkRevoked struct { + meta + // The invite link + InviteLink *ChatInviteLink `json:"invite_link"` +} + +func (entity *ChatEventInviteLinkRevoked) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventInviteLinkRevoked + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventInviteLinkRevoked) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventInviteLinkRevoked) GetType() string { + return TypeChatEventInviteLinkRevoked +} + +func (*ChatEventInviteLinkRevoked) ChatEventActionType() string { + return TypeChatEventInviteLinkRevoked +} + +// A revoked chat invite link was deleted +type ChatEventInviteLinkDeleted struct { + meta + // The invite link + InviteLink *ChatInviteLink `json:"invite_link"` +} + +func (entity *ChatEventInviteLinkDeleted) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventInviteLinkDeleted + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventInviteLinkDeleted) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventInviteLinkDeleted) GetType() string { + return TypeChatEventInviteLinkDeleted +} + +func (*ChatEventInviteLinkDeleted) ChatEventActionType() string { + return TypeChatEventInviteLinkDeleted +} + +// A video chat was created +type ChatEventVideoChatCreated struct { + meta + // Identifier of the video chat. The video chat can be received through the method getGroupCall + GroupCallId int32 `json:"group_call_id"` +} + +func (entity *ChatEventVideoChatCreated) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventVideoChatCreated + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventVideoChatCreated) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventVideoChatCreated) GetType() string { + return TypeChatEventVideoChatCreated +} + +func (*ChatEventVideoChatCreated) ChatEventActionType() string { + return TypeChatEventVideoChatCreated +} + +// A video chat was ended +type ChatEventVideoChatEnded struct { + meta + // Identifier of the video chat. The video chat can be received through the method getGroupCall + GroupCallId int32 `json:"group_call_id"` +} + +func (entity *ChatEventVideoChatEnded) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventVideoChatEnded + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventVideoChatEnded) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventVideoChatEnded) GetType() string { + return TypeChatEventVideoChatEnded +} + +func (*ChatEventVideoChatEnded) ChatEventActionType() string { + return TypeChatEventVideoChatEnded +} + +// The mute_new_participants setting of a video chat was toggled +type ChatEventVideoChatMuteNewParticipantsToggled struct { + meta + // New value of the mute_new_participants setting + MuteNewParticipants bool `json:"mute_new_participants"` +} + +func (entity *ChatEventVideoChatMuteNewParticipantsToggled) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventVideoChatMuteNewParticipantsToggled + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventVideoChatMuteNewParticipantsToggled) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventVideoChatMuteNewParticipantsToggled) GetType() string { + return TypeChatEventVideoChatMuteNewParticipantsToggled +} + +func (*ChatEventVideoChatMuteNewParticipantsToggled) ChatEventActionType() string { + return TypeChatEventVideoChatMuteNewParticipantsToggled +} + +// A video chat participant was muted or unmuted +type ChatEventVideoChatParticipantIsMutedToggled struct { + meta + // Identifier of the affected group call participant + ParticipantId MessageSender `json:"participant_id"` + // New value of is_muted + IsMuted bool `json:"is_muted"` +} + +func (entity *ChatEventVideoChatParticipantIsMutedToggled) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventVideoChatParticipantIsMutedToggled + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventVideoChatParticipantIsMutedToggled) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventVideoChatParticipantIsMutedToggled) GetType() string { + return TypeChatEventVideoChatParticipantIsMutedToggled +} + +func (*ChatEventVideoChatParticipantIsMutedToggled) ChatEventActionType() string { + return TypeChatEventVideoChatParticipantIsMutedToggled +} + +func (chatEventVideoChatParticipantIsMutedToggled *ChatEventVideoChatParticipantIsMutedToggled) UnmarshalJSON(data []byte) error { + var tmp struct { + ParticipantId json.RawMessage `json:"participant_id"` + IsMuted bool `json:"is_muted"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + chatEventVideoChatParticipantIsMutedToggled.IsMuted = tmp.IsMuted + + fieldParticipantId, _ := UnmarshalMessageSender(tmp.ParticipantId) + chatEventVideoChatParticipantIsMutedToggled.ParticipantId = fieldParticipantId + + return nil +} + +// A video chat participant volume level was changed +type ChatEventVideoChatParticipantVolumeLevelChanged struct { + meta + // Identifier of the affected group call participant + ParticipantId MessageSender `json:"participant_id"` + // New value of volume_level; 1-20000 in hundreds of percents + VolumeLevel int32 `json:"volume_level"` +} + +func (entity *ChatEventVideoChatParticipantVolumeLevelChanged) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventVideoChatParticipantVolumeLevelChanged + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventVideoChatParticipantVolumeLevelChanged) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventVideoChatParticipantVolumeLevelChanged) GetType() string { + return TypeChatEventVideoChatParticipantVolumeLevelChanged +} + +func (*ChatEventVideoChatParticipantVolumeLevelChanged) ChatEventActionType() string { + return TypeChatEventVideoChatParticipantVolumeLevelChanged +} + +func (chatEventVideoChatParticipantVolumeLevelChanged *ChatEventVideoChatParticipantVolumeLevelChanged) UnmarshalJSON(data []byte) error { + var tmp struct { + ParticipantId json.RawMessage `json:"participant_id"` + VolumeLevel int32 `json:"volume_level"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + chatEventVideoChatParticipantVolumeLevelChanged.VolumeLevel = tmp.VolumeLevel + + fieldParticipantId, _ := UnmarshalMessageSender(tmp.ParticipantId) + chatEventVideoChatParticipantVolumeLevelChanged.ParticipantId = fieldParticipantId + + return nil +} + +// The is_forum setting of a channel was toggled +type ChatEventIsForumToggled struct { + meta + // New value of is_forum + IsForum bool `json:"is_forum"` +} + +func (entity *ChatEventIsForumToggled) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventIsForumToggled + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventIsForumToggled) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventIsForumToggled) GetType() string { + return TypeChatEventIsForumToggled +} + +func (*ChatEventIsForumToggled) ChatEventActionType() string { + return TypeChatEventIsForumToggled +} + +// A new forum topic was created +type ChatEventForumTopicCreated struct { + meta + // Information about the topic + TopicInfo *ForumTopicInfo `json:"topic_info"` +} + +func (entity *ChatEventForumTopicCreated) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventForumTopicCreated + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventForumTopicCreated) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventForumTopicCreated) GetType() string { + return TypeChatEventForumTopicCreated +} + +func (*ChatEventForumTopicCreated) ChatEventActionType() string { + return TypeChatEventForumTopicCreated +} + +// A forum topic was edited +type ChatEventForumTopicEdited struct { + meta + // Old information about the topic + OldTopicInfo *ForumTopicInfo `json:"old_topic_info"` + // New information about the topic + NewTopicInfo *ForumTopicInfo `json:"new_topic_info"` +} + +func (entity *ChatEventForumTopicEdited) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventForumTopicEdited + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventForumTopicEdited) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventForumTopicEdited) GetType() string { + return TypeChatEventForumTopicEdited +} + +func (*ChatEventForumTopicEdited) ChatEventActionType() string { + return TypeChatEventForumTopicEdited +} + +// A forum topic was closed or reopened +type ChatEventForumTopicToggleIsClosed struct { + meta + // New information about the topic + TopicInfo *ForumTopicInfo `json:"topic_info"` +} + +func (entity *ChatEventForumTopicToggleIsClosed) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventForumTopicToggleIsClosed + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventForumTopicToggleIsClosed) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventForumTopicToggleIsClosed) GetType() string { + return TypeChatEventForumTopicToggleIsClosed +} + +func (*ChatEventForumTopicToggleIsClosed) ChatEventActionType() string { + return TypeChatEventForumTopicToggleIsClosed +} + +// The General forum topic was hidden or unhidden +type ChatEventForumTopicToggleIsHidden struct { + meta + // New information about the topic + TopicInfo *ForumTopicInfo `json:"topic_info"` +} + +func (entity *ChatEventForumTopicToggleIsHidden) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventForumTopicToggleIsHidden + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventForumTopicToggleIsHidden) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventForumTopicToggleIsHidden) GetType() string { + return TypeChatEventForumTopicToggleIsHidden +} + +func (*ChatEventForumTopicToggleIsHidden) ChatEventActionType() string { + return TypeChatEventForumTopicToggleIsHidden +} + +// A forum topic was deleted +type ChatEventForumTopicDeleted struct { + meta + // Information about the topic + TopicInfo *ForumTopicInfo `json:"topic_info"` +} + +func (entity *ChatEventForumTopicDeleted) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventForumTopicDeleted + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventForumTopicDeleted) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventForumTopicDeleted) GetType() string { + return TypeChatEventForumTopicDeleted +} + +func (*ChatEventForumTopicDeleted) ChatEventActionType() string { + return TypeChatEventForumTopicDeleted +} + +// A pinned forum topic was changed +type ChatEventForumTopicPinned struct { + meta + // Information about the old pinned topic; may be null + OldTopicInfo *ForumTopicInfo `json:"old_topic_info"` + // Information about the new pinned topic; may be null + NewTopicInfo *ForumTopicInfo `json:"new_topic_info"` +} + +func (entity *ChatEventForumTopicPinned) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventForumTopicPinned + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventForumTopicPinned) GetClass() string { + return ClassChatEventAction +} + +func (*ChatEventForumTopicPinned) GetType() string { + return TypeChatEventForumTopicPinned +} + +func (*ChatEventForumTopicPinned) ChatEventActionType() string { + return TypeChatEventForumTopicPinned +} + +// Represents a chat event +type ChatEvent struct { + meta + // Chat event identifier + Id JsonInt64 `json:"id"` + // Point in time (Unix timestamp) when the event happened + Date int32 `json:"date"` + // Identifier of the user or chat who performed the action + MemberId MessageSender `json:"member_id"` + // The action + Action ChatEventAction `json:"action"` +} + +func (entity *ChatEvent) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEvent + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEvent) GetClass() string { + return ClassChatEvent +} + +func (*ChatEvent) GetType() string { + return TypeChatEvent +} + +func (chatEvent *ChatEvent) UnmarshalJSON(data []byte) error { + var tmp struct { + Id JsonInt64 `json:"id"` + Date int32 `json:"date"` + MemberId json.RawMessage `json:"member_id"` + Action json.RawMessage `json:"action"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + chatEvent.Id = tmp.Id + chatEvent.Date = tmp.Date + + fieldMemberId, _ := UnmarshalMessageSender(tmp.MemberId) + chatEvent.MemberId = fieldMemberId + + fieldAction, _ := UnmarshalChatEventAction(tmp.Action) + chatEvent.Action = fieldAction + + return nil +} + +// Contains a list of chat events +type ChatEvents struct { + meta + // List of events + Events []*ChatEvent `json:"events"` +} + +func (entity *ChatEvents) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEvents + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEvents) GetClass() string { + return ClassChatEvents +} + +func (*ChatEvents) GetType() string { + return TypeChatEvents +} + +// Represents a set of filters used to obtain a chat event log +type ChatEventLogFilters struct { + meta + // True, if message edits need to be returned + MessageEdits bool `json:"message_edits"` + // True, if message deletions need to be returned + MessageDeletions bool `json:"message_deletions"` + // True, if pin/unpin events need to be returned + MessagePins bool `json:"message_pins"` + // True, if members joining events need to be returned + MemberJoins bool `json:"member_joins"` + // True, if members leaving events need to be returned + MemberLeaves bool `json:"member_leaves"` + // True, if invited member events need to be returned + MemberInvites bool `json:"member_invites"` + // True, if member promotion/demotion events need to be returned + MemberPromotions bool `json:"member_promotions"` + // True, if member restricted/unrestricted/banned/unbanned events need to be returned + MemberRestrictions bool `json:"member_restrictions"` + // True, if changes in chat information need to be returned + InfoChanges bool `json:"info_changes"` + // True, if changes in chat settings need to be returned + SettingChanges bool `json:"setting_changes"` + // True, if changes to invite links need to be returned + InviteLinkChanges bool `json:"invite_link_changes"` + // True, if video chat actions need to be returned + VideoChatChanges bool `json:"video_chat_changes"` + // True, if forum-related actions need to be returned + ForumChanges bool `json:"forum_changes"` + // True, if subscription extensions need to be returned + SubscriptionExtensions bool `json:"subscription_extensions"` +} + +func (entity *ChatEventLogFilters) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatEventLogFilters + + return json.Marshal((*stub)(entity)) +} + +func (*ChatEventLogFilters) GetClass() string { + return ClassChatEventLogFilters +} + +func (*ChatEventLogFilters) GetType() string { + return TypeChatEventLogFilters +} + +// An ordinary language pack string +type LanguagePackStringValueOrdinary struct { + meta + // String value + Value string `json:"value"` +} + +func (entity *LanguagePackStringValueOrdinary) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LanguagePackStringValueOrdinary + + return json.Marshal((*stub)(entity)) +} + +func (*LanguagePackStringValueOrdinary) GetClass() string { + return ClassLanguagePackStringValue +} + +func (*LanguagePackStringValueOrdinary) GetType() string { + return TypeLanguagePackStringValueOrdinary +} + +func (*LanguagePackStringValueOrdinary) LanguagePackStringValueType() string { + return TypeLanguagePackStringValueOrdinary +} + +// A language pack string which has different forms based on the number of some object it mentions. See https://www.unicode.org/cldr/charts/latest/supplemental/language_plural_rules.html for more information +type LanguagePackStringValuePluralized struct { + meta + // Value for zero objects + ZeroValue string `json:"zero_value"` + // Value for one object + OneValue string `json:"one_value"` + // Value for two objects + TwoValue string `json:"two_value"` + // Value for few objects + FewValue string `json:"few_value"` + // Value for many objects + ManyValue string `json:"many_value"` + // Default value + OtherValue string `json:"other_value"` +} + +func (entity *LanguagePackStringValuePluralized) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LanguagePackStringValuePluralized + + return json.Marshal((*stub)(entity)) +} + +func (*LanguagePackStringValuePluralized) GetClass() string { + return ClassLanguagePackStringValue +} + +func (*LanguagePackStringValuePluralized) GetType() string { + return TypeLanguagePackStringValuePluralized +} + +func (*LanguagePackStringValuePluralized) LanguagePackStringValueType() string { + return TypeLanguagePackStringValuePluralized +} + +// A deleted language pack string, the value must be taken from the built-in English language pack +type LanguagePackStringValueDeleted struct{ + meta +} + +func (entity *LanguagePackStringValueDeleted) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LanguagePackStringValueDeleted + + return json.Marshal((*stub)(entity)) +} + +func (*LanguagePackStringValueDeleted) GetClass() string { + return ClassLanguagePackStringValue +} + +func (*LanguagePackStringValueDeleted) GetType() string { + return TypeLanguagePackStringValueDeleted +} + +func (*LanguagePackStringValueDeleted) LanguagePackStringValueType() string { + return TypeLanguagePackStringValueDeleted +} + +// Represents one language pack string +type LanguagePackString struct { + meta + // String key + Key string `json:"key"` + // String value; pass null if the string needs to be taken from the built-in English language pack + Value LanguagePackStringValue `json:"value"` +} + +func (entity *LanguagePackString) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LanguagePackString + + return json.Marshal((*stub)(entity)) +} + +func (*LanguagePackString) GetClass() string { + return ClassLanguagePackString +} + +func (*LanguagePackString) GetType() string { + return TypeLanguagePackString +} + +func (languagePackString *LanguagePackString) UnmarshalJSON(data []byte) error { + var tmp struct { + Key string `json:"key"` + Value json.RawMessage `json:"value"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + languagePackString.Key = tmp.Key + + fieldValue, _ := UnmarshalLanguagePackStringValue(tmp.Value) + languagePackString.Value = fieldValue + + return nil +} + +// Contains a list of language pack strings +type LanguagePackStrings struct { + meta + // A list of language pack strings + Strings []*LanguagePackString `json:"strings"` +} + +func (entity *LanguagePackStrings) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LanguagePackStrings + + return json.Marshal((*stub)(entity)) +} + +func (*LanguagePackStrings) GetClass() string { + return ClassLanguagePackStrings +} + +func (*LanguagePackStrings) GetType() string { + return TypeLanguagePackStrings +} + +// Contains information about a language pack +type LanguagePackInfo struct { + meta + // Unique language pack identifier + Id string `json:"id"` + // Identifier of a base language pack; may be empty. If a string is missed in the language pack, then it must be fetched from base language pack. Unsupported in custom language packs + BaseLanguagePackId string `json:"base_language_pack_id"` + // Language name + Name string `json:"name"` + // Name of the language in that language + NativeName string `json:"native_name"` + // A language code to be used to apply plural forms. See https://www.unicode.org/cldr/charts/latest/supplemental/language_plural_rules.html for more information + PluralCode string `json:"plural_code"` + // True, if the language pack is official + IsOfficial bool `json:"is_official"` + // True, if the language pack strings are RTL + IsRtl bool `json:"is_rtl"` + // True, if the language pack is a beta language pack + IsBeta bool `json:"is_beta"` + // True, if the language pack is installed by the current user + IsInstalled bool `json:"is_installed"` + // Total number of non-deleted strings from the language pack + TotalStringCount int32 `json:"total_string_count"` + // Total number of translated strings from the language pack + TranslatedStringCount int32 `json:"translated_string_count"` + // Total number of non-deleted strings from the language pack available locally + LocalStringCount int32 `json:"local_string_count"` + // Link to language translation interface; empty for custom local language packs + TranslationUrl string `json:"translation_url"` +} + +func (entity *LanguagePackInfo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LanguagePackInfo + + return json.Marshal((*stub)(entity)) +} + +func (*LanguagePackInfo) GetClass() string { + return ClassLanguagePackInfo +} + +func (*LanguagePackInfo) GetType() string { + return TypeLanguagePackInfo +} + +// Contains information about the current localization target +type LocalizationTargetInfo struct { + meta + // List of available language packs for this application + LanguagePacks []*LanguagePackInfo `json:"language_packs"` +} + +func (entity *LocalizationTargetInfo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub LocalizationTargetInfo + + return json.Marshal((*stub)(entity)) +} + +func (*LocalizationTargetInfo) GetClass() string { + return ClassLocalizationTargetInfo +} + +func (*LocalizationTargetInfo) GetType() string { + return TypeLocalizationTargetInfo +} + +// The maximum number of joined supergroups and channels +type PremiumLimitTypeSupergroupCount struct{ + meta +} + +func (entity *PremiumLimitTypeSupergroupCount) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumLimitTypeSupergroupCount + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumLimitTypeSupergroupCount) GetClass() string { + return ClassPremiumLimitType +} + +func (*PremiumLimitTypeSupergroupCount) GetType() string { + return TypePremiumLimitTypeSupergroupCount +} + +func (*PremiumLimitTypeSupergroupCount) PremiumLimitTypeType() string { + return TypePremiumLimitTypeSupergroupCount +} + +// The maximum number of pinned chats in the main chat list +type PremiumLimitTypePinnedChatCount struct{ + meta +} + +func (entity *PremiumLimitTypePinnedChatCount) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumLimitTypePinnedChatCount + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumLimitTypePinnedChatCount) GetClass() string { + return ClassPremiumLimitType +} + +func (*PremiumLimitTypePinnedChatCount) GetType() string { + return TypePremiumLimitTypePinnedChatCount +} + +func (*PremiumLimitTypePinnedChatCount) PremiumLimitTypeType() string { + return TypePremiumLimitTypePinnedChatCount +} + +// The maximum number of created public chats +type PremiumLimitTypeCreatedPublicChatCount struct{ + meta +} + +func (entity *PremiumLimitTypeCreatedPublicChatCount) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumLimitTypeCreatedPublicChatCount + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumLimitTypeCreatedPublicChatCount) GetClass() string { + return ClassPremiumLimitType +} + +func (*PremiumLimitTypeCreatedPublicChatCount) GetType() string { + return TypePremiumLimitTypeCreatedPublicChatCount +} + +func (*PremiumLimitTypeCreatedPublicChatCount) PremiumLimitTypeType() string { + return TypePremiumLimitTypeCreatedPublicChatCount +} + +// The maximum number of saved animations +type PremiumLimitTypeSavedAnimationCount struct{ + meta +} + +func (entity *PremiumLimitTypeSavedAnimationCount) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumLimitTypeSavedAnimationCount + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumLimitTypeSavedAnimationCount) GetClass() string { + return ClassPremiumLimitType +} + +func (*PremiumLimitTypeSavedAnimationCount) GetType() string { + return TypePremiumLimitTypeSavedAnimationCount +} + +func (*PremiumLimitTypeSavedAnimationCount) PremiumLimitTypeType() string { + return TypePremiumLimitTypeSavedAnimationCount +} + +// The maximum number of favorite stickers +type PremiumLimitTypeFavoriteStickerCount struct{ + meta +} + +func (entity *PremiumLimitTypeFavoriteStickerCount) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumLimitTypeFavoriteStickerCount + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumLimitTypeFavoriteStickerCount) GetClass() string { + return ClassPremiumLimitType +} + +func (*PremiumLimitTypeFavoriteStickerCount) GetType() string { + return TypePremiumLimitTypeFavoriteStickerCount +} + +func (*PremiumLimitTypeFavoriteStickerCount) PremiumLimitTypeType() string { + return TypePremiumLimitTypeFavoriteStickerCount +} + +// The maximum number of chat folders +type PremiumLimitTypeChatFolderCount struct{ + meta +} + +func (entity *PremiumLimitTypeChatFolderCount) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumLimitTypeChatFolderCount + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumLimitTypeChatFolderCount) GetClass() string { + return ClassPremiumLimitType +} + +func (*PremiumLimitTypeChatFolderCount) GetType() string { + return TypePremiumLimitTypeChatFolderCount +} + +func (*PremiumLimitTypeChatFolderCount) PremiumLimitTypeType() string { + return TypePremiumLimitTypeChatFolderCount +} + +// The maximum number of pinned and always included, or always excluded chats in a chat folder +type PremiumLimitTypeChatFolderChosenChatCount struct{ + meta +} + +func (entity *PremiumLimitTypeChatFolderChosenChatCount) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumLimitTypeChatFolderChosenChatCount + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumLimitTypeChatFolderChosenChatCount) GetClass() string { + return ClassPremiumLimitType +} + +func (*PremiumLimitTypeChatFolderChosenChatCount) GetType() string { + return TypePremiumLimitTypeChatFolderChosenChatCount +} + +func (*PremiumLimitTypeChatFolderChosenChatCount) PremiumLimitTypeType() string { + return TypePremiumLimitTypeChatFolderChosenChatCount +} + +// The maximum number of pinned chats in the archive chat list +type PremiumLimitTypePinnedArchivedChatCount struct{ + meta +} + +func (entity *PremiumLimitTypePinnedArchivedChatCount) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumLimitTypePinnedArchivedChatCount + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumLimitTypePinnedArchivedChatCount) GetClass() string { + return ClassPremiumLimitType +} + +func (*PremiumLimitTypePinnedArchivedChatCount) GetType() string { + return TypePremiumLimitTypePinnedArchivedChatCount +} + +func (*PremiumLimitTypePinnedArchivedChatCount) PremiumLimitTypeType() string { + return TypePremiumLimitTypePinnedArchivedChatCount +} + +// The maximum number of pinned Saved Messages topics +type PremiumLimitTypePinnedSavedMessagesTopicCount struct{ + meta +} + +func (entity *PremiumLimitTypePinnedSavedMessagesTopicCount) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumLimitTypePinnedSavedMessagesTopicCount + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumLimitTypePinnedSavedMessagesTopicCount) GetClass() string { + return ClassPremiumLimitType +} + +func (*PremiumLimitTypePinnedSavedMessagesTopicCount) GetType() string { + return TypePremiumLimitTypePinnedSavedMessagesTopicCount +} + +func (*PremiumLimitTypePinnedSavedMessagesTopicCount) PremiumLimitTypeType() string { + return TypePremiumLimitTypePinnedSavedMessagesTopicCount +} + +// The maximum length of sent media caption +type PremiumLimitTypeCaptionLength struct{ + meta +} + +func (entity *PremiumLimitTypeCaptionLength) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumLimitTypeCaptionLength + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumLimitTypeCaptionLength) GetClass() string { + return ClassPremiumLimitType +} + +func (*PremiumLimitTypeCaptionLength) GetType() string { + return TypePremiumLimitTypeCaptionLength +} + +func (*PremiumLimitTypeCaptionLength) PremiumLimitTypeType() string { + return TypePremiumLimitTypeCaptionLength +} + +// The maximum length of the user's bio +type PremiumLimitTypeBioLength struct{ + meta +} + +func (entity *PremiumLimitTypeBioLength) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumLimitTypeBioLength + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumLimitTypeBioLength) GetClass() string { + return ClassPremiumLimitType +} + +func (*PremiumLimitTypeBioLength) GetType() string { + return TypePremiumLimitTypeBioLength +} + +func (*PremiumLimitTypeBioLength) PremiumLimitTypeType() string { + return TypePremiumLimitTypeBioLength +} + +// The maximum number of invite links for a chat folder +type PremiumLimitTypeChatFolderInviteLinkCount struct{ + meta +} + +func (entity *PremiumLimitTypeChatFolderInviteLinkCount) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumLimitTypeChatFolderInviteLinkCount + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumLimitTypeChatFolderInviteLinkCount) GetClass() string { + return ClassPremiumLimitType +} + +func (*PremiumLimitTypeChatFolderInviteLinkCount) GetType() string { + return TypePremiumLimitTypeChatFolderInviteLinkCount +} + +func (*PremiumLimitTypeChatFolderInviteLinkCount) PremiumLimitTypeType() string { + return TypePremiumLimitTypeChatFolderInviteLinkCount +} + +// The maximum number of added shareable chat folders +type PremiumLimitTypeShareableChatFolderCount struct{ + meta +} + +func (entity *PremiumLimitTypeShareableChatFolderCount) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumLimitTypeShareableChatFolderCount + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumLimitTypeShareableChatFolderCount) GetClass() string { + return ClassPremiumLimitType +} + +func (*PremiumLimitTypeShareableChatFolderCount) GetType() string { + return TypePremiumLimitTypeShareableChatFolderCount +} + +func (*PremiumLimitTypeShareableChatFolderCount) PremiumLimitTypeType() string { + return TypePremiumLimitTypeShareableChatFolderCount +} + +// The maximum number of active stories +type PremiumLimitTypeActiveStoryCount struct{ + meta +} + +func (entity *PremiumLimitTypeActiveStoryCount) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumLimitTypeActiveStoryCount + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumLimitTypeActiveStoryCount) GetClass() string { + return ClassPremiumLimitType +} + +func (*PremiumLimitTypeActiveStoryCount) GetType() string { + return TypePremiumLimitTypeActiveStoryCount +} + +func (*PremiumLimitTypeActiveStoryCount) PremiumLimitTypeType() string { + return TypePremiumLimitTypeActiveStoryCount +} + +// The maximum number of stories posted per week +type PremiumLimitTypeWeeklyPostedStoryCount struct{ + meta +} + +func (entity *PremiumLimitTypeWeeklyPostedStoryCount) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumLimitTypeWeeklyPostedStoryCount + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumLimitTypeWeeklyPostedStoryCount) GetClass() string { + return ClassPremiumLimitType +} + +func (*PremiumLimitTypeWeeklyPostedStoryCount) GetType() string { + return TypePremiumLimitTypeWeeklyPostedStoryCount +} + +func (*PremiumLimitTypeWeeklyPostedStoryCount) PremiumLimitTypeType() string { + return TypePremiumLimitTypeWeeklyPostedStoryCount +} + +// The maximum number of stories posted per month +type PremiumLimitTypeMonthlyPostedStoryCount struct{ + meta +} + +func (entity *PremiumLimitTypeMonthlyPostedStoryCount) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumLimitTypeMonthlyPostedStoryCount + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumLimitTypeMonthlyPostedStoryCount) GetClass() string { + return ClassPremiumLimitType +} + +func (*PremiumLimitTypeMonthlyPostedStoryCount) GetType() string { + return TypePremiumLimitTypeMonthlyPostedStoryCount +} + +func (*PremiumLimitTypeMonthlyPostedStoryCount) PremiumLimitTypeType() string { + return TypePremiumLimitTypeMonthlyPostedStoryCount +} + +// The maximum length of captions of posted stories +type PremiumLimitTypeStoryCaptionLength struct{ + meta +} + +func (entity *PremiumLimitTypeStoryCaptionLength) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumLimitTypeStoryCaptionLength + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumLimitTypeStoryCaptionLength) GetClass() string { + return ClassPremiumLimitType +} + +func (*PremiumLimitTypeStoryCaptionLength) GetType() string { + return TypePremiumLimitTypeStoryCaptionLength +} + +func (*PremiumLimitTypeStoryCaptionLength) PremiumLimitTypeType() string { + return TypePremiumLimitTypeStoryCaptionLength +} + +// The maximum number of suggested reaction areas on a story +type PremiumLimitTypeStorySuggestedReactionAreaCount struct{ + meta +} + +func (entity *PremiumLimitTypeStorySuggestedReactionAreaCount) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumLimitTypeStorySuggestedReactionAreaCount + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumLimitTypeStorySuggestedReactionAreaCount) GetClass() string { + return ClassPremiumLimitType +} + +func (*PremiumLimitTypeStorySuggestedReactionAreaCount) GetType() string { + return TypePremiumLimitTypeStorySuggestedReactionAreaCount +} + +func (*PremiumLimitTypeStorySuggestedReactionAreaCount) PremiumLimitTypeType() string { + return TypePremiumLimitTypeStorySuggestedReactionAreaCount +} + +// The maximum number of received similar chats +type PremiumLimitTypeSimilarChatCount struct{ + meta +} + +func (entity *PremiumLimitTypeSimilarChatCount) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumLimitTypeSimilarChatCount + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumLimitTypeSimilarChatCount) GetClass() string { + return ClassPremiumLimitType +} + +func (*PremiumLimitTypeSimilarChatCount) GetType() string { + return TypePremiumLimitTypeSimilarChatCount +} + +func (*PremiumLimitTypeSimilarChatCount) PremiumLimitTypeType() string { + return TypePremiumLimitTypeSimilarChatCount +} + +// Increased limits +type PremiumFeatureIncreasedLimits struct{ + meta +} + +func (entity *PremiumFeatureIncreasedLimits) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumFeatureIncreasedLimits + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumFeatureIncreasedLimits) GetClass() string { + return ClassPremiumFeature +} + +func (*PremiumFeatureIncreasedLimits) GetType() string { + return TypePremiumFeatureIncreasedLimits +} + +func (*PremiumFeatureIncreasedLimits) PremiumFeatureType() string { + return TypePremiumFeatureIncreasedLimits +} + +// Increased maximum upload file size +type PremiumFeatureIncreasedUploadFileSize struct{ + meta +} + +func (entity *PremiumFeatureIncreasedUploadFileSize) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumFeatureIncreasedUploadFileSize + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumFeatureIncreasedUploadFileSize) GetClass() string { + return ClassPremiumFeature +} + +func (*PremiumFeatureIncreasedUploadFileSize) GetType() string { + return TypePremiumFeatureIncreasedUploadFileSize +} + +func (*PremiumFeatureIncreasedUploadFileSize) PremiumFeatureType() string { + return TypePremiumFeatureIncreasedUploadFileSize +} + +// Improved download speed +type PremiumFeatureImprovedDownloadSpeed struct{ + meta +} + +func (entity *PremiumFeatureImprovedDownloadSpeed) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumFeatureImprovedDownloadSpeed + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumFeatureImprovedDownloadSpeed) GetClass() string { + return ClassPremiumFeature +} + +func (*PremiumFeatureImprovedDownloadSpeed) GetType() string { + return TypePremiumFeatureImprovedDownloadSpeed +} + +func (*PremiumFeatureImprovedDownloadSpeed) PremiumFeatureType() string { + return TypePremiumFeatureImprovedDownloadSpeed +} + +// The ability to convert voice notes to text +type PremiumFeatureVoiceRecognition struct{ + meta +} + +func (entity *PremiumFeatureVoiceRecognition) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumFeatureVoiceRecognition + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumFeatureVoiceRecognition) GetClass() string { + return ClassPremiumFeature +} + +func (*PremiumFeatureVoiceRecognition) GetType() string { + return TypePremiumFeatureVoiceRecognition +} + +func (*PremiumFeatureVoiceRecognition) PremiumFeatureType() string { + return TypePremiumFeatureVoiceRecognition +} + +// Disabled ads +type PremiumFeatureDisabledAds struct{ + meta +} + +func (entity *PremiumFeatureDisabledAds) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumFeatureDisabledAds + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumFeatureDisabledAds) GetClass() string { + return ClassPremiumFeature +} + +func (*PremiumFeatureDisabledAds) GetType() string { + return TypePremiumFeatureDisabledAds +} + +func (*PremiumFeatureDisabledAds) PremiumFeatureType() string { + return TypePremiumFeatureDisabledAds +} + +// Allowed to use more reactions +type PremiumFeatureUniqueReactions struct{ + meta +} + +func (entity *PremiumFeatureUniqueReactions) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumFeatureUniqueReactions + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumFeatureUniqueReactions) GetClass() string { + return ClassPremiumFeature +} + +func (*PremiumFeatureUniqueReactions) GetType() string { + return TypePremiumFeatureUniqueReactions +} + +func (*PremiumFeatureUniqueReactions) PremiumFeatureType() string { + return TypePremiumFeatureUniqueReactions +} + +// Allowed to use premium stickers with unique effects +type PremiumFeatureUniqueStickers struct{ + meta +} + +func (entity *PremiumFeatureUniqueStickers) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumFeatureUniqueStickers + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumFeatureUniqueStickers) GetClass() string { + return ClassPremiumFeature +} + +func (*PremiumFeatureUniqueStickers) GetType() string { + return TypePremiumFeatureUniqueStickers +} + +func (*PremiumFeatureUniqueStickers) PremiumFeatureType() string { + return TypePremiumFeatureUniqueStickers +} + +// Allowed to use custom emoji stickers in message texts and captions +type PremiumFeatureCustomEmoji struct{ + meta +} + +func (entity *PremiumFeatureCustomEmoji) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumFeatureCustomEmoji + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumFeatureCustomEmoji) GetClass() string { + return ClassPremiumFeature +} + +func (*PremiumFeatureCustomEmoji) GetType() string { + return TypePremiumFeatureCustomEmoji +} + +func (*PremiumFeatureCustomEmoji) PremiumFeatureType() string { + return TypePremiumFeatureCustomEmoji +} + +// Ability to change position of the main chat list, archive and mute all new chats from non-contacts, and completely disable notifications about the user's contacts joined Telegram +type PremiumFeatureAdvancedChatManagement struct{ + meta +} + +func (entity *PremiumFeatureAdvancedChatManagement) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumFeatureAdvancedChatManagement + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumFeatureAdvancedChatManagement) GetClass() string { + return ClassPremiumFeature +} + +func (*PremiumFeatureAdvancedChatManagement) GetType() string { + return TypePremiumFeatureAdvancedChatManagement +} + +func (*PremiumFeatureAdvancedChatManagement) PremiumFeatureType() string { + return TypePremiumFeatureAdvancedChatManagement +} + +// A badge in the user's profile +type PremiumFeatureProfileBadge struct{ + meta +} + +func (entity *PremiumFeatureProfileBadge) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumFeatureProfileBadge + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumFeatureProfileBadge) GetClass() string { + return ClassPremiumFeature +} + +func (*PremiumFeatureProfileBadge) GetType() string { + return TypePremiumFeatureProfileBadge +} + +func (*PremiumFeatureProfileBadge) PremiumFeatureType() string { + return TypePremiumFeatureProfileBadge +} + +// The ability to show an emoji status along with the user's name +type PremiumFeatureEmojiStatus struct{ + meta +} + +func (entity *PremiumFeatureEmojiStatus) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumFeatureEmojiStatus + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumFeatureEmojiStatus) GetClass() string { + return ClassPremiumFeature +} + +func (*PremiumFeatureEmojiStatus) GetType() string { + return TypePremiumFeatureEmojiStatus +} + +func (*PremiumFeatureEmojiStatus) PremiumFeatureType() string { + return TypePremiumFeatureEmojiStatus +} + +// Profile photo animation on message and chat screens +type PremiumFeatureAnimatedProfilePhoto struct{ + meta +} + +func (entity *PremiumFeatureAnimatedProfilePhoto) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumFeatureAnimatedProfilePhoto + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumFeatureAnimatedProfilePhoto) GetClass() string { + return ClassPremiumFeature +} + +func (*PremiumFeatureAnimatedProfilePhoto) GetType() string { + return TypePremiumFeatureAnimatedProfilePhoto +} + +func (*PremiumFeatureAnimatedProfilePhoto) PremiumFeatureType() string { + return TypePremiumFeatureAnimatedProfilePhoto +} + +// The ability to set a custom emoji as a forum topic icon +type PremiumFeatureForumTopicIcon struct{ + meta +} + +func (entity *PremiumFeatureForumTopicIcon) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumFeatureForumTopicIcon + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumFeatureForumTopicIcon) GetClass() string { + return ClassPremiumFeature +} + +func (*PremiumFeatureForumTopicIcon) GetType() string { + return TypePremiumFeatureForumTopicIcon +} + +func (*PremiumFeatureForumTopicIcon) PremiumFeatureType() string { + return TypePremiumFeatureForumTopicIcon +} + +// Allowed to set a premium application icons +type PremiumFeatureAppIcons struct{ + meta +} + +func (entity *PremiumFeatureAppIcons) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumFeatureAppIcons + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumFeatureAppIcons) GetClass() string { + return ClassPremiumFeature +} + +func (*PremiumFeatureAppIcons) GetType() string { + return TypePremiumFeatureAppIcons +} + +func (*PremiumFeatureAppIcons) PremiumFeatureType() string { + return TypePremiumFeatureAppIcons +} + +// Allowed to translate chat messages real-time +type PremiumFeatureRealTimeChatTranslation struct{ + meta +} + +func (entity *PremiumFeatureRealTimeChatTranslation) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumFeatureRealTimeChatTranslation + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumFeatureRealTimeChatTranslation) GetClass() string { + return ClassPremiumFeature +} + +func (*PremiumFeatureRealTimeChatTranslation) GetType() string { + return TypePremiumFeatureRealTimeChatTranslation +} + +func (*PremiumFeatureRealTimeChatTranslation) PremiumFeatureType() string { + return TypePremiumFeatureRealTimeChatTranslation +} + +// Allowed to use many additional features for stories +type PremiumFeatureUpgradedStories struct{ + meta +} + +func (entity *PremiumFeatureUpgradedStories) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumFeatureUpgradedStories + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumFeatureUpgradedStories) GetClass() string { + return ClassPremiumFeature +} + +func (*PremiumFeatureUpgradedStories) GetType() string { + return TypePremiumFeatureUpgradedStories +} + +func (*PremiumFeatureUpgradedStories) PremiumFeatureType() string { + return TypePremiumFeatureUpgradedStories +} + +// The ability to boost chats +type PremiumFeatureChatBoost struct{ + meta +} + +func (entity *PremiumFeatureChatBoost) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumFeatureChatBoost + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumFeatureChatBoost) GetClass() string { + return ClassPremiumFeature +} + +func (*PremiumFeatureChatBoost) GetType() string { + return TypePremiumFeatureChatBoost +} + +func (*PremiumFeatureChatBoost) PremiumFeatureType() string { + return TypePremiumFeatureChatBoost +} + +// The ability to choose accent color for replies and user profile +type PremiumFeatureAccentColor struct{ + meta +} + +func (entity *PremiumFeatureAccentColor) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumFeatureAccentColor + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumFeatureAccentColor) GetClass() string { + return ClassPremiumFeature +} + +func (*PremiumFeatureAccentColor) GetType() string { + return TypePremiumFeatureAccentColor +} + +func (*PremiumFeatureAccentColor) PremiumFeatureType() string { + return TypePremiumFeatureAccentColor +} + +// The ability to set private chat background for both users +type PremiumFeatureBackgroundForBoth struct{ + meta +} + +func (entity *PremiumFeatureBackgroundForBoth) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumFeatureBackgroundForBoth + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumFeatureBackgroundForBoth) GetClass() string { + return ClassPremiumFeature +} + +func (*PremiumFeatureBackgroundForBoth) GetType() string { + return TypePremiumFeatureBackgroundForBoth +} + +func (*PremiumFeatureBackgroundForBoth) PremiumFeatureType() string { + return TypePremiumFeatureBackgroundForBoth +} + +// The ability to use tags in Saved Messages +type PremiumFeatureSavedMessagesTags struct{ + meta +} + +func (entity *PremiumFeatureSavedMessagesTags) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumFeatureSavedMessagesTags + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumFeatureSavedMessagesTags) GetClass() string { + return ClassPremiumFeature +} + +func (*PremiumFeatureSavedMessagesTags) GetType() string { + return TypePremiumFeatureSavedMessagesTags +} + +func (*PremiumFeatureSavedMessagesTags) PremiumFeatureType() string { + return TypePremiumFeatureSavedMessagesTags +} + +// The ability to disallow incoming voice and video note messages in private chats using setUserPrivacySettingRules with userPrivacySettingAllowPrivateVoiceAndVideoNoteMessages and to restrict incoming messages from non-contacts using setNewChatPrivacySettings +type PremiumFeatureMessagePrivacy struct{ + meta +} + +func (entity *PremiumFeatureMessagePrivacy) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumFeatureMessagePrivacy + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumFeatureMessagePrivacy) GetClass() string { + return ClassPremiumFeature +} + +func (*PremiumFeatureMessagePrivacy) GetType() string { + return TypePremiumFeatureMessagePrivacy +} + +func (*PremiumFeatureMessagePrivacy) PremiumFeatureType() string { + return TypePremiumFeatureMessagePrivacy +} + +// The ability to view last seen and read times of other users even if they can't view last seen or read time for the current user +type PremiumFeatureLastSeenTimes struct{ + meta +} + +func (entity *PremiumFeatureLastSeenTimes) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumFeatureLastSeenTimes + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumFeatureLastSeenTimes) GetClass() string { + return ClassPremiumFeature +} + +func (*PremiumFeatureLastSeenTimes) GetType() string { + return TypePremiumFeatureLastSeenTimes +} + +func (*PremiumFeatureLastSeenTimes) PremiumFeatureType() string { + return TypePremiumFeatureLastSeenTimes +} + +// The ability to use Business features +type PremiumFeatureBusiness struct{ + meta +} + +func (entity *PremiumFeatureBusiness) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumFeatureBusiness + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumFeatureBusiness) GetClass() string { + return ClassPremiumFeature +} + +func (*PremiumFeatureBusiness) GetType() string { + return TypePremiumFeatureBusiness +} + +func (*PremiumFeatureBusiness) PremiumFeatureType() string { + return TypePremiumFeatureBusiness +} + +// The ability to use all available message effects +type PremiumFeatureMessageEffects struct{ + meta +} + +func (entity *PremiumFeatureMessageEffects) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumFeatureMessageEffects + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumFeatureMessageEffects) GetClass() string { + return ClassPremiumFeature +} + +func (*PremiumFeatureMessageEffects) GetType() string { + return TypePremiumFeatureMessageEffects +} + +func (*PremiumFeatureMessageEffects) PremiumFeatureType() string { + return TypePremiumFeatureMessageEffects +} + +// The ability to create and use checklist messages +type PremiumFeatureChecklists struct{ + meta +} + +func (entity *PremiumFeatureChecklists) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumFeatureChecklists + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumFeatureChecklists) GetClass() string { + return ClassPremiumFeature +} + +func (*PremiumFeatureChecklists) GetType() string { + return TypePremiumFeatureChecklists +} + +func (*PremiumFeatureChecklists) PremiumFeatureType() string { + return TypePremiumFeatureChecklists +} + +// The ability to require a payment for incoming messages in new chats +type PremiumFeaturePaidMessages struct{ + meta +} + +func (entity *PremiumFeaturePaidMessages) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumFeaturePaidMessages + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumFeaturePaidMessages) GetClass() string { + return ClassPremiumFeature +} + +func (*PremiumFeaturePaidMessages) GetType() string { + return TypePremiumFeaturePaidMessages +} + +func (*PremiumFeaturePaidMessages) PremiumFeatureType() string { + return TypePremiumFeaturePaidMessages +} + +// The ability to set location +type BusinessFeatureLocation struct{ + meta +} + +func (entity *BusinessFeatureLocation) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BusinessFeatureLocation + + return json.Marshal((*stub)(entity)) +} + +func (*BusinessFeatureLocation) GetClass() string { + return ClassBusinessFeature +} + +func (*BusinessFeatureLocation) GetType() string { + return TypeBusinessFeatureLocation +} + +func (*BusinessFeatureLocation) BusinessFeatureType() string { + return TypeBusinessFeatureLocation +} + +// The ability to set opening hours +type BusinessFeatureOpeningHours struct{ + meta +} + +func (entity *BusinessFeatureOpeningHours) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BusinessFeatureOpeningHours + + return json.Marshal((*stub)(entity)) +} + +func (*BusinessFeatureOpeningHours) GetClass() string { + return ClassBusinessFeature +} + +func (*BusinessFeatureOpeningHours) GetType() string { + return TypeBusinessFeatureOpeningHours +} + +func (*BusinessFeatureOpeningHours) BusinessFeatureType() string { + return TypeBusinessFeatureOpeningHours +} + +// The ability to use quick replies +type BusinessFeatureQuickReplies struct{ + meta +} + +func (entity *BusinessFeatureQuickReplies) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BusinessFeatureQuickReplies + + return json.Marshal((*stub)(entity)) +} + +func (*BusinessFeatureQuickReplies) GetClass() string { + return ClassBusinessFeature +} + +func (*BusinessFeatureQuickReplies) GetType() string { + return TypeBusinessFeatureQuickReplies +} + +func (*BusinessFeatureQuickReplies) BusinessFeatureType() string { + return TypeBusinessFeatureQuickReplies +} + +// The ability to set up a greeting message +type BusinessFeatureGreetingMessage struct{ + meta +} + +func (entity *BusinessFeatureGreetingMessage) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BusinessFeatureGreetingMessage + + return json.Marshal((*stub)(entity)) +} + +func (*BusinessFeatureGreetingMessage) GetClass() string { + return ClassBusinessFeature +} + +func (*BusinessFeatureGreetingMessage) GetType() string { + return TypeBusinessFeatureGreetingMessage +} + +func (*BusinessFeatureGreetingMessage) BusinessFeatureType() string { + return TypeBusinessFeatureGreetingMessage +} + +// The ability to set up an away message +type BusinessFeatureAwayMessage struct{ + meta +} + +func (entity *BusinessFeatureAwayMessage) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BusinessFeatureAwayMessage + + return json.Marshal((*stub)(entity)) +} + +func (*BusinessFeatureAwayMessage) GetClass() string { + return ClassBusinessFeature +} + +func (*BusinessFeatureAwayMessage) GetType() string { + return TypeBusinessFeatureAwayMessage +} + +func (*BusinessFeatureAwayMessage) BusinessFeatureType() string { + return TypeBusinessFeatureAwayMessage +} + +// The ability to create links to the business account with predefined message text +type BusinessFeatureAccountLinks struct{ + meta +} + +func (entity *BusinessFeatureAccountLinks) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BusinessFeatureAccountLinks + + return json.Marshal((*stub)(entity)) +} + +func (*BusinessFeatureAccountLinks) GetClass() string { + return ClassBusinessFeature +} + +func (*BusinessFeatureAccountLinks) GetType() string { + return TypeBusinessFeatureAccountLinks +} + +func (*BusinessFeatureAccountLinks) BusinessFeatureType() string { + return TypeBusinessFeatureAccountLinks +} + +// The ability to customize start page +type BusinessFeatureStartPage struct{ + meta +} + +func (entity *BusinessFeatureStartPage) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BusinessFeatureStartPage + + return json.Marshal((*stub)(entity)) +} + +func (*BusinessFeatureStartPage) GetClass() string { + return ClassBusinessFeature +} + +func (*BusinessFeatureStartPage) GetType() string { + return TypeBusinessFeatureStartPage +} + +func (*BusinessFeatureStartPage) BusinessFeatureType() string { + return TypeBusinessFeatureStartPage +} + +// The ability to connect a bot to the account +type BusinessFeatureBots struct{ + meta +} + +func (entity *BusinessFeatureBots) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BusinessFeatureBots + + return json.Marshal((*stub)(entity)) +} + +func (*BusinessFeatureBots) GetClass() string { + return ClassBusinessFeature +} + +func (*BusinessFeatureBots) GetType() string { + return TypeBusinessFeatureBots +} + +func (*BusinessFeatureBots) BusinessFeatureType() string { + return TypeBusinessFeatureBots +} + +// The ability to show an emoji status along with the business name +type BusinessFeatureEmojiStatus struct{ + meta +} + +func (entity *BusinessFeatureEmojiStatus) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BusinessFeatureEmojiStatus + + return json.Marshal((*stub)(entity)) +} + +func (*BusinessFeatureEmojiStatus) GetClass() string { + return ClassBusinessFeature +} + +func (*BusinessFeatureEmojiStatus) GetType() string { + return TypeBusinessFeatureEmojiStatus +} + +func (*BusinessFeatureEmojiStatus) BusinessFeatureType() string { + return TypeBusinessFeatureEmojiStatus +} + +// The ability to display folder names for each chat in the chat list +type BusinessFeatureChatFolderTags struct{ + meta +} + +func (entity *BusinessFeatureChatFolderTags) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BusinessFeatureChatFolderTags + + return json.Marshal((*stub)(entity)) +} + +func (*BusinessFeatureChatFolderTags) GetClass() string { + return ClassBusinessFeature +} + +func (*BusinessFeatureChatFolderTags) GetType() string { + return TypeBusinessFeatureChatFolderTags +} + +func (*BusinessFeatureChatFolderTags) BusinessFeatureType() string { + return TypeBusinessFeatureChatFolderTags +} + +// Allowed to use many additional features for stories +type BusinessFeatureUpgradedStories struct{ + meta +} + +func (entity *BusinessFeatureUpgradedStories) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BusinessFeatureUpgradedStories + + return json.Marshal((*stub)(entity)) +} + +func (*BusinessFeatureUpgradedStories) GetClass() string { + return ClassBusinessFeature +} + +func (*BusinessFeatureUpgradedStories) GetType() string { + return TypeBusinessFeatureUpgradedStories +} + +func (*BusinessFeatureUpgradedStories) BusinessFeatureType() string { + return TypeBusinessFeatureUpgradedStories +} + +// Stories of the current user are displayed before stories of non-Premium contacts, supergroups, and channels +type PremiumStoryFeaturePriorityOrder struct{ + meta +} + +func (entity *PremiumStoryFeaturePriorityOrder) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumStoryFeaturePriorityOrder + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumStoryFeaturePriorityOrder) GetClass() string { + return ClassPremiumStoryFeature +} + +func (*PremiumStoryFeaturePriorityOrder) GetType() string { + return TypePremiumStoryFeaturePriorityOrder +} + +func (*PremiumStoryFeaturePriorityOrder) PremiumStoryFeatureType() string { + return TypePremiumStoryFeaturePriorityOrder +} + +// The ability to hide the fact that the user viewed other's stories +type PremiumStoryFeatureStealthMode struct{ + meta +} + +func (entity *PremiumStoryFeatureStealthMode) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumStoryFeatureStealthMode + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumStoryFeatureStealthMode) GetClass() string { + return ClassPremiumStoryFeature +} + +func (*PremiumStoryFeatureStealthMode) GetType() string { + return TypePremiumStoryFeatureStealthMode +} + +func (*PremiumStoryFeatureStealthMode) PremiumStoryFeatureType() string { + return TypePremiumStoryFeatureStealthMode +} + +// The ability to check who opened the current user's stories after they expire +type PremiumStoryFeaturePermanentViewsHistory struct{ + meta +} + +func (entity *PremiumStoryFeaturePermanentViewsHistory) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumStoryFeaturePermanentViewsHistory + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumStoryFeaturePermanentViewsHistory) GetClass() string { + return ClassPremiumStoryFeature +} + +func (*PremiumStoryFeaturePermanentViewsHistory) GetType() string { + return TypePremiumStoryFeaturePermanentViewsHistory +} + +func (*PremiumStoryFeaturePermanentViewsHistory) PremiumStoryFeatureType() string { + return TypePremiumStoryFeaturePermanentViewsHistory +} + +// The ability to set custom expiration duration for stories +type PremiumStoryFeatureCustomExpirationDuration struct{ + meta +} + +func (entity *PremiumStoryFeatureCustomExpirationDuration) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumStoryFeatureCustomExpirationDuration + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumStoryFeatureCustomExpirationDuration) GetClass() string { + return ClassPremiumStoryFeature +} + +func (*PremiumStoryFeatureCustomExpirationDuration) GetType() string { + return TypePremiumStoryFeatureCustomExpirationDuration +} + +func (*PremiumStoryFeatureCustomExpirationDuration) PremiumStoryFeatureType() string { + return TypePremiumStoryFeatureCustomExpirationDuration +} + +// The ability to save other's unprotected stories +type PremiumStoryFeatureSaveStories struct{ + meta +} + +func (entity *PremiumStoryFeatureSaveStories) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumStoryFeatureSaveStories + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumStoryFeatureSaveStories) GetClass() string { + return ClassPremiumStoryFeature +} + +func (*PremiumStoryFeatureSaveStories) GetType() string { + return TypePremiumStoryFeatureSaveStories +} + +func (*PremiumStoryFeatureSaveStories) PremiumStoryFeatureType() string { + return TypePremiumStoryFeatureSaveStories +} + +// The ability to use links and formatting in story caption, and use inputStoryAreaTypeLink areas +type PremiumStoryFeatureLinksAndFormatting struct{ + meta +} + +func (entity *PremiumStoryFeatureLinksAndFormatting) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumStoryFeatureLinksAndFormatting + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumStoryFeatureLinksAndFormatting) GetClass() string { + return ClassPremiumStoryFeature +} + +func (*PremiumStoryFeatureLinksAndFormatting) GetType() string { + return TypePremiumStoryFeatureLinksAndFormatting +} + +func (*PremiumStoryFeatureLinksAndFormatting) PremiumStoryFeatureType() string { + return TypePremiumStoryFeatureLinksAndFormatting +} + +// The ability to choose better quality for viewed stories +type PremiumStoryFeatureVideoQuality struct{ + meta +} + +func (entity *PremiumStoryFeatureVideoQuality) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumStoryFeatureVideoQuality + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumStoryFeatureVideoQuality) GetClass() string { + return ClassPremiumStoryFeature +} + +func (*PremiumStoryFeatureVideoQuality) GetType() string { + return TypePremiumStoryFeatureVideoQuality +} + +func (*PremiumStoryFeatureVideoQuality) PremiumStoryFeatureType() string { + return TypePremiumStoryFeatureVideoQuality +} + +// Contains information about a limit, increased for Premium users +type PremiumLimit struct { + meta + // The type of the limit + Type PremiumLimitType `json:"type"` + // Default value of the limit + DefaultValue int32 `json:"default_value"` + // Value of the limit for Premium users + PremiumValue int32 `json:"premium_value"` +} + +func (entity *PremiumLimit) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumLimit + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumLimit) GetClass() string { + return ClassPremiumLimit +} + +func (*PremiumLimit) GetType() string { + return TypePremiumLimit +} + +func (premiumLimit *PremiumLimit) UnmarshalJSON(data []byte) error { + var tmp struct { + Type json.RawMessage `json:"type"` + DefaultValue int32 `json:"default_value"` + PremiumValue int32 `json:"premium_value"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + premiumLimit.DefaultValue = tmp.DefaultValue + premiumLimit.PremiumValue = tmp.PremiumValue + + fieldType, _ := UnmarshalPremiumLimitType(tmp.Type) + premiumLimit.Type = fieldType + + return nil +} + +// Contains information about features, available to Premium users +type PremiumFeatures struct { + meta + // The list of available features + Features []PremiumFeature `json:"features"` + // The list of limits, increased for Premium users + Limits []*PremiumLimit `json:"limits"` + // An internal link to be opened to pay for Telegram Premium if store payment isn't possible; may be null if direct payment isn't available + PaymentLink InternalLinkType `json:"payment_link"` +} + +func (entity *PremiumFeatures) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumFeatures + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumFeatures) GetClass() string { + return ClassPremiumFeatures +} + +func (*PremiumFeatures) GetType() string { + return TypePremiumFeatures +} + +func (premiumFeatures *PremiumFeatures) UnmarshalJSON(data []byte) error { + var tmp struct { + Features []json.RawMessage `json:"features"` + Limits []*PremiumLimit `json:"limits"` + PaymentLink json.RawMessage `json:"payment_link"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + premiumFeatures.Limits = tmp.Limits + + fieldFeatures, _ := UnmarshalListOfPremiumFeature(tmp.Features) + premiumFeatures.Features = fieldFeatures + + fieldPaymentLink, _ := UnmarshalInternalLinkType(tmp.PaymentLink) + premiumFeatures.PaymentLink = fieldPaymentLink + + return nil +} + +// Contains information about features, available to Business user accounts +type BusinessFeatures struct { + meta + // The list of available business features + Features []BusinessFeature `json:"features"` +} + +func (entity *BusinessFeatures) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BusinessFeatures + + return json.Marshal((*stub)(entity)) +} + +func (*BusinessFeatures) GetClass() string { + return ClassBusinessFeatures +} + +func (*BusinessFeatures) GetType() string { + return TypeBusinessFeatures +} + +func (businessFeatures *BusinessFeatures) UnmarshalJSON(data []byte) error { + var tmp struct { + Features []json.RawMessage `json:"features"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldFeatures, _ := UnmarshalListOfBusinessFeature(tmp.Features) + businessFeatures.Features = fieldFeatures + + return nil +} + +// A limit was exceeded +type PremiumSourceLimitExceeded struct { + meta + // Type of the exceeded limit + LimitType PremiumLimitType `json:"limit_type"` +} + +func (entity *PremiumSourceLimitExceeded) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumSourceLimitExceeded + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumSourceLimitExceeded) GetClass() string { + return ClassPremiumSource +} + +func (*PremiumSourceLimitExceeded) GetType() string { + return TypePremiumSourceLimitExceeded +} + +func (*PremiumSourceLimitExceeded) PremiumSourceType() string { + return TypePremiumSourceLimitExceeded +} + +func (premiumSourceLimitExceeded *PremiumSourceLimitExceeded) UnmarshalJSON(data []byte) error { + var tmp struct { + LimitType json.RawMessage `json:"limit_type"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldLimitType, _ := UnmarshalPremiumLimitType(tmp.LimitType) + premiumSourceLimitExceeded.LimitType = fieldLimitType + + return nil +} + +// A user tried to use a Premium feature +type PremiumSourceFeature struct { + meta + // The used feature + Feature PremiumFeature `json:"feature"` +} + +func (entity *PremiumSourceFeature) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumSourceFeature + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumSourceFeature) GetClass() string { + return ClassPremiumSource +} + +func (*PremiumSourceFeature) GetType() string { + return TypePremiumSourceFeature +} + +func (*PremiumSourceFeature) PremiumSourceType() string { + return TypePremiumSourceFeature +} + +func (premiumSourceFeature *PremiumSourceFeature) UnmarshalJSON(data []byte) error { + var tmp struct { + Feature json.RawMessage `json:"feature"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldFeature, _ := UnmarshalPremiumFeature(tmp.Feature) + premiumSourceFeature.Feature = fieldFeature + + return nil +} + +// A user tried to use a Business feature +type PremiumSourceBusinessFeature struct { + meta + // The used feature; pass null if none specific feature was used + Feature BusinessFeature `json:"feature"` +} + +func (entity *PremiumSourceBusinessFeature) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumSourceBusinessFeature + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumSourceBusinessFeature) GetClass() string { + return ClassPremiumSource +} + +func (*PremiumSourceBusinessFeature) GetType() string { + return TypePremiumSourceBusinessFeature +} + +func (*PremiumSourceBusinessFeature) PremiumSourceType() string { + return TypePremiumSourceBusinessFeature +} + +func (premiumSourceBusinessFeature *PremiumSourceBusinessFeature) UnmarshalJSON(data []byte) error { + var tmp struct { + Feature json.RawMessage `json:"feature"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldFeature, _ := UnmarshalBusinessFeature(tmp.Feature) + premiumSourceBusinessFeature.Feature = fieldFeature + + return nil +} + +// A user tried to use a Premium story feature +type PremiumSourceStoryFeature struct { + meta + // The used feature + Feature PremiumStoryFeature `json:"feature"` +} + +func (entity *PremiumSourceStoryFeature) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumSourceStoryFeature + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumSourceStoryFeature) GetClass() string { + return ClassPremiumSource +} + +func (*PremiumSourceStoryFeature) GetType() string { + return TypePremiumSourceStoryFeature +} + +func (*PremiumSourceStoryFeature) PremiumSourceType() string { + return TypePremiumSourceStoryFeature +} + +func (premiumSourceStoryFeature *PremiumSourceStoryFeature) UnmarshalJSON(data []byte) error { + var tmp struct { + Feature json.RawMessage `json:"feature"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldFeature, _ := UnmarshalPremiumStoryFeature(tmp.Feature) + premiumSourceStoryFeature.Feature = fieldFeature + + return nil +} + +// A user opened an internal link of the type internalLinkTypePremiumFeaturesPage +type PremiumSourceLink struct { + meta + // The referrer from the link + Referrer string `json:"referrer"` +} + +func (entity *PremiumSourceLink) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumSourceLink + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumSourceLink) GetClass() string { + return ClassPremiumSource +} + +func (*PremiumSourceLink) GetType() string { + return TypePremiumSourceLink +} + +func (*PremiumSourceLink) PremiumSourceType() string { + return TypePremiumSourceLink +} + +// A user opened the Premium features screen from settings +type PremiumSourceSettings struct{ + meta +} + +func (entity *PremiumSourceSettings) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumSourceSettings + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumSourceSettings) GetClass() string { + return ClassPremiumSource +} + +func (*PremiumSourceSettings) GetType() string { + return TypePremiumSourceSettings +} + +func (*PremiumSourceSettings) PremiumSourceType() string { + return TypePremiumSourceSettings +} + +// Describes a promotion animation for a Premium feature +type PremiumFeaturePromotionAnimation struct { + meta + // Premium feature + Feature PremiumFeature `json:"feature"` + // Promotion animation for the feature + Animation *Animation `json:"animation"` +} + +func (entity *PremiumFeaturePromotionAnimation) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumFeaturePromotionAnimation + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumFeaturePromotionAnimation) GetClass() string { + return ClassPremiumFeaturePromotionAnimation +} + +func (*PremiumFeaturePromotionAnimation) GetType() string { + return TypePremiumFeaturePromotionAnimation +} + +func (premiumFeaturePromotionAnimation *PremiumFeaturePromotionAnimation) UnmarshalJSON(data []byte) error { + var tmp struct { + Feature json.RawMessage `json:"feature"` + Animation *Animation `json:"animation"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + premiumFeaturePromotionAnimation.Animation = tmp.Animation + + fieldFeature, _ := UnmarshalPremiumFeature(tmp.Feature) + premiumFeaturePromotionAnimation.Feature = fieldFeature + + return nil +} + +// Describes a promotion animation for a Business feature +type BusinessFeaturePromotionAnimation struct { + meta + // Business feature + Feature BusinessFeature `json:"feature"` + // Promotion animation for the feature + Animation *Animation `json:"animation"` +} + +func (entity *BusinessFeaturePromotionAnimation) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BusinessFeaturePromotionAnimation + + return json.Marshal((*stub)(entity)) +} + +func (*BusinessFeaturePromotionAnimation) GetClass() string { + return ClassBusinessFeaturePromotionAnimation +} + +func (*BusinessFeaturePromotionAnimation) GetType() string { + return TypeBusinessFeaturePromotionAnimation +} + +func (businessFeaturePromotionAnimation *BusinessFeaturePromotionAnimation) UnmarshalJSON(data []byte) error { + var tmp struct { + Feature json.RawMessage `json:"feature"` + Animation *Animation `json:"animation"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + businessFeaturePromotionAnimation.Animation = tmp.Animation + + fieldFeature, _ := UnmarshalBusinessFeature(tmp.Feature) + businessFeaturePromotionAnimation.Feature = fieldFeature + + return nil +} + +// Contains state of Telegram Premium subscription and promotion videos for Premium features +type PremiumState struct { + meta + // Text description of the state of the current Premium subscription; may be empty if the current user has no Telegram Premium subscription + State *FormattedText `json:"state"` + // The list of available options for buying Telegram Premium + PaymentOptions []*PremiumStatePaymentOption `json:"payment_options"` + // The list of available promotion animations for Premium features + Animations []*PremiumFeaturePromotionAnimation `json:"animations"` + // The list of available promotion animations for Business features + BusinessAnimations []*BusinessFeaturePromotionAnimation `json:"business_animations"` +} + +func (entity *PremiumState) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PremiumState + + return json.Marshal((*stub)(entity)) +} + +func (*PremiumState) GetClass() string { + return ClassPremiumState +} + +func (*PremiumState) GetType() string { + return TypePremiumState +} + +// The user subscribing to Telegram Premium +type StorePaymentPurposePremiumSubscription struct { + meta + // Pass true if this is a restore of a Telegram Premium purchase; only for App Store + IsRestore bool `json:"is_restore"` + // Pass true if this is an upgrade from a monthly subscription to early subscription; only for App Store + IsUpgrade bool `json:"is_upgrade"` +} + +func (entity *StorePaymentPurposePremiumSubscription) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StorePaymentPurposePremiumSubscription + + return json.Marshal((*stub)(entity)) +} + +func (*StorePaymentPurposePremiumSubscription) GetClass() string { + return ClassStorePaymentPurpose +} + +func (*StorePaymentPurposePremiumSubscription) GetType() string { + return TypeStorePaymentPurposePremiumSubscription +} + +func (*StorePaymentPurposePremiumSubscription) StorePaymentPurposeType() string { + return TypeStorePaymentPurposePremiumSubscription +} + +// The user gifting Telegram Premium to another user +type StorePaymentPurposePremiumGift struct { + meta + // ISO 4217 currency code of the payment currency + Currency string `json:"currency"` + // Paid amount, in the smallest units of the currency + Amount int64 `json:"amount"` + // Identifiers of the user which will receive Telegram Premium + UserId int64 `json:"user_id"` + // Text to show along with the gift codes; 0-getOption("gift_text_length_max") characters. Only Bold, Italic, Underline, Strikethrough, Spoiler, and CustomEmoji entities are allowed + Text *FormattedText `json:"text"` +} + +func (entity *StorePaymentPurposePremiumGift) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StorePaymentPurposePremiumGift + + return json.Marshal((*stub)(entity)) +} + +func (*StorePaymentPurposePremiumGift) GetClass() string { + return ClassStorePaymentPurpose +} + +func (*StorePaymentPurposePremiumGift) GetType() string { + return TypeStorePaymentPurposePremiumGift +} + +func (*StorePaymentPurposePremiumGift) StorePaymentPurposeType() string { + return TypeStorePaymentPurposePremiumGift +} + +// The user boosting a chat by creating Telegram Premium gift codes for other users +type StorePaymentPurposePremiumGiftCodes struct { + meta + // Identifier of the supergroup or channel chat, which will be automatically boosted by the users for duration of the Premium subscription and which is administered by the user + BoostedChatId int64 `json:"boosted_chat_id"` + // ISO 4217 currency code of the payment currency + Currency string `json:"currency"` + // Paid amount, in the smallest units of the currency + Amount int64 `json:"amount"` + // Identifiers of the users which can activate the gift codes + UserIds []int64 `json:"user_ids"` + // Text to show along with the gift codes; 0-getOption("gift_text_length_max") characters. Only Bold, Italic, Underline, Strikethrough, Spoiler, and CustomEmoji entities are allowed + Text *FormattedText `json:"text"` +} + +func (entity *StorePaymentPurposePremiumGiftCodes) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StorePaymentPurposePremiumGiftCodes + + return json.Marshal((*stub)(entity)) +} + +func (*StorePaymentPurposePremiumGiftCodes) GetClass() string { + return ClassStorePaymentPurpose +} + +func (*StorePaymentPurposePremiumGiftCodes) GetType() string { + return TypeStorePaymentPurposePremiumGiftCodes +} + +func (*StorePaymentPurposePremiumGiftCodes) StorePaymentPurposeType() string { + return TypeStorePaymentPurposePremiumGiftCodes +} + +// The user creating a Telegram Premium giveaway +type StorePaymentPurposePremiumGiveaway struct { + meta + // Giveaway parameters + Parameters *GiveawayParameters `json:"parameters"` + // ISO 4217 currency code of the payment currency + Currency string `json:"currency"` + // Paid amount, in the smallest units of the currency + Amount int64 `json:"amount"` +} + +func (entity *StorePaymentPurposePremiumGiveaway) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StorePaymentPurposePremiumGiveaway + + return json.Marshal((*stub)(entity)) +} + +func (*StorePaymentPurposePremiumGiveaway) GetClass() string { + return ClassStorePaymentPurpose +} + +func (*StorePaymentPurposePremiumGiveaway) GetType() string { + return TypeStorePaymentPurposePremiumGiveaway +} + +func (*StorePaymentPurposePremiumGiveaway) StorePaymentPurposeType() string { + return TypeStorePaymentPurposePremiumGiveaway +} + +// The user creating a Telegram Star giveaway +type StorePaymentPurposeStarGiveaway struct { + meta + // Giveaway parameters + Parameters *GiveawayParameters `json:"parameters"` + // ISO 4217 currency code of the payment currency + Currency string `json:"currency"` + // Paid amount, in the smallest units of the currency + Amount int64 `json:"amount"` + // The number of users to receive Telegram Stars + WinnerCount int32 `json:"winner_count"` + // The number of Telegram Stars to be distributed through the giveaway + StarCount int64 `json:"star_count"` +} + +func (entity *StorePaymentPurposeStarGiveaway) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StorePaymentPurposeStarGiveaway + + return json.Marshal((*stub)(entity)) +} + +func (*StorePaymentPurposeStarGiveaway) GetClass() string { + return ClassStorePaymentPurpose +} + +func (*StorePaymentPurposeStarGiveaway) GetType() string { + return TypeStorePaymentPurposeStarGiveaway +} + +func (*StorePaymentPurposeStarGiveaway) StorePaymentPurposeType() string { + return TypeStorePaymentPurposeStarGiveaway +} + +// The user buying Telegram Stars +type StorePaymentPurposeStars struct { + meta + // ISO 4217 currency code of the payment currency + Currency string `json:"currency"` + // Paid amount, in the smallest units of the currency + Amount int64 `json:"amount"` + // Number of bought Telegram Stars + StarCount int64 `json:"star_count"` + // Identifier of the chat that is supposed to receive the Telegram Stars; pass 0 if none + ChatId int64 `json:"chat_id"` +} + +func (entity *StorePaymentPurposeStars) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StorePaymentPurposeStars + + return json.Marshal((*stub)(entity)) +} + +func (*StorePaymentPurposeStars) GetClass() string { + return ClassStorePaymentPurpose +} + +func (*StorePaymentPurposeStars) GetType() string { + return TypeStorePaymentPurposeStars +} + +func (*StorePaymentPurposeStars) StorePaymentPurposeType() string { + return TypeStorePaymentPurposeStars +} + +// The user buying Telegram Stars for other users +type StorePaymentPurposeGiftedStars struct { + meta + // Identifier of the user to which Telegram Stars are gifted + UserId int64 `json:"user_id"` + // ISO 4217 currency code of the payment currency + Currency string `json:"currency"` + // Paid amount, in the smallest units of the currency + Amount int64 `json:"amount"` + // Number of bought Telegram Stars + StarCount int64 `json:"star_count"` +} + +func (entity *StorePaymentPurposeGiftedStars) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StorePaymentPurposeGiftedStars + + return json.Marshal((*stub)(entity)) +} + +func (*StorePaymentPurposeGiftedStars) GetClass() string { + return ClassStorePaymentPurpose +} + +func (*StorePaymentPurposeGiftedStars) GetType() string { + return TypeStorePaymentPurposeGiftedStars +} + +func (*StorePaymentPurposeGiftedStars) StorePaymentPurposeType() string { + return TypeStorePaymentPurposeGiftedStars +} + +// A purchase through App Store +type StoreTransactionAppStore struct { + meta + // App Store receipt + Receipt []byte `json:"receipt"` +} + +func (entity *StoreTransactionAppStore) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StoreTransactionAppStore + + return json.Marshal((*stub)(entity)) +} + +func (*StoreTransactionAppStore) GetClass() string { + return ClassStoreTransaction +} + +func (*StoreTransactionAppStore) GetType() string { + return TypeStoreTransactionAppStore +} + +func (*StoreTransactionAppStore) StoreTransactionType() string { + return TypeStoreTransactionAppStore +} + +// A purchase through Google Play +type StoreTransactionGooglePlay struct { + meta + // Application package name + PackageName string `json:"package_name"` + // Identifier of the purchased store product + StoreProductId string `json:"store_product_id"` + // Google Play purchase token + PurchaseToken string `json:"purchase_token"` +} + +func (entity *StoreTransactionGooglePlay) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StoreTransactionGooglePlay + + return json.Marshal((*stub)(entity)) +} + +func (*StoreTransactionGooglePlay) GetClass() string { + return ClassStoreTransaction +} + +func (*StoreTransactionGooglePlay) GetType() string { + return TypeStoreTransactionGooglePlay +} + +func (*StoreTransactionGooglePlay) StoreTransactionType() string { + return TypeStoreTransactionGooglePlay +} + +// The user gifting Telegram Premium to another user +type TelegramPaymentPurposePremiumGift struct { + meta + // ISO 4217 currency code of the payment currency, or "XTR" for payments in Telegram Stars + Currency string `json:"currency"` + // Paid amount, in the smallest units of the currency + Amount int64 `json:"amount"` + // Identifier of the user which will receive Telegram Premium + UserId int64 `json:"user_id"` + // Number of months the Telegram Premium subscription will be active for the user + MonthCount int32 `json:"month_count"` + // Text to show to the user receiving Telegram Premium; 0-getOption("gift_text_length_max") characters. Only Bold, Italic, Underline, Strikethrough, Spoiler, and CustomEmoji entities are allowed + Text *FormattedText `json:"text"` +} + +func (entity *TelegramPaymentPurposePremiumGift) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TelegramPaymentPurposePremiumGift + + return json.Marshal((*stub)(entity)) +} + +func (*TelegramPaymentPurposePremiumGift) GetClass() string { + return ClassTelegramPaymentPurpose +} + +func (*TelegramPaymentPurposePremiumGift) GetType() string { + return TypeTelegramPaymentPurposePremiumGift +} + +func (*TelegramPaymentPurposePremiumGift) TelegramPaymentPurposeType() string { + return TypeTelegramPaymentPurposePremiumGift +} + +// The user boosting a chat by creating Telegram Premium gift codes for other users +type TelegramPaymentPurposePremiumGiftCodes struct { + meta + // Identifier of the supergroup or channel chat, which will be automatically boosted by the users for duration of the Premium subscription and which is administered by the user + BoostedChatId int64 `json:"boosted_chat_id"` + // ISO 4217 currency code of the payment currency + Currency string `json:"currency"` + // Paid amount, in the smallest units of the currency + Amount int64 `json:"amount"` + // Identifiers of the users which can activate the gift codes + UserIds []int64 `json:"user_ids"` + // Number of months the Telegram Premium subscription will be active for the users + MonthCount int32 `json:"month_count"` + // Text to show along with the gift codes; 0-getOption("gift_text_length_max") characters. Only Bold, Italic, Underline, Strikethrough, Spoiler, and CustomEmoji entities are allowed + Text *FormattedText `json:"text"` +} + +func (entity *TelegramPaymentPurposePremiumGiftCodes) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TelegramPaymentPurposePremiumGiftCodes + + return json.Marshal((*stub)(entity)) +} + +func (*TelegramPaymentPurposePremiumGiftCodes) GetClass() string { + return ClassTelegramPaymentPurpose +} + +func (*TelegramPaymentPurposePremiumGiftCodes) GetType() string { + return TypeTelegramPaymentPurposePremiumGiftCodes +} + +func (*TelegramPaymentPurposePremiumGiftCodes) TelegramPaymentPurposeType() string { + return TypeTelegramPaymentPurposePremiumGiftCodes +} + +// The user creating a Telegram Premium giveaway +type TelegramPaymentPurposePremiumGiveaway struct { + meta + // Giveaway parameters + Parameters *GiveawayParameters `json:"parameters"` + // ISO 4217 currency code of the payment currency + Currency string `json:"currency"` + // Paid amount, in the smallest units of the currency + Amount int64 `json:"amount"` + // Number of users which will be able to activate the gift codes + WinnerCount int32 `json:"winner_count"` + // Number of months the Telegram Premium subscription will be active for the users + MonthCount int32 `json:"month_count"` +} + +func (entity *TelegramPaymentPurposePremiumGiveaway) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TelegramPaymentPurposePremiumGiveaway + + return json.Marshal((*stub)(entity)) +} + +func (*TelegramPaymentPurposePremiumGiveaway) GetClass() string { + return ClassTelegramPaymentPurpose +} + +func (*TelegramPaymentPurposePremiumGiveaway) GetType() string { + return TypeTelegramPaymentPurposePremiumGiveaway +} + +func (*TelegramPaymentPurposePremiumGiveaway) TelegramPaymentPurposeType() string { + return TypeTelegramPaymentPurposePremiumGiveaway +} + +// The user buying Telegram Stars +type TelegramPaymentPurposeStars struct { + meta + // ISO 4217 currency code of the payment currency + Currency string `json:"currency"` + // Paid amount, in the smallest units of the currency + Amount int64 `json:"amount"` + // Number of bought Telegram Stars + StarCount int64 `json:"star_count"` + // Identifier of the chat that is supposed to receive the Telegram Stars; pass 0 if none + ChatId int64 `json:"chat_id"` +} + +func (entity *TelegramPaymentPurposeStars) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TelegramPaymentPurposeStars + + return json.Marshal((*stub)(entity)) +} + +func (*TelegramPaymentPurposeStars) GetClass() string { + return ClassTelegramPaymentPurpose +} + +func (*TelegramPaymentPurposeStars) GetType() string { + return TypeTelegramPaymentPurposeStars +} + +func (*TelegramPaymentPurposeStars) TelegramPaymentPurposeType() string { + return TypeTelegramPaymentPurposeStars +} + +// The user buying Telegram Stars for other users +type TelegramPaymentPurposeGiftedStars struct { + meta + // Identifier of the user to which Telegram Stars are gifted + UserId int64 `json:"user_id"` + // ISO 4217 currency code of the payment currency + Currency string `json:"currency"` + // Paid amount, in the smallest units of the currency + Amount int64 `json:"amount"` + // Number of bought Telegram Stars + StarCount int64 `json:"star_count"` +} + +func (entity *TelegramPaymentPurposeGiftedStars) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TelegramPaymentPurposeGiftedStars + + return json.Marshal((*stub)(entity)) +} + +func (*TelegramPaymentPurposeGiftedStars) GetClass() string { + return ClassTelegramPaymentPurpose +} + +func (*TelegramPaymentPurposeGiftedStars) GetType() string { + return TypeTelegramPaymentPurposeGiftedStars +} + +func (*TelegramPaymentPurposeGiftedStars) TelegramPaymentPurposeType() string { + return TypeTelegramPaymentPurposeGiftedStars +} + +// The user creating a Telegram Star giveaway +type TelegramPaymentPurposeStarGiveaway struct { + meta + // Giveaway parameters + Parameters *GiveawayParameters `json:"parameters"` + // ISO 4217 currency code of the payment currency + Currency string `json:"currency"` + // Paid amount, in the smallest units of the currency + Amount int64 `json:"amount"` + // The number of users to receive Telegram Stars + WinnerCount int32 `json:"winner_count"` + // The number of Telegram Stars to be distributed through the giveaway + StarCount int64 `json:"star_count"` +} + +func (entity *TelegramPaymentPurposeStarGiveaway) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TelegramPaymentPurposeStarGiveaway + + return json.Marshal((*stub)(entity)) +} + +func (*TelegramPaymentPurposeStarGiveaway) GetClass() string { + return ClassTelegramPaymentPurpose +} + +func (*TelegramPaymentPurposeStarGiveaway) GetType() string { + return TypeTelegramPaymentPurposeStarGiveaway +} + +func (*TelegramPaymentPurposeStarGiveaway) TelegramPaymentPurposeType() string { + return TypeTelegramPaymentPurposeStarGiveaway +} + +// The user joins a chat and subscribes to regular payments in Telegram Stars +type TelegramPaymentPurposeJoinChat struct { + meta + // Invite link to use + InviteLink string `json:"invite_link"` +} + +func (entity *TelegramPaymentPurposeJoinChat) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TelegramPaymentPurposeJoinChat + + return json.Marshal((*stub)(entity)) +} + +func (*TelegramPaymentPurposeJoinChat) GetClass() string { + return ClassTelegramPaymentPurpose +} + +func (*TelegramPaymentPurposeJoinChat) GetType() string { + return TypeTelegramPaymentPurposeJoinChat +} + +func (*TelegramPaymentPurposeJoinChat) TelegramPaymentPurposeType() string { + return TypeTelegramPaymentPurposeJoinChat +} + +// A token for Firebase Cloud Messaging +type DeviceTokenFirebaseCloudMessaging struct { + meta + // Device registration token; may be empty to deregister a device + Token string `json:"token"` + // True, if push notifications must be additionally encrypted + Encrypt bool `json:"encrypt"` +} + +func (entity *DeviceTokenFirebaseCloudMessaging) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub DeviceTokenFirebaseCloudMessaging + + return json.Marshal((*stub)(entity)) +} + +func (*DeviceTokenFirebaseCloudMessaging) GetClass() string { + return ClassDeviceToken +} + +func (*DeviceTokenFirebaseCloudMessaging) GetType() string { + return TypeDeviceTokenFirebaseCloudMessaging +} + +func (*DeviceTokenFirebaseCloudMessaging) DeviceTokenType() string { + return TypeDeviceTokenFirebaseCloudMessaging +} + +// A token for Apple Push Notification service +type DeviceTokenApplePush struct { + meta + // Device token; may be empty to deregister a device + DeviceToken string `json:"device_token"` + // True, if App Sandbox is enabled + IsAppSandbox bool `json:"is_app_sandbox"` +} + +func (entity *DeviceTokenApplePush) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub DeviceTokenApplePush + + return json.Marshal((*stub)(entity)) +} + +func (*DeviceTokenApplePush) GetClass() string { + return ClassDeviceToken +} + +func (*DeviceTokenApplePush) GetType() string { + return TypeDeviceTokenApplePush +} + +func (*DeviceTokenApplePush) DeviceTokenType() string { + return TypeDeviceTokenApplePush +} + +// A token for Apple Push Notification service VoIP notifications +type DeviceTokenApplePushVoIP struct { + meta + // Device token; may be empty to deregister a device + DeviceToken string `json:"device_token"` + // True, if App Sandbox is enabled + IsAppSandbox bool `json:"is_app_sandbox"` + // True, if push notifications must be additionally encrypted + Encrypt bool `json:"encrypt"` +} + +func (entity *DeviceTokenApplePushVoIP) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub DeviceTokenApplePushVoIP + + return json.Marshal((*stub)(entity)) +} + +func (*DeviceTokenApplePushVoIP) GetClass() string { + return ClassDeviceToken +} + +func (*DeviceTokenApplePushVoIP) GetType() string { + return TypeDeviceTokenApplePushVoIP +} + +func (*DeviceTokenApplePushVoIP) DeviceTokenType() string { + return TypeDeviceTokenApplePushVoIP +} + +// A token for Windows Push Notification Services +type DeviceTokenWindowsPush struct { + meta + // The access token that will be used to send notifications; may be empty to deregister a device + AccessToken string `json:"access_token"` +} + +func (entity *DeviceTokenWindowsPush) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub DeviceTokenWindowsPush + + return json.Marshal((*stub)(entity)) +} + +func (*DeviceTokenWindowsPush) GetClass() string { + return ClassDeviceToken +} + +func (*DeviceTokenWindowsPush) GetType() string { + return TypeDeviceTokenWindowsPush +} + +func (*DeviceTokenWindowsPush) DeviceTokenType() string { + return TypeDeviceTokenWindowsPush +} + +// A token for Microsoft Push Notification Service +type DeviceTokenMicrosoftPush struct { + meta + // Push notification channel URI; may be empty to deregister a device + ChannelUri string `json:"channel_uri"` +} + +func (entity *DeviceTokenMicrosoftPush) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub DeviceTokenMicrosoftPush + + return json.Marshal((*stub)(entity)) +} + +func (*DeviceTokenMicrosoftPush) GetClass() string { + return ClassDeviceToken +} + +func (*DeviceTokenMicrosoftPush) GetType() string { + return TypeDeviceTokenMicrosoftPush +} + +func (*DeviceTokenMicrosoftPush) DeviceTokenType() string { + return TypeDeviceTokenMicrosoftPush +} + +// A token for Microsoft Push Notification Service VoIP channel +type DeviceTokenMicrosoftPushVoIP struct { + meta + // Push notification channel URI; may be empty to deregister a device + ChannelUri string `json:"channel_uri"` +} + +func (entity *DeviceTokenMicrosoftPushVoIP) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub DeviceTokenMicrosoftPushVoIP + + return json.Marshal((*stub)(entity)) +} + +func (*DeviceTokenMicrosoftPushVoIP) GetClass() string { + return ClassDeviceToken +} + +func (*DeviceTokenMicrosoftPushVoIP) GetType() string { + return TypeDeviceTokenMicrosoftPushVoIP +} + +func (*DeviceTokenMicrosoftPushVoIP) DeviceTokenType() string { + return TypeDeviceTokenMicrosoftPushVoIP +} + +// A token for web Push API +type DeviceTokenWebPush struct { + meta + // Absolute URL exposed by the push service where the application server can send push messages; may be empty to deregister a device + Endpoint string `json:"endpoint"` + // Base64url-encoded P-256 elliptic curve Diffie-Hellman public key + P256dhBase64url string `json:"p256dh_base64url"` + // Base64url-encoded authentication secret + AuthBase64url string `json:"auth_base64url"` +} + +func (entity *DeviceTokenWebPush) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub DeviceTokenWebPush + + return json.Marshal((*stub)(entity)) +} + +func (*DeviceTokenWebPush) GetClass() string { + return ClassDeviceToken +} + +func (*DeviceTokenWebPush) GetType() string { + return TypeDeviceTokenWebPush +} + +func (*DeviceTokenWebPush) DeviceTokenType() string { + return TypeDeviceTokenWebPush +} + +// A token for Simple Push API for Firefox OS +type DeviceTokenSimplePush struct { + meta + // Absolute URL exposed by the push service where the application server can send push messages; may be empty to deregister a device + Endpoint string `json:"endpoint"` +} + +func (entity *DeviceTokenSimplePush) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub DeviceTokenSimplePush + + return json.Marshal((*stub)(entity)) +} + +func (*DeviceTokenSimplePush) GetClass() string { + return ClassDeviceToken +} + +func (*DeviceTokenSimplePush) GetType() string { + return TypeDeviceTokenSimplePush +} + +func (*DeviceTokenSimplePush) DeviceTokenType() string { + return TypeDeviceTokenSimplePush +} + +// A token for Ubuntu Push Client service +type DeviceTokenUbuntuPush struct { + meta + // Token; may be empty to deregister a device + Token string `json:"token"` +} + +func (entity *DeviceTokenUbuntuPush) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub DeviceTokenUbuntuPush + + return json.Marshal((*stub)(entity)) +} + +func (*DeviceTokenUbuntuPush) GetClass() string { + return ClassDeviceToken +} + +func (*DeviceTokenUbuntuPush) GetType() string { + return TypeDeviceTokenUbuntuPush +} + +func (*DeviceTokenUbuntuPush) DeviceTokenType() string { + return TypeDeviceTokenUbuntuPush +} + +// A token for BlackBerry Push Service +type DeviceTokenBlackBerryPush struct { + meta + // Token; may be empty to deregister a device + Token string `json:"token"` +} + +func (entity *DeviceTokenBlackBerryPush) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub DeviceTokenBlackBerryPush + + return json.Marshal((*stub)(entity)) +} + +func (*DeviceTokenBlackBerryPush) GetClass() string { + return ClassDeviceToken +} + +func (*DeviceTokenBlackBerryPush) GetType() string { + return TypeDeviceTokenBlackBerryPush +} + +func (*DeviceTokenBlackBerryPush) DeviceTokenType() string { + return TypeDeviceTokenBlackBerryPush +} + +// A token for Tizen Push Service +type DeviceTokenTizenPush struct { + meta + // Push service registration identifier; may be empty to deregister a device + RegId string `json:"reg_id"` +} + +func (entity *DeviceTokenTizenPush) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub DeviceTokenTizenPush + + return json.Marshal((*stub)(entity)) +} + +func (*DeviceTokenTizenPush) GetClass() string { + return ClassDeviceToken +} + +func (*DeviceTokenTizenPush) GetType() string { + return TypeDeviceTokenTizenPush +} + +func (*DeviceTokenTizenPush) DeviceTokenType() string { + return TypeDeviceTokenTizenPush +} + +// A token for HUAWEI Push Service +type DeviceTokenHuaweiPush struct { + meta + // Device registration token; may be empty to deregister a device + Token string `json:"token"` + // True, if push notifications must be additionally encrypted + Encrypt bool `json:"encrypt"` +} + +func (entity *DeviceTokenHuaweiPush) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub DeviceTokenHuaweiPush + + return json.Marshal((*stub)(entity)) +} + +func (*DeviceTokenHuaweiPush) GetClass() string { + return ClassDeviceToken +} + +func (*DeviceTokenHuaweiPush) GetType() string { + return TypeDeviceTokenHuaweiPush +} + +func (*DeviceTokenHuaweiPush) DeviceTokenType() string { + return TypeDeviceTokenHuaweiPush +} + +// Contains a globally unique push receiver identifier, which can be used to identify which account has received a push notification +type PushReceiverId struct { + meta + // The globally unique identifier of push notification subscription + Id JsonInt64 `json:"id"` +} + +func (entity *PushReceiverId) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PushReceiverId + + return json.Marshal((*stub)(entity)) +} + +func (*PushReceiverId) GetClass() string { + return ClassPushReceiverId +} + +func (*PushReceiverId) GetType() string { + return TypePushReceiverId +} + +// Describes a solid fill of a background +type BackgroundFillSolid struct { + meta + // A color of the background in the RGB format + Color int32 `json:"color"` +} + +func (entity *BackgroundFillSolid) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BackgroundFillSolid + + return json.Marshal((*stub)(entity)) +} + +func (*BackgroundFillSolid) GetClass() string { + return ClassBackgroundFill +} + +func (*BackgroundFillSolid) GetType() string { + return TypeBackgroundFillSolid +} + +func (*BackgroundFillSolid) BackgroundFillType() string { + return TypeBackgroundFillSolid +} + +// Describes a gradient fill of a background +type BackgroundFillGradient struct { + meta + // A top color of the background in the RGB format + TopColor int32 `json:"top_color"` + // A bottom color of the background in the RGB format + BottomColor int32 `json:"bottom_color"` + // Clockwise rotation angle of the gradient, in degrees; 0-359. Must always be divisible by 45 + RotationAngle int32 `json:"rotation_angle"` +} + +func (entity *BackgroundFillGradient) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BackgroundFillGradient + + return json.Marshal((*stub)(entity)) +} + +func (*BackgroundFillGradient) GetClass() string { + return ClassBackgroundFill +} + +func (*BackgroundFillGradient) GetType() string { + return TypeBackgroundFillGradient +} + +func (*BackgroundFillGradient) BackgroundFillType() string { + return TypeBackgroundFillGradient +} + +// Describes a freeform gradient fill of a background +type BackgroundFillFreeformGradient struct { + meta + // A list of 3 or 4 colors of the freeform gradient in the RGB format + Colors []int32 `json:"colors"` +} + +func (entity *BackgroundFillFreeformGradient) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BackgroundFillFreeformGradient + + return json.Marshal((*stub)(entity)) +} + +func (*BackgroundFillFreeformGradient) GetClass() string { + return ClassBackgroundFill +} + +func (*BackgroundFillFreeformGradient) GetType() string { + return TypeBackgroundFillFreeformGradient +} + +func (*BackgroundFillFreeformGradient) BackgroundFillType() string { + return TypeBackgroundFillFreeformGradient +} + +// A wallpaper in JPEG format +type BackgroundTypeWallpaper struct { + meta + // True, if the wallpaper must be downscaled to fit in 450x450 square and then box-blurred with radius 12 + IsBlurred bool `json:"is_blurred"` + // True, if the background needs to be slightly moved when device is tilted + IsMoving bool `json:"is_moving"` +} + +func (entity *BackgroundTypeWallpaper) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BackgroundTypeWallpaper + + return json.Marshal((*stub)(entity)) +} + +func (*BackgroundTypeWallpaper) GetClass() string { + return ClassBackgroundType +} + +func (*BackgroundTypeWallpaper) GetType() string { + return TypeBackgroundTypeWallpaper +} + +func (*BackgroundTypeWallpaper) BackgroundTypeType() string { + return TypeBackgroundTypeWallpaper +} + +// A PNG or TGV (gzipped subset of SVG with MIME type "application/x-tgwallpattern") pattern to be combined with the background fill chosen by the user +type BackgroundTypePattern struct { + meta + // Fill of the background + Fill BackgroundFill `json:"fill"` + // Intensity of the pattern when it is shown above the filled background; 0-100 + Intensity int32 `json:"intensity"` + // True, if the background fill must be applied only to the pattern itself. All other pixels are black in this case. For dark themes only + IsInverted bool `json:"is_inverted"` + // True, if the background needs to be slightly moved when device is tilted + IsMoving bool `json:"is_moving"` +} + +func (entity *BackgroundTypePattern) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BackgroundTypePattern + + return json.Marshal((*stub)(entity)) +} + +func (*BackgroundTypePattern) GetClass() string { + return ClassBackgroundType +} + +func (*BackgroundTypePattern) GetType() string { + return TypeBackgroundTypePattern +} + +func (*BackgroundTypePattern) BackgroundTypeType() string { + return TypeBackgroundTypePattern +} + +func (backgroundTypePattern *BackgroundTypePattern) UnmarshalJSON(data []byte) error { + var tmp struct { + Fill json.RawMessage `json:"fill"` + Intensity int32 `json:"intensity"` + IsInverted bool `json:"is_inverted"` + IsMoving bool `json:"is_moving"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + backgroundTypePattern.Intensity = tmp.Intensity + backgroundTypePattern.IsInverted = tmp.IsInverted + backgroundTypePattern.IsMoving = tmp.IsMoving + + fieldFill, _ := UnmarshalBackgroundFill(tmp.Fill) + backgroundTypePattern.Fill = fieldFill + + return nil +} + +// A filled background +type BackgroundTypeFill struct { + meta + // The background fill + Fill BackgroundFill `json:"fill"` +} + +func (entity *BackgroundTypeFill) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BackgroundTypeFill + + return json.Marshal((*stub)(entity)) +} + +func (*BackgroundTypeFill) GetClass() string { + return ClassBackgroundType +} + +func (*BackgroundTypeFill) GetType() string { + return TypeBackgroundTypeFill +} + +func (*BackgroundTypeFill) BackgroundTypeType() string { + return TypeBackgroundTypeFill +} + +func (backgroundTypeFill *BackgroundTypeFill) UnmarshalJSON(data []byte) error { + var tmp struct { + Fill json.RawMessage `json:"fill"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldFill, _ := UnmarshalBackgroundFill(tmp.Fill) + backgroundTypeFill.Fill = fieldFill + + return nil +} + +// A background from a chat theme based on an emoji; can be used only as a chat background in channels +type BackgroundTypeChatTheme struct { + meta + // Name of the emoji chat theme + ThemeName string `json:"theme_name"` +} + +func (entity *BackgroundTypeChatTheme) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BackgroundTypeChatTheme + + return json.Marshal((*stub)(entity)) +} + +func (*BackgroundTypeChatTheme) GetClass() string { + return ClassBackgroundType +} + +func (*BackgroundTypeChatTheme) GetType() string { + return TypeBackgroundTypeChatTheme +} + +func (*BackgroundTypeChatTheme) BackgroundTypeType() string { + return TypeBackgroundTypeChatTheme +} + +// A background from a local file +type InputBackgroundLocal struct { + meta + // Background file to use. Only inputFileLocal and inputFileGenerated are supported. The file must be in JPEG format for wallpapers and in PNG format for patterns + Background InputFile `json:"background"` +} + +func (entity *InputBackgroundLocal) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputBackgroundLocal + + return json.Marshal((*stub)(entity)) +} + +func (*InputBackgroundLocal) GetClass() string { + return ClassInputBackground +} + +func (*InputBackgroundLocal) GetType() string { + return TypeInputBackgroundLocal +} + +func (*InputBackgroundLocal) InputBackgroundType() string { + return TypeInputBackgroundLocal +} + +func (inputBackgroundLocal *InputBackgroundLocal) UnmarshalJSON(data []byte) error { + var tmp struct { + Background json.RawMessage `json:"background"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldBackground, _ := UnmarshalInputFile(tmp.Background) + inputBackgroundLocal.Background = fieldBackground + + return nil +} + +// A background from the server +type InputBackgroundRemote struct { + meta + // The background identifier + BackgroundId JsonInt64 `json:"background_id"` +} + +func (entity *InputBackgroundRemote) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputBackgroundRemote + + return json.Marshal((*stub)(entity)) +} + +func (*InputBackgroundRemote) GetClass() string { + return ClassInputBackground +} + +func (*InputBackgroundRemote) GetType() string { + return TypeInputBackgroundRemote +} + +func (*InputBackgroundRemote) InputBackgroundType() string { + return TypeInputBackgroundRemote +} + +// A background previously set in the chat; for chat backgrounds only +type InputBackgroundPrevious struct { + meta + // Identifier of the message with the background + MessageId int64 `json:"message_id"` +} + +func (entity *InputBackgroundPrevious) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputBackgroundPrevious + + return json.Marshal((*stub)(entity)) +} + +func (*InputBackgroundPrevious) GetClass() string { + return ClassInputBackground +} + +func (*InputBackgroundPrevious) GetType() string { + return TypeInputBackgroundPrevious +} + +func (*InputBackgroundPrevious) InputBackgroundType() string { + return TypeInputBackgroundPrevious +} + +// Describes a chat theme based on an emoji +type EmojiChatTheme struct { + meta + // Theme name + Name string `json:"name"` + // Theme settings for a light chat theme + LightSettings *ThemeSettings `json:"light_settings"` + // Theme settings for a dark chat theme + DarkSettings *ThemeSettings `json:"dark_settings"` +} + +func (entity *EmojiChatTheme) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub EmojiChatTheme + + return json.Marshal((*stub)(entity)) +} + +func (*EmojiChatTheme) GetClass() string { + return ClassEmojiChatTheme +} + +func (*EmojiChatTheme) GetType() string { + return TypeEmojiChatTheme +} + +// Describes a chat theme based on an upgraded gift +type GiftChatTheme struct { + meta + // The gift + Gift *UpgradedGift `json:"gift"` + // Theme settings for a light chat theme + LightSettings *ThemeSettings `json:"light_settings"` + // Theme settings for a dark chat theme + DarkSettings *ThemeSettings `json:"dark_settings"` +} + +func (entity *GiftChatTheme) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub GiftChatTheme + + return json.Marshal((*stub)(entity)) +} + +func (*GiftChatTheme) GetClass() string { + return ClassGiftChatTheme +} + +func (*GiftChatTheme) GetType() string { + return TypeGiftChatTheme +} + +// Contains a list of chat themes based on upgraded gifts +type GiftChatThemes struct { + meta + // A list of chat themes + Themes []*GiftChatTheme `json:"themes"` + // The offset for the next request. If empty, then there are no more results + NextOffset string `json:"next_offset"` +} + +func (entity *GiftChatThemes) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub GiftChatThemes + + return json.Marshal((*stub)(entity)) +} + +func (*GiftChatThemes) GetClass() string { + return ClassGiftChatThemes +} + +func (*GiftChatThemes) GetType() string { + return TypeGiftChatThemes +} + +// A chat theme based on an emoji +type ChatThemeEmoji struct { + meta + // Name of the theme; full theme description is received through updateEmojiChatThemes + Name string `json:"name"` +} + +func (entity *ChatThemeEmoji) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatThemeEmoji + + return json.Marshal((*stub)(entity)) +} + +func (*ChatThemeEmoji) GetClass() string { + return ClassChatTheme +} + +func (*ChatThemeEmoji) GetType() string { + return TypeChatThemeEmoji +} + +func (*ChatThemeEmoji) ChatThemeType() string { + return TypeChatThemeEmoji +} + +// A chat theme based on an upgraded gift +type ChatThemeGift struct { + meta + // The chat theme + GiftTheme *GiftChatTheme `json:"gift_theme"` +} + +func (entity *ChatThemeGift) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatThemeGift + + return json.Marshal((*stub)(entity)) +} + +func (*ChatThemeGift) GetClass() string { + return ClassChatTheme +} + +func (*ChatThemeGift) GetType() string { + return TypeChatThemeGift +} + +func (*ChatThemeGift) ChatThemeType() string { + return TypeChatThemeGift +} + +// A theme based on an emoji +type InputChatThemeEmoji struct { + meta + // Name of the theme + Name string `json:"name"` +} + +func (entity *InputChatThemeEmoji) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputChatThemeEmoji + + return json.Marshal((*stub)(entity)) +} + +func (*InputChatThemeEmoji) GetClass() string { + return ClassInputChatTheme +} + +func (*InputChatThemeEmoji) GetType() string { + return TypeInputChatThemeEmoji +} + +func (*InputChatThemeEmoji) InputChatThemeType() string { + return TypeInputChatThemeEmoji +} + +// A theme based on an upgraded gift +type InputChatThemeGift struct { + meta + // Name of the upgraded gift. A gift can be used only in one chat in a time. When the same gift is used in another chat, theme in the previous chat is reset to default + Name string `json:"name"` +} + +func (entity *InputChatThemeGift) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InputChatThemeGift + + return json.Marshal((*stub)(entity)) +} + +func (*InputChatThemeGift) GetClass() string { + return ClassInputChatTheme +} + +func (*InputChatThemeGift) GetType() string { + return TypeInputChatThemeGift +} + +func (*InputChatThemeGift) InputChatThemeType() string { + return TypeInputChatThemeGift +} + +// Describes a time zone +type TimeZone struct { + meta + // Unique time zone identifier + Id string `json:"id"` + // Time zone name + Name string `json:"name"` + // Current UTC time offset for the time zone + UtcTimeOffset int32 `json:"utc_time_offset"` +} + +func (entity *TimeZone) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TimeZone + + return json.Marshal((*stub)(entity)) +} + +func (*TimeZone) GetClass() string { + return ClassTimeZone +} + +func (*TimeZone) GetType() string { + return TypeTimeZone +} + +// Contains a list of time zones +type TimeZones struct { + meta + // A list of time zones + TimeZones []*TimeZone `json:"time_zones"` +} + +func (entity *TimeZones) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TimeZones + + return json.Marshal((*stub)(entity)) +} + +func (*TimeZones) GetClass() string { + return ClassTimeZones +} + +func (*TimeZones) GetType() string { + return TypeTimeZones +} + +// Contains a list of hashtags +type Hashtags struct { + meta + // A list of hashtags + Hashtags []string `json:"hashtags"` +} + +func (entity *Hashtags) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub Hashtags + + return json.Marshal((*stub)(entity)) +} + +func (*Hashtags) GetClass() string { + return ClassHashtags +} + +func (*Hashtags) GetType() string { + return TypeHashtags +} + +// A story can be sent +type CanPostStoryResultOk struct { + meta + // Number of stories that can be posted by the user + StoryCount int32 `json:"story_count"` +} + +func (entity *CanPostStoryResultOk) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub CanPostStoryResultOk + + return json.Marshal((*stub)(entity)) +} + +func (*CanPostStoryResultOk) GetClass() string { + return ClassCanPostStoryResult +} + +func (*CanPostStoryResultOk) GetType() string { + return TypeCanPostStoryResultOk +} + +func (*CanPostStoryResultOk) CanPostStoryResultType() string { + return TypeCanPostStoryResultOk +} + +// The user must subscribe to Telegram Premium to be able to post stories +type CanPostStoryResultPremiumNeeded struct{ + meta +} + +func (entity *CanPostStoryResultPremiumNeeded) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub CanPostStoryResultPremiumNeeded + + return json.Marshal((*stub)(entity)) +} + +func (*CanPostStoryResultPremiumNeeded) GetClass() string { + return ClassCanPostStoryResult +} + +func (*CanPostStoryResultPremiumNeeded) GetType() string { + return TypeCanPostStoryResultPremiumNeeded +} + +func (*CanPostStoryResultPremiumNeeded) CanPostStoryResultType() string { + return TypeCanPostStoryResultPremiumNeeded +} + +// The chat must be boosted first by Telegram Premium subscribers to post more stories. Call getChatBoostStatus to get current boost status of the chat +type CanPostStoryResultBoostNeeded struct{ + meta +} + +func (entity *CanPostStoryResultBoostNeeded) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub CanPostStoryResultBoostNeeded + + return json.Marshal((*stub)(entity)) +} + +func (*CanPostStoryResultBoostNeeded) GetClass() string { + return ClassCanPostStoryResult +} + +func (*CanPostStoryResultBoostNeeded) GetType() string { + return TypeCanPostStoryResultBoostNeeded +} + +func (*CanPostStoryResultBoostNeeded) CanPostStoryResultType() string { + return TypeCanPostStoryResultBoostNeeded +} + +// The limit for the number of active stories exceeded. The user can buy Telegram Premium, delete an active story, or wait for the oldest story to expire +type CanPostStoryResultActiveStoryLimitExceeded struct{ + meta +} + +func (entity *CanPostStoryResultActiveStoryLimitExceeded) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub CanPostStoryResultActiveStoryLimitExceeded + + return json.Marshal((*stub)(entity)) +} + +func (*CanPostStoryResultActiveStoryLimitExceeded) GetClass() string { + return ClassCanPostStoryResult +} + +func (*CanPostStoryResultActiveStoryLimitExceeded) GetType() string { + return TypeCanPostStoryResultActiveStoryLimitExceeded +} + +func (*CanPostStoryResultActiveStoryLimitExceeded) CanPostStoryResultType() string { + return TypeCanPostStoryResultActiveStoryLimitExceeded +} + +// The weekly limit for the number of posted stories exceeded. The user needs to buy Telegram Premium or wait specified time +type CanPostStoryResultWeeklyLimitExceeded struct { + meta + // Time left before the user can post the next story, in seconds + RetryAfter int32 `json:"retry_after"` +} + +func (entity *CanPostStoryResultWeeklyLimitExceeded) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub CanPostStoryResultWeeklyLimitExceeded + + return json.Marshal((*stub)(entity)) +} + +func (*CanPostStoryResultWeeklyLimitExceeded) GetClass() string { + return ClassCanPostStoryResult +} + +func (*CanPostStoryResultWeeklyLimitExceeded) GetType() string { + return TypeCanPostStoryResultWeeklyLimitExceeded +} + +func (*CanPostStoryResultWeeklyLimitExceeded) CanPostStoryResultType() string { + return TypeCanPostStoryResultWeeklyLimitExceeded +} + +// The monthly limit for the number of posted stories exceeded. The user needs to buy Telegram Premium or wait specified time +type CanPostStoryResultMonthlyLimitExceeded struct { + meta + // Time left before the user can post the next story, in seconds + RetryAfter int32 `json:"retry_after"` +} + +func (entity *CanPostStoryResultMonthlyLimitExceeded) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub CanPostStoryResultMonthlyLimitExceeded + + return json.Marshal((*stub)(entity)) +} + +func (*CanPostStoryResultMonthlyLimitExceeded) GetClass() string { + return ClassCanPostStoryResult +} + +func (*CanPostStoryResultMonthlyLimitExceeded) GetType() string { + return TypeCanPostStoryResultMonthlyLimitExceeded +} + +func (*CanPostStoryResultMonthlyLimitExceeded) CanPostStoryResultType() string { + return TypeCanPostStoryResultMonthlyLimitExceeded +} + +// The user or the chat has an active live story. The live story must be deleted first +type CanPostStoryResultLiveStoryIsActive struct { + meta + // Identifier of the active live story + StoryId int32 `json:"story_id"` +} + +func (entity *CanPostStoryResultLiveStoryIsActive) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub CanPostStoryResultLiveStoryIsActive + + return json.Marshal((*stub)(entity)) +} + +func (*CanPostStoryResultLiveStoryIsActive) GetClass() string { + return ClassCanPostStoryResult +} + +func (*CanPostStoryResultLiveStoryIsActive) GetType() string { + return TypeCanPostStoryResultLiveStoryIsActive +} + +func (*CanPostStoryResultLiveStoryIsActive) CanPostStoryResultType() string { + return TypeCanPostStoryResultLiveStoryIsActive +} + +// The live story was successfully posted +type StartLiveStoryResultOk struct { + meta + // The live story + Story *Story `json:"story"` +} + +func (entity *StartLiveStoryResultOk) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StartLiveStoryResultOk + + return json.Marshal((*stub)(entity)) +} + +func (*StartLiveStoryResultOk) GetClass() string { + return ClassStartLiveStoryResult +} + +func (*StartLiveStoryResultOk) GetType() string { + return TypeStartLiveStoryResultOk +} + +func (*StartLiveStoryResultOk) StartLiveStoryResultType() string { + return TypeStartLiveStoryResultOk +} + +// The live story failed to post with an error to be handled +type StartLiveStoryResultFail struct { + meta + // Type of the error; other error types may be returned as regular errors + ErrorType CanPostStoryResult `json:"error_type"` +} + +func (entity *StartLiveStoryResultFail) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StartLiveStoryResultFail + + return json.Marshal((*stub)(entity)) +} + +func (*StartLiveStoryResultFail) GetClass() string { + return ClassStartLiveStoryResult +} + +func (*StartLiveStoryResultFail) GetType() string { + return TypeStartLiveStoryResultFail +} + +func (*StartLiveStoryResultFail) StartLiveStoryResultType() string { + return TypeStartLiveStoryResultFail +} + +func (startLiveStoryResultFail *StartLiveStoryResultFail) UnmarshalJSON(data []byte) error { + var tmp struct { + ErrorType json.RawMessage `json:"error_type"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldErrorType, _ := UnmarshalCanPostStoryResult(tmp.ErrorType) + startLiveStoryResultFail.ErrorType = fieldErrorType + + return nil +} + +// The session can be used +type CanTransferOwnershipResultOk struct{ + meta +} + +func (entity *CanTransferOwnershipResultOk) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub CanTransferOwnershipResultOk + + return json.Marshal((*stub)(entity)) +} + +func (*CanTransferOwnershipResultOk) GetClass() string { + return ClassCanTransferOwnershipResult +} + +func (*CanTransferOwnershipResultOk) GetType() string { + return TypeCanTransferOwnershipResultOk +} + +func (*CanTransferOwnershipResultOk) CanTransferOwnershipResultType() string { + return TypeCanTransferOwnershipResultOk +} + +// The 2-step verification needs to be enabled first +type CanTransferOwnershipResultPasswordNeeded struct{ + meta +} + +func (entity *CanTransferOwnershipResultPasswordNeeded) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub CanTransferOwnershipResultPasswordNeeded + + return json.Marshal((*stub)(entity)) +} + +func (*CanTransferOwnershipResultPasswordNeeded) GetClass() string { + return ClassCanTransferOwnershipResult +} + +func (*CanTransferOwnershipResultPasswordNeeded) GetType() string { + return TypeCanTransferOwnershipResultPasswordNeeded +} + +func (*CanTransferOwnershipResultPasswordNeeded) CanTransferOwnershipResultType() string { + return TypeCanTransferOwnershipResultPasswordNeeded +} + +// The 2-step verification was enabled recently, user needs to wait +type CanTransferOwnershipResultPasswordTooFresh struct { + meta + // Time left before the session can be used to transfer ownership of a chat, in seconds + RetryAfter int32 `json:"retry_after"` +} + +func (entity *CanTransferOwnershipResultPasswordTooFresh) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub CanTransferOwnershipResultPasswordTooFresh + + return json.Marshal((*stub)(entity)) +} + +func (*CanTransferOwnershipResultPasswordTooFresh) GetClass() string { + return ClassCanTransferOwnershipResult +} + +func (*CanTransferOwnershipResultPasswordTooFresh) GetType() string { + return TypeCanTransferOwnershipResultPasswordTooFresh +} + +func (*CanTransferOwnershipResultPasswordTooFresh) CanTransferOwnershipResultType() string { + return TypeCanTransferOwnershipResultPasswordTooFresh +} + +// The session was created recently, user needs to wait +type CanTransferOwnershipResultSessionTooFresh struct { + meta + // Time left before the session can be used to transfer ownership of a chat, in seconds + RetryAfter int32 `json:"retry_after"` +} + +func (entity *CanTransferOwnershipResultSessionTooFresh) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub CanTransferOwnershipResultSessionTooFresh + + return json.Marshal((*stub)(entity)) +} + +func (*CanTransferOwnershipResultSessionTooFresh) GetClass() string { + return ClassCanTransferOwnershipResult +} + +func (*CanTransferOwnershipResultSessionTooFresh) GetType() string { + return TypeCanTransferOwnershipResultSessionTooFresh +} + +func (*CanTransferOwnershipResultSessionTooFresh) CanTransferOwnershipResultType() string { + return TypeCanTransferOwnershipResultSessionTooFresh +} + +// The username can be set +type CheckChatUsernameResultOk struct{ + meta +} + +func (entity *CheckChatUsernameResultOk) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub CheckChatUsernameResultOk + + return json.Marshal((*stub)(entity)) +} + +func (*CheckChatUsernameResultOk) GetClass() string { + return ClassCheckChatUsernameResult +} + +func (*CheckChatUsernameResultOk) GetType() string { + return TypeCheckChatUsernameResultOk +} + +func (*CheckChatUsernameResultOk) CheckChatUsernameResultType() string { + return TypeCheckChatUsernameResultOk +} + +// The username is invalid +type CheckChatUsernameResultUsernameInvalid struct{ + meta +} + +func (entity *CheckChatUsernameResultUsernameInvalid) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub CheckChatUsernameResultUsernameInvalid + + return json.Marshal((*stub)(entity)) +} + +func (*CheckChatUsernameResultUsernameInvalid) GetClass() string { + return ClassCheckChatUsernameResult +} + +func (*CheckChatUsernameResultUsernameInvalid) GetType() string { + return TypeCheckChatUsernameResultUsernameInvalid +} + +func (*CheckChatUsernameResultUsernameInvalid) CheckChatUsernameResultType() string { + return TypeCheckChatUsernameResultUsernameInvalid +} + +// The username is occupied +type CheckChatUsernameResultUsernameOccupied struct{ + meta +} + +func (entity *CheckChatUsernameResultUsernameOccupied) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub CheckChatUsernameResultUsernameOccupied + + return json.Marshal((*stub)(entity)) +} + +func (*CheckChatUsernameResultUsernameOccupied) GetClass() string { + return ClassCheckChatUsernameResult +} + +func (*CheckChatUsernameResultUsernameOccupied) GetType() string { + return TypeCheckChatUsernameResultUsernameOccupied +} + +func (*CheckChatUsernameResultUsernameOccupied) CheckChatUsernameResultType() string { + return TypeCheckChatUsernameResultUsernameOccupied +} + +// The username can be purchased at https://fragment.com. Information about the username can be received using getCollectibleItemInfo +type CheckChatUsernameResultUsernamePurchasable struct{ + meta +} + +func (entity *CheckChatUsernameResultUsernamePurchasable) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub CheckChatUsernameResultUsernamePurchasable + + return json.Marshal((*stub)(entity)) +} + +func (*CheckChatUsernameResultUsernamePurchasable) GetClass() string { + return ClassCheckChatUsernameResult +} + +func (*CheckChatUsernameResultUsernamePurchasable) GetType() string { + return TypeCheckChatUsernameResultUsernamePurchasable +} + +func (*CheckChatUsernameResultUsernamePurchasable) CheckChatUsernameResultType() string { + return TypeCheckChatUsernameResultUsernamePurchasable +} + +// The user has too many chats with username, one of them must be made private first +type CheckChatUsernameResultPublicChatsTooMany struct{ + meta +} + +func (entity *CheckChatUsernameResultPublicChatsTooMany) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub CheckChatUsernameResultPublicChatsTooMany + + return json.Marshal((*stub)(entity)) +} + +func (*CheckChatUsernameResultPublicChatsTooMany) GetClass() string { + return ClassCheckChatUsernameResult +} + +func (*CheckChatUsernameResultPublicChatsTooMany) GetType() string { + return TypeCheckChatUsernameResultPublicChatsTooMany +} + +func (*CheckChatUsernameResultPublicChatsTooMany) CheckChatUsernameResultType() string { + return TypeCheckChatUsernameResultPublicChatsTooMany +} + +// The user can't be a member of a public supergroup +type CheckChatUsernameResultPublicGroupsUnavailable struct{ + meta +} + +func (entity *CheckChatUsernameResultPublicGroupsUnavailable) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub CheckChatUsernameResultPublicGroupsUnavailable + + return json.Marshal((*stub)(entity)) +} + +func (*CheckChatUsernameResultPublicGroupsUnavailable) GetClass() string { + return ClassCheckChatUsernameResult +} + +func (*CheckChatUsernameResultPublicGroupsUnavailable) GetType() string { + return TypeCheckChatUsernameResultPublicGroupsUnavailable +} + +func (*CheckChatUsernameResultPublicGroupsUnavailable) CheckChatUsernameResultType() string { + return TypeCheckChatUsernameResultPublicGroupsUnavailable +} + +// The name can be set +type CheckStickerSetNameResultOk struct{ + meta +} + +func (entity *CheckStickerSetNameResultOk) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub CheckStickerSetNameResultOk + + return json.Marshal((*stub)(entity)) +} + +func (*CheckStickerSetNameResultOk) GetClass() string { + return ClassCheckStickerSetNameResult +} + +func (*CheckStickerSetNameResultOk) GetType() string { + return TypeCheckStickerSetNameResultOk +} + +func (*CheckStickerSetNameResultOk) CheckStickerSetNameResultType() string { + return TypeCheckStickerSetNameResultOk +} + +// The name is invalid +type CheckStickerSetNameResultNameInvalid struct{ + meta +} + +func (entity *CheckStickerSetNameResultNameInvalid) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub CheckStickerSetNameResultNameInvalid + + return json.Marshal((*stub)(entity)) +} + +func (*CheckStickerSetNameResultNameInvalid) GetClass() string { + return ClassCheckStickerSetNameResult +} + +func (*CheckStickerSetNameResultNameInvalid) GetType() string { + return TypeCheckStickerSetNameResultNameInvalid +} + +func (*CheckStickerSetNameResultNameInvalid) CheckStickerSetNameResultType() string { + return TypeCheckStickerSetNameResultNameInvalid +} + +// The name is occupied +type CheckStickerSetNameResultNameOccupied struct{ + meta +} + +func (entity *CheckStickerSetNameResultNameOccupied) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub CheckStickerSetNameResultNameOccupied + + return json.Marshal((*stub)(entity)) +} + +func (*CheckStickerSetNameResultNameOccupied) GetClass() string { + return ClassCheckStickerSetNameResult +} + +func (*CheckStickerSetNameResultNameOccupied) GetType() string { + return TypeCheckStickerSetNameResultNameOccupied +} + +func (*CheckStickerSetNameResultNameOccupied) CheckStickerSetNameResultType() string { + return TypeCheckStickerSetNameResultNameOccupied +} + +// The password was reset +type ResetPasswordResultOk struct{ + meta +} + +func (entity *ResetPasswordResultOk) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ResetPasswordResultOk + + return json.Marshal((*stub)(entity)) +} + +func (*ResetPasswordResultOk) GetClass() string { + return ClassResetPasswordResult +} + +func (*ResetPasswordResultOk) GetType() string { + return TypeResetPasswordResultOk +} + +func (*ResetPasswordResultOk) ResetPasswordResultType() string { + return TypeResetPasswordResultOk +} + +// The password reset request is pending +type ResetPasswordResultPending struct { + meta + // Point in time (Unix timestamp) after which the password can be reset immediately using resetPassword + PendingResetDate int32 `json:"pending_reset_date"` +} + +func (entity *ResetPasswordResultPending) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ResetPasswordResultPending + + return json.Marshal((*stub)(entity)) +} + +func (*ResetPasswordResultPending) GetClass() string { + return ClassResetPasswordResult +} + +func (*ResetPasswordResultPending) GetType() string { + return TypeResetPasswordResultPending +} + +func (*ResetPasswordResultPending) ResetPasswordResultType() string { + return TypeResetPasswordResultPending +} + +// The password reset request was declined +type ResetPasswordResultDeclined struct { + meta + // Point in time (Unix timestamp) when the password reset can be retried + RetryDate int32 `json:"retry_date"` +} + +func (entity *ResetPasswordResultDeclined) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ResetPasswordResultDeclined + + return json.Marshal((*stub)(entity)) +} + +func (*ResetPasswordResultDeclined) GetClass() string { + return ClassResetPasswordResult +} + +func (*ResetPasswordResultDeclined) GetType() string { + return TypeResetPasswordResultDeclined +} + +func (*ResetPasswordResultDeclined) ResetPasswordResultType() string { + return TypeResetPasswordResultDeclined +} + +// The messages were exported from a private chat +type MessageFileTypePrivate struct { + meta + // Name of the other party; may be empty if unrecognized + Name string `json:"name"` +} + +func (entity *MessageFileTypePrivate) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageFileTypePrivate + + return json.Marshal((*stub)(entity)) +} + +func (*MessageFileTypePrivate) GetClass() string { + return ClassMessageFileType +} + +func (*MessageFileTypePrivate) GetType() string { + return TypeMessageFileTypePrivate +} + +func (*MessageFileTypePrivate) MessageFileTypeType() string { + return TypeMessageFileTypePrivate +} + +// The messages were exported from a group chat +type MessageFileTypeGroup struct { + meta + // Title of the group chat; may be empty if unrecognized + Title string `json:"title"` +} + +func (entity *MessageFileTypeGroup) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageFileTypeGroup + + return json.Marshal((*stub)(entity)) +} + +func (*MessageFileTypeGroup) GetClass() string { + return ClassMessageFileType +} + +func (*MessageFileTypeGroup) GetType() string { + return TypeMessageFileTypeGroup +} + +func (*MessageFileTypeGroup) MessageFileTypeType() string { + return TypeMessageFileTypeGroup +} + +// The messages were exported from a chat of unknown type +type MessageFileTypeUnknown struct{ + meta +} + +func (entity *MessageFileTypeUnknown) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageFileTypeUnknown + + return json.Marshal((*stub)(entity)) +} + +func (*MessageFileTypeUnknown) GetClass() string { + return ClassMessageFileType +} + +func (*MessageFileTypeUnknown) GetType() string { + return TypeMessageFileTypeUnknown +} + +func (*MessageFileTypeUnknown) MessageFileTypeType() string { + return TypeMessageFileTypeUnknown +} + +// A general message with hidden content +type PushMessageContentHidden struct { + meta + // True, if the message is a pinned message with the specified content + IsPinned bool `json:"is_pinned"` +} + +func (entity *PushMessageContentHidden) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PushMessageContentHidden + + return json.Marshal((*stub)(entity)) +} + +func (*PushMessageContentHidden) GetClass() string { + return ClassPushMessageContent +} + +func (*PushMessageContentHidden) GetType() string { + return TypePushMessageContentHidden +} + +func (*PushMessageContentHidden) PushMessageContentType() string { + return TypePushMessageContentHidden +} + +// An animation message (GIF-style). +type PushMessageContentAnimation struct { + meta + // Message content; may be null + Animation *Animation `json:"animation"` + // Animation caption + Caption string `json:"caption"` + // True, if the message is a pinned message with the specified content + IsPinned bool `json:"is_pinned"` +} + +func (entity *PushMessageContentAnimation) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PushMessageContentAnimation + + return json.Marshal((*stub)(entity)) +} + +func (*PushMessageContentAnimation) GetClass() string { + return ClassPushMessageContent +} + +func (*PushMessageContentAnimation) GetType() string { + return TypePushMessageContentAnimation +} + +func (*PushMessageContentAnimation) PushMessageContentType() string { + return TypePushMessageContentAnimation +} + +// An audio message +type PushMessageContentAudio struct { + meta + // Message content; may be null + Audio *Audio `json:"audio"` + // True, if the message is a pinned message with the specified content + IsPinned bool `json:"is_pinned"` +} + +func (entity *PushMessageContentAudio) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PushMessageContentAudio + + return json.Marshal((*stub)(entity)) +} + +func (*PushMessageContentAudio) GetClass() string { + return ClassPushMessageContent +} + +func (*PushMessageContentAudio) GetType() string { + return TypePushMessageContentAudio +} + +func (*PushMessageContentAudio) PushMessageContentType() string { + return TypePushMessageContentAudio +} + +// A message with a user contact +type PushMessageContentContact struct { + meta + // Contact's name + Name string `json:"name"` + // True, if the message is a pinned message with the specified content + IsPinned bool `json:"is_pinned"` +} + +func (entity *PushMessageContentContact) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PushMessageContentContact + + return json.Marshal((*stub)(entity)) +} + +func (*PushMessageContentContact) GetClass() string { + return ClassPushMessageContent +} + +func (*PushMessageContentContact) GetType() string { + return TypePushMessageContentContact +} + +func (*PushMessageContentContact) PushMessageContentType() string { + return TypePushMessageContentContact +} + +// A contact has registered with Telegram +type PushMessageContentContactRegistered struct { + meta + // True, if the user joined Telegram as a Telegram Premium account + AsPremiumAccount bool `json:"as_premium_account"` +} + +func (entity *PushMessageContentContactRegistered) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PushMessageContentContactRegistered + + return json.Marshal((*stub)(entity)) +} + +func (*PushMessageContentContactRegistered) GetClass() string { + return ClassPushMessageContent +} + +func (*PushMessageContentContactRegistered) GetType() string { + return TypePushMessageContentContactRegistered +} + +func (*PushMessageContentContactRegistered) PushMessageContentType() string { + return TypePushMessageContentContactRegistered +} + +// A document message (a general file) +type PushMessageContentDocument struct { + meta + // Message content; may be null + Document *Document `json:"document"` + // True, if the message is a pinned message with the specified content + IsPinned bool `json:"is_pinned"` +} + +func (entity *PushMessageContentDocument) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PushMessageContentDocument + + return json.Marshal((*stub)(entity)) +} + +func (*PushMessageContentDocument) GetClass() string { + return ClassPushMessageContent +} + +func (*PushMessageContentDocument) GetType() string { + return TypePushMessageContentDocument +} + +func (*PushMessageContentDocument) PushMessageContentType() string { + return TypePushMessageContentDocument +} + +// A message with a game +type PushMessageContentGame struct { + meta + // Game title, empty for pinned game message + Title string `json:"title"` + // True, if the message is a pinned message with the specified content + IsPinned bool `json:"is_pinned"` +} + +func (entity *PushMessageContentGame) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PushMessageContentGame + + return json.Marshal((*stub)(entity)) +} + +func (*PushMessageContentGame) GetClass() string { + return ClassPushMessageContent +} + +func (*PushMessageContentGame) GetType() string { + return TypePushMessageContentGame +} + +func (*PushMessageContentGame) PushMessageContentType() string { + return TypePushMessageContentGame +} + +// A new high score was achieved in a game +type PushMessageContentGameScore struct { + meta + // Game title, empty for pinned message + Title string `json:"title"` + // New score, 0 for pinned message + Score int32 `json:"score"` + // True, if the message is a pinned message with the specified content + IsPinned bool `json:"is_pinned"` +} + +func (entity *PushMessageContentGameScore) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PushMessageContentGameScore + + return json.Marshal((*stub)(entity)) +} + +func (*PushMessageContentGameScore) GetClass() string { + return ClassPushMessageContent +} + +func (*PushMessageContentGameScore) GetType() string { + return TypePushMessageContentGameScore +} + +func (*PushMessageContentGameScore) PushMessageContentType() string { + return TypePushMessageContentGameScore +} + +// A message with an invoice from a bot +type PushMessageContentInvoice struct { + meta + // Product price + Price string `json:"price"` + // True, if the message is a pinned message with the specified content + IsPinned bool `json:"is_pinned"` +} + +func (entity *PushMessageContentInvoice) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PushMessageContentInvoice + + return json.Marshal((*stub)(entity)) +} + +func (*PushMessageContentInvoice) GetClass() string { + return ClassPushMessageContent +} + +func (*PushMessageContentInvoice) GetType() string { + return TypePushMessageContentInvoice +} + +func (*PushMessageContentInvoice) PushMessageContentType() string { + return TypePushMessageContentInvoice +} + +// A message with a location +type PushMessageContentLocation struct { + meta + // True, if the location is live + IsLive bool `json:"is_live"` + // True, if the message is a pinned message with the specified content + IsPinned bool `json:"is_pinned"` +} + +func (entity *PushMessageContentLocation) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PushMessageContentLocation + + return json.Marshal((*stub)(entity)) +} + +func (*PushMessageContentLocation) GetClass() string { + return ClassPushMessageContent +} + +func (*PushMessageContentLocation) GetType() string { + return TypePushMessageContentLocation +} + +func (*PushMessageContentLocation) PushMessageContentType() string { + return TypePushMessageContentLocation +} + +// A message with paid media +type PushMessageContentPaidMedia struct { + meta + // Number of Telegram Stars needed to buy access to the media in the message; 0 for pinned message + StarCount int64 `json:"star_count"` + // True, if the message is a pinned message with the specified content + IsPinned bool `json:"is_pinned"` +} + +func (entity *PushMessageContentPaidMedia) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PushMessageContentPaidMedia + + return json.Marshal((*stub)(entity)) +} + +func (*PushMessageContentPaidMedia) GetClass() string { + return ClassPushMessageContent +} + +func (*PushMessageContentPaidMedia) GetType() string { + return TypePushMessageContentPaidMedia +} + +func (*PushMessageContentPaidMedia) PushMessageContentType() string { + return TypePushMessageContentPaidMedia +} + +// A photo message +type PushMessageContentPhoto struct { + meta + // Message content; may be null + Photo *Photo `json:"photo"` + // Photo caption + Caption string `json:"caption"` + // True, if the photo is secret + IsSecret bool `json:"is_secret"` + // True, if the message is a pinned message with the specified content + IsPinned bool `json:"is_pinned"` +} + +func (entity *PushMessageContentPhoto) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PushMessageContentPhoto + + return json.Marshal((*stub)(entity)) +} + +func (*PushMessageContentPhoto) GetClass() string { + return ClassPushMessageContent +} + +func (*PushMessageContentPhoto) GetType() string { + return TypePushMessageContentPhoto +} + +func (*PushMessageContentPhoto) PushMessageContentType() string { + return TypePushMessageContentPhoto +} + +// A message with a poll +type PushMessageContentPoll struct { + meta + // Poll question + Question string `json:"question"` + // True, if the poll is regular and not in quiz mode + IsRegular bool `json:"is_regular"` + // True, if the message is a pinned message with the specified content + IsPinned bool `json:"is_pinned"` +} + +func (entity *PushMessageContentPoll) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PushMessageContentPoll + + return json.Marshal((*stub)(entity)) +} + +func (*PushMessageContentPoll) GetClass() string { + return ClassPushMessageContent +} + +func (*PushMessageContentPoll) GetType() string { + return TypePushMessageContentPoll +} + +func (*PushMessageContentPoll) PushMessageContentType() string { + return TypePushMessageContentPoll +} + +// A message with a Telegram Premium gift code created for the user +type PushMessageContentPremiumGiftCode struct { + meta + // Number of months the Telegram Premium subscription will be active after code activation + MonthCount int32 `json:"month_count"` +} + +func (entity *PushMessageContentPremiumGiftCode) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PushMessageContentPremiumGiftCode + + return json.Marshal((*stub)(entity)) +} + +func (*PushMessageContentPremiumGiftCode) GetClass() string { + return ClassPushMessageContent +} + +func (*PushMessageContentPremiumGiftCode) GetType() string { + return TypePushMessageContentPremiumGiftCode +} + +func (*PushMessageContentPremiumGiftCode) PushMessageContentType() string { + return TypePushMessageContentPremiumGiftCode +} + +// A message with a giveaway +type PushMessageContentGiveaway struct { + meta + // Number of users which will receive giveaway prizes; 0 for pinned message + WinnerCount int32 `json:"winner_count"` + // Prize of the giveaway; may be null for pinned message + Prize GiveawayPrize `json:"prize"` + // True, if the message is a pinned message with the specified content + IsPinned bool `json:"is_pinned"` +} + +func (entity *PushMessageContentGiveaway) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PushMessageContentGiveaway + + return json.Marshal((*stub)(entity)) +} + +func (*PushMessageContentGiveaway) GetClass() string { + return ClassPushMessageContent +} + +func (*PushMessageContentGiveaway) GetType() string { + return TypePushMessageContentGiveaway +} + +func (*PushMessageContentGiveaway) PushMessageContentType() string { + return TypePushMessageContentGiveaway +} + +func (pushMessageContentGiveaway *PushMessageContentGiveaway) UnmarshalJSON(data []byte) error { + var tmp struct { + WinnerCount int32 `json:"winner_count"` + Prize json.RawMessage `json:"prize"` + IsPinned bool `json:"is_pinned"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + pushMessageContentGiveaway.WinnerCount = tmp.WinnerCount + pushMessageContentGiveaway.IsPinned = tmp.IsPinned + + fieldPrize, _ := UnmarshalGiveawayPrize(tmp.Prize) + pushMessageContentGiveaway.Prize = fieldPrize + + return nil +} + +// A message with a gift +type PushMessageContentGift struct { + meta + // Number of Telegram Stars that sender paid for the gift + StarCount int64 `json:"star_count"` + // True, if the message is about prepaid upgrade of the gift by another user instead of actual receiving of a new gift + IsPrepaidUpgrade bool `json:"is_prepaid_upgrade"` +} + +func (entity *PushMessageContentGift) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PushMessageContentGift + + return json.Marshal((*stub)(entity)) +} + +func (*PushMessageContentGift) GetClass() string { + return ClassPushMessageContent +} + +func (*PushMessageContentGift) GetType() string { + return TypePushMessageContentGift +} + +func (*PushMessageContentGift) PushMessageContentType() string { + return TypePushMessageContentGift +} + +// A message with an upgraded gift +type PushMessageContentUpgradedGift struct { + meta + // True, if the gift was obtained by upgrading of a previously received gift; otherwise, if is_prepaid_upgrade == false, then this is a transferred or resold gift + IsUpgrade bool `json:"is_upgrade"` + // True, if the message is about completion of prepaid upgrade of the gift instead of actual receiving of a new gift + IsPrepaidUpgrade bool `json:"is_prepaid_upgrade"` +} + +func (entity *PushMessageContentUpgradedGift) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PushMessageContentUpgradedGift + + return json.Marshal((*stub)(entity)) +} + +func (*PushMessageContentUpgradedGift) GetClass() string { + return ClassPushMessageContent +} + +func (*PushMessageContentUpgradedGift) GetType() string { + return TypePushMessageContentUpgradedGift +} + +func (*PushMessageContentUpgradedGift) PushMessageContentType() string { + return TypePushMessageContentUpgradedGift +} + +// A screenshot of a message in the chat has been taken +type PushMessageContentScreenshotTaken struct{ + meta +} + +func (entity *PushMessageContentScreenshotTaken) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PushMessageContentScreenshotTaken + + return json.Marshal((*stub)(entity)) +} + +func (*PushMessageContentScreenshotTaken) GetClass() string { + return ClassPushMessageContent +} + +func (*PushMessageContentScreenshotTaken) GetType() string { + return TypePushMessageContentScreenshotTaken +} + +func (*PushMessageContentScreenshotTaken) PushMessageContentType() string { + return TypePushMessageContentScreenshotTaken +} + +// A message with a sticker +type PushMessageContentSticker struct { + meta + // Message content; may be null + Sticker *Sticker `json:"sticker"` + // Emoji corresponding to the sticker; may be empty + Emoji string `json:"emoji"` + // True, if the message is a pinned message with the specified content + IsPinned bool `json:"is_pinned"` +} + +func (entity *PushMessageContentSticker) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PushMessageContentSticker + + return json.Marshal((*stub)(entity)) +} + +func (*PushMessageContentSticker) GetClass() string { + return ClassPushMessageContent +} + +func (*PushMessageContentSticker) GetType() string { + return TypePushMessageContentSticker +} + +func (*PushMessageContentSticker) PushMessageContentType() string { + return TypePushMessageContentSticker +} + +// A message with a story +type PushMessageContentStory struct { + meta + // True, if the user was mentioned in the story + IsMention bool `json:"is_mention"` + // True, if the message is a pinned message with the specified content + IsPinned bool `json:"is_pinned"` +} + +func (entity *PushMessageContentStory) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PushMessageContentStory + + return json.Marshal((*stub)(entity)) +} + +func (*PushMessageContentStory) GetClass() string { + return ClassPushMessageContent +} + +func (*PushMessageContentStory) GetType() string { + return TypePushMessageContentStory +} + +func (*PushMessageContentStory) PushMessageContentType() string { + return TypePushMessageContentStory +} + +// A text message +type PushMessageContentText struct { + meta + // Message text + Text string `json:"text"` + // True, if the message is a pinned message with the specified content + IsPinned bool `json:"is_pinned"` +} + +func (entity *PushMessageContentText) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PushMessageContentText + + return json.Marshal((*stub)(entity)) +} + +func (*PushMessageContentText) GetClass() string { + return ClassPushMessageContent +} + +func (*PushMessageContentText) GetType() string { + return TypePushMessageContentText +} + +func (*PushMessageContentText) PushMessageContentType() string { + return TypePushMessageContentText +} + +// A message with a checklist +type PushMessageContentChecklist struct { + meta + // Checklist title + Title string `json:"title"` + // True, if the message is a pinned message with the specified content + IsPinned bool `json:"is_pinned"` +} + +func (entity *PushMessageContentChecklist) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PushMessageContentChecklist + + return json.Marshal((*stub)(entity)) +} + +func (*PushMessageContentChecklist) GetClass() string { + return ClassPushMessageContent +} + +func (*PushMessageContentChecklist) GetType() string { + return TypePushMessageContentChecklist +} + +func (*PushMessageContentChecklist) PushMessageContentType() string { + return TypePushMessageContentChecklist +} + +// A video message +type PushMessageContentVideo struct { + meta + // Message content; may be null + Video *Video `json:"video"` + // Video caption + Caption string `json:"caption"` + // True, if the video is secret + IsSecret bool `json:"is_secret"` + // True, if the message is a pinned message with the specified content + IsPinned bool `json:"is_pinned"` +} + +func (entity *PushMessageContentVideo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PushMessageContentVideo + + return json.Marshal((*stub)(entity)) +} + +func (*PushMessageContentVideo) GetClass() string { + return ClassPushMessageContent +} + +func (*PushMessageContentVideo) GetType() string { + return TypePushMessageContentVideo +} + +func (*PushMessageContentVideo) PushMessageContentType() string { + return TypePushMessageContentVideo +} + +// A video note message +type PushMessageContentVideoNote struct { + meta + // Message content; may be null + VideoNote *VideoNote `json:"video_note"` + // True, if the message is a pinned message with the specified content + IsPinned bool `json:"is_pinned"` +} + +func (entity *PushMessageContentVideoNote) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PushMessageContentVideoNote + + return json.Marshal((*stub)(entity)) +} + +func (*PushMessageContentVideoNote) GetClass() string { + return ClassPushMessageContent +} + +func (*PushMessageContentVideoNote) GetType() string { + return TypePushMessageContentVideoNote +} + +func (*PushMessageContentVideoNote) PushMessageContentType() string { + return TypePushMessageContentVideoNote +} + +// A voice note message +type PushMessageContentVoiceNote struct { + meta + // Message content; may be null + VoiceNote *VoiceNote `json:"voice_note"` + // True, if the message is a pinned message with the specified content + IsPinned bool `json:"is_pinned"` +} + +func (entity *PushMessageContentVoiceNote) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PushMessageContentVoiceNote + + return json.Marshal((*stub)(entity)) +} + +func (*PushMessageContentVoiceNote) GetClass() string { + return ClassPushMessageContent +} + +func (*PushMessageContentVoiceNote) GetType() string { + return TypePushMessageContentVoiceNote +} + +func (*PushMessageContentVoiceNote) PushMessageContentType() string { + return TypePushMessageContentVoiceNote +} + +// A newly created basic group +type PushMessageContentBasicGroupChatCreate struct{ + meta +} + +func (entity *PushMessageContentBasicGroupChatCreate) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PushMessageContentBasicGroupChatCreate + + return json.Marshal((*stub)(entity)) +} + +func (*PushMessageContentBasicGroupChatCreate) GetClass() string { + return ClassPushMessageContent +} + +func (*PushMessageContentBasicGroupChatCreate) GetType() string { + return TypePushMessageContentBasicGroupChatCreate +} + +func (*PushMessageContentBasicGroupChatCreate) PushMessageContentType() string { + return TypePushMessageContentBasicGroupChatCreate +} + +// A video chat or live stream was started +type PushMessageContentVideoChatStarted struct{ + meta +} + +func (entity *PushMessageContentVideoChatStarted) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PushMessageContentVideoChatStarted + + return json.Marshal((*stub)(entity)) +} + +func (*PushMessageContentVideoChatStarted) GetClass() string { + return ClassPushMessageContent +} + +func (*PushMessageContentVideoChatStarted) GetType() string { + return TypePushMessageContentVideoChatStarted +} + +func (*PushMessageContentVideoChatStarted) PushMessageContentType() string { + return TypePushMessageContentVideoChatStarted +} + +// A video chat or live stream has ended +type PushMessageContentVideoChatEnded struct{ + meta +} + +func (entity *PushMessageContentVideoChatEnded) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PushMessageContentVideoChatEnded + + return json.Marshal((*stub)(entity)) +} + +func (*PushMessageContentVideoChatEnded) GetClass() string { + return ClassPushMessageContent +} + +func (*PushMessageContentVideoChatEnded) GetType() string { + return TypePushMessageContentVideoChatEnded +} + +func (*PushMessageContentVideoChatEnded) PushMessageContentType() string { + return TypePushMessageContentVideoChatEnded +} + +// An invitation of participants to a video chat or live stream +type PushMessageContentInviteVideoChatParticipants struct { + meta + // True, if the current user was invited to the video chat or the live stream + IsCurrentUser bool `json:"is_current_user"` +} + +func (entity *PushMessageContentInviteVideoChatParticipants) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PushMessageContentInviteVideoChatParticipants + + return json.Marshal((*stub)(entity)) +} + +func (*PushMessageContentInviteVideoChatParticipants) GetClass() string { + return ClassPushMessageContent +} + +func (*PushMessageContentInviteVideoChatParticipants) GetType() string { + return TypePushMessageContentInviteVideoChatParticipants +} + +func (*PushMessageContentInviteVideoChatParticipants) PushMessageContentType() string { + return TypePushMessageContentInviteVideoChatParticipants +} + +// New chat members were invited to a group +type PushMessageContentChatAddMembers struct { + meta + // Name of the added member + MemberName string `json:"member_name"` + // True, if the current user was added to the group + IsCurrentUser bool `json:"is_current_user"` + // True, if the user has returned to the group themselves + IsReturned bool `json:"is_returned"` +} + +func (entity *PushMessageContentChatAddMembers) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PushMessageContentChatAddMembers + + return json.Marshal((*stub)(entity)) +} + +func (*PushMessageContentChatAddMembers) GetClass() string { + return ClassPushMessageContent +} + +func (*PushMessageContentChatAddMembers) GetType() string { + return TypePushMessageContentChatAddMembers +} + +func (*PushMessageContentChatAddMembers) PushMessageContentType() string { + return TypePushMessageContentChatAddMembers +} + +// A chat photo was edited +type PushMessageContentChatChangePhoto struct{ + meta +} + +func (entity *PushMessageContentChatChangePhoto) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PushMessageContentChatChangePhoto + + return json.Marshal((*stub)(entity)) +} + +func (*PushMessageContentChatChangePhoto) GetClass() string { + return ClassPushMessageContent +} + +func (*PushMessageContentChatChangePhoto) GetType() string { + return TypePushMessageContentChatChangePhoto +} + +func (*PushMessageContentChatChangePhoto) PushMessageContentType() string { + return TypePushMessageContentChatChangePhoto +} + +// A chat title was edited +type PushMessageContentChatChangeTitle struct { + meta + // New chat title + Title string `json:"title"` +} + +func (entity *PushMessageContentChatChangeTitle) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PushMessageContentChatChangeTitle + + return json.Marshal((*stub)(entity)) +} + +func (*PushMessageContentChatChangeTitle) GetClass() string { + return ClassPushMessageContent +} + +func (*PushMessageContentChatChangeTitle) GetType() string { + return TypePushMessageContentChatChangeTitle +} + +func (*PushMessageContentChatChangeTitle) PushMessageContentType() string { + return TypePushMessageContentChatChangeTitle +} + +// A chat background was edited +type PushMessageContentChatSetBackground struct { + meta + // True, if the set background is the same as the background of the current user + IsSame bool `json:"is_same"` +} + +func (entity *PushMessageContentChatSetBackground) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PushMessageContentChatSetBackground + + return json.Marshal((*stub)(entity)) +} + +func (*PushMessageContentChatSetBackground) GetClass() string { + return ClassPushMessageContent +} + +func (*PushMessageContentChatSetBackground) GetType() string { + return TypePushMessageContentChatSetBackground +} + +func (*PushMessageContentChatSetBackground) PushMessageContentType() string { + return TypePushMessageContentChatSetBackground +} + +// A chat theme was edited +type PushMessageContentChatSetTheme struct { + meta + // If non-empty, human-readable name of the new theme. Otherwise, the chat theme was reset to the default one + Name string `json:"name"` +} + +func (entity *PushMessageContentChatSetTheme) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PushMessageContentChatSetTheme + + return json.Marshal((*stub)(entity)) +} + +func (*PushMessageContentChatSetTheme) GetClass() string { + return ClassPushMessageContent +} + +func (*PushMessageContentChatSetTheme) GetType() string { + return TypePushMessageContentChatSetTheme +} + +func (*PushMessageContentChatSetTheme) PushMessageContentType() string { + return TypePushMessageContentChatSetTheme +} + +// A chat member was deleted +type PushMessageContentChatDeleteMember struct { + meta + // Name of the deleted member + MemberName string `json:"member_name"` + // True, if the current user was deleted from the group + IsCurrentUser bool `json:"is_current_user"` + // True, if the user has left the group themselves + IsLeft bool `json:"is_left"` +} + +func (entity *PushMessageContentChatDeleteMember) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PushMessageContentChatDeleteMember + + return json.Marshal((*stub)(entity)) +} + +func (*PushMessageContentChatDeleteMember) GetClass() string { + return ClassPushMessageContent +} + +func (*PushMessageContentChatDeleteMember) GetType() string { + return TypePushMessageContentChatDeleteMember +} + +func (*PushMessageContentChatDeleteMember) PushMessageContentType() string { + return TypePushMessageContentChatDeleteMember +} + +// A new member joined the chat via an invite link +type PushMessageContentChatJoinByLink struct{ + meta +} + +func (entity *PushMessageContentChatJoinByLink) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PushMessageContentChatJoinByLink + + return json.Marshal((*stub)(entity)) +} + +func (*PushMessageContentChatJoinByLink) GetClass() string { + return ClassPushMessageContent +} + +func (*PushMessageContentChatJoinByLink) GetType() string { + return TypePushMessageContentChatJoinByLink +} + +func (*PushMessageContentChatJoinByLink) PushMessageContentType() string { + return TypePushMessageContentChatJoinByLink +} + +// A new member was accepted to the chat by an administrator +type PushMessageContentChatJoinByRequest struct{ + meta +} + +func (entity *PushMessageContentChatJoinByRequest) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PushMessageContentChatJoinByRequest + + return json.Marshal((*stub)(entity)) +} + +func (*PushMessageContentChatJoinByRequest) GetClass() string { + return ClassPushMessageContent +} + +func (*PushMessageContentChatJoinByRequest) GetType() string { + return TypePushMessageContentChatJoinByRequest +} + +func (*PushMessageContentChatJoinByRequest) PushMessageContentType() string { + return TypePushMessageContentChatJoinByRequest +} + +// A new recurring payment was made by the current user +type PushMessageContentRecurringPayment struct { + meta + // The paid amount + Amount string `json:"amount"` +} + +func (entity *PushMessageContentRecurringPayment) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PushMessageContentRecurringPayment + + return json.Marshal((*stub)(entity)) +} + +func (*PushMessageContentRecurringPayment) GetClass() string { + return ClassPushMessageContent +} + +func (*PushMessageContentRecurringPayment) GetType() string { + return TypePushMessageContentRecurringPayment +} + +func (*PushMessageContentRecurringPayment) PushMessageContentType() string { + return TypePushMessageContentRecurringPayment +} + +// A profile photo was suggested to the user +type PushMessageContentSuggestProfilePhoto struct{ + meta +} + +func (entity *PushMessageContentSuggestProfilePhoto) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PushMessageContentSuggestProfilePhoto + + return json.Marshal((*stub)(entity)) +} + +func (*PushMessageContentSuggestProfilePhoto) GetClass() string { + return ClassPushMessageContent +} + +func (*PushMessageContentSuggestProfilePhoto) GetType() string { + return TypePushMessageContentSuggestProfilePhoto +} + +func (*PushMessageContentSuggestProfilePhoto) PushMessageContentType() string { + return TypePushMessageContentSuggestProfilePhoto +} + +// A birthdate was suggested to be set +type PushMessageContentSuggestBirthdate struct{ + meta +} + +func (entity *PushMessageContentSuggestBirthdate) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PushMessageContentSuggestBirthdate + + return json.Marshal((*stub)(entity)) +} + +func (*PushMessageContentSuggestBirthdate) GetClass() string { + return ClassPushMessageContent +} + +func (*PushMessageContentSuggestBirthdate) GetType() string { + return TypePushMessageContentSuggestBirthdate +} + +func (*PushMessageContentSuggestBirthdate) PushMessageContentType() string { + return TypePushMessageContentSuggestBirthdate +} + +// A user in the chat came within proximity alert range from the current user +type PushMessageContentProximityAlertTriggered struct { + meta + // The distance to the user + Distance int32 `json:"distance"` +} + +func (entity *PushMessageContentProximityAlertTriggered) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PushMessageContentProximityAlertTriggered + + return json.Marshal((*stub)(entity)) +} + +func (*PushMessageContentProximityAlertTriggered) GetClass() string { + return ClassPushMessageContent +} + +func (*PushMessageContentProximityAlertTriggered) GetType() string { + return TypePushMessageContentProximityAlertTriggered +} + +func (*PushMessageContentProximityAlertTriggered) PushMessageContentType() string { + return TypePushMessageContentProximityAlertTriggered +} + +// Some tasks were added to a checklist +type PushMessageContentChecklistTasksAdded struct { + meta + // Number of added tasks + TaskCount int32 `json:"task_count"` +} + +func (entity *PushMessageContentChecklistTasksAdded) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PushMessageContentChecklistTasksAdded + + return json.Marshal((*stub)(entity)) +} + +func (*PushMessageContentChecklistTasksAdded) GetClass() string { + return ClassPushMessageContent +} + +func (*PushMessageContentChecklistTasksAdded) GetType() string { + return TypePushMessageContentChecklistTasksAdded +} + +func (*PushMessageContentChecklistTasksAdded) PushMessageContentType() string { + return TypePushMessageContentChecklistTasksAdded +} + +// Some tasks from a checklist were marked as done or not done +type PushMessageContentChecklistTasksDone struct { + meta + // Number of changed tasks + TaskCount int32 `json:"task_count"` +} + +func (entity *PushMessageContentChecklistTasksDone) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PushMessageContentChecklistTasksDone + + return json.Marshal((*stub)(entity)) +} + +func (*PushMessageContentChecklistTasksDone) GetClass() string { + return ClassPushMessageContent +} + +func (*PushMessageContentChecklistTasksDone) GetType() string { + return TypePushMessageContentChecklistTasksDone +} + +func (*PushMessageContentChecklistTasksDone) PushMessageContentType() string { + return TypePushMessageContentChecklistTasksDone +} + +// A forwarded messages +type PushMessageContentMessageForwards struct { + meta + // Number of forwarded messages + TotalCount int32 `json:"total_count"` +} + +func (entity *PushMessageContentMessageForwards) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PushMessageContentMessageForwards + + return json.Marshal((*stub)(entity)) +} + +func (*PushMessageContentMessageForwards) GetClass() string { + return ClassPushMessageContent +} + +func (*PushMessageContentMessageForwards) GetType() string { + return TypePushMessageContentMessageForwards +} + +func (*PushMessageContentMessageForwards) PushMessageContentType() string { + return TypePushMessageContentMessageForwards +} + +// A media album +type PushMessageContentMediaAlbum struct { + meta + // Number of messages in the album + TotalCount int32 `json:"total_count"` + // True, if the album has at least one photo + HasPhotos bool `json:"has_photos"` + // True, if the album has at least one video file + HasVideos bool `json:"has_videos"` + // True, if the album has at least one audio file + HasAudios bool `json:"has_audios"` + // True, if the album has at least one document + HasDocuments bool `json:"has_documents"` +} + +func (entity *PushMessageContentMediaAlbum) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PushMessageContentMediaAlbum + + return json.Marshal((*stub)(entity)) +} + +func (*PushMessageContentMediaAlbum) GetClass() string { + return ClassPushMessageContent +} + +func (*PushMessageContentMediaAlbum) GetType() string { + return TypePushMessageContentMediaAlbum +} + +func (*PushMessageContentMediaAlbum) PushMessageContentType() string { + return TypePushMessageContentMediaAlbum +} + +// New message was received +type NotificationTypeNewMessage struct { + meta + // The message + Message *Message `json:"message"` + // True, if message content must be displayed in notifications + ShowPreview bool `json:"show_preview"` +} + +func (entity *NotificationTypeNewMessage) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub NotificationTypeNewMessage + + return json.Marshal((*stub)(entity)) +} + +func (*NotificationTypeNewMessage) GetClass() string { + return ClassNotificationType +} + +func (*NotificationTypeNewMessage) GetType() string { + return TypeNotificationTypeNewMessage +} + +func (*NotificationTypeNewMessage) NotificationTypeType() string { + return TypeNotificationTypeNewMessage +} + +// New secret chat was created +type NotificationTypeNewSecretChat struct{ + meta +} + +func (entity *NotificationTypeNewSecretChat) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub NotificationTypeNewSecretChat + + return json.Marshal((*stub)(entity)) +} + +func (*NotificationTypeNewSecretChat) GetClass() string { + return ClassNotificationType +} + +func (*NotificationTypeNewSecretChat) GetType() string { + return TypeNotificationTypeNewSecretChat +} + +func (*NotificationTypeNewSecretChat) NotificationTypeType() string { + return TypeNotificationTypeNewSecretChat +} + +// New call was received +type NotificationTypeNewCall struct { + meta + // Call identifier + CallId int32 `json:"call_id"` +} + +func (entity *NotificationTypeNewCall) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub NotificationTypeNewCall + + return json.Marshal((*stub)(entity)) +} + +func (*NotificationTypeNewCall) GetClass() string { + return ClassNotificationType +} + +func (*NotificationTypeNewCall) GetType() string { + return TypeNotificationTypeNewCall +} + +func (*NotificationTypeNewCall) NotificationTypeType() string { + return TypeNotificationTypeNewCall +} + +// New message was received through a push notification +type NotificationTypeNewPushMessage struct { + meta + // The message identifier. The message will not be available in the chat history, but the identifier can be used in viewMessages, or as a message to be replied in the same chat + MessageId int64 `json:"message_id"` + // Identifier of the sender of the message. Corresponding user or chat may be inaccessible + SenderId MessageSender `json:"sender_id"` + // Name of the sender + SenderName string `json:"sender_name"` + // True, if the message is outgoing + IsOutgoing bool `json:"is_outgoing"` + // Push message content + Content PushMessageContent `json:"content"` +} + +func (entity *NotificationTypeNewPushMessage) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub NotificationTypeNewPushMessage + + return json.Marshal((*stub)(entity)) +} + +func (*NotificationTypeNewPushMessage) GetClass() string { + return ClassNotificationType +} + +func (*NotificationTypeNewPushMessage) GetType() string { + return TypeNotificationTypeNewPushMessage +} + +func (*NotificationTypeNewPushMessage) NotificationTypeType() string { + return TypeNotificationTypeNewPushMessage +} + +func (notificationTypeNewPushMessage *NotificationTypeNewPushMessage) UnmarshalJSON(data []byte) error { + var tmp struct { + MessageId int64 `json:"message_id"` + SenderId json.RawMessage `json:"sender_id"` + SenderName string `json:"sender_name"` + IsOutgoing bool `json:"is_outgoing"` + Content json.RawMessage `json:"content"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + notificationTypeNewPushMessage.MessageId = tmp.MessageId + notificationTypeNewPushMessage.SenderName = tmp.SenderName + notificationTypeNewPushMessage.IsOutgoing = tmp.IsOutgoing + + fieldSenderId, _ := UnmarshalMessageSender(tmp.SenderId) + notificationTypeNewPushMessage.SenderId = fieldSenderId + + fieldContent, _ := UnmarshalPushMessageContent(tmp.Content) + notificationTypeNewPushMessage.Content = fieldContent + + return nil +} + +// A group containing notifications of type notificationTypeNewMessage and notificationTypeNewPushMessage with ordinary unread messages +type NotificationGroupTypeMessages struct{ + meta +} + +func (entity *NotificationGroupTypeMessages) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub NotificationGroupTypeMessages + + return json.Marshal((*stub)(entity)) +} + +func (*NotificationGroupTypeMessages) GetClass() string { + return ClassNotificationGroupType +} + +func (*NotificationGroupTypeMessages) GetType() string { + return TypeNotificationGroupTypeMessages +} + +func (*NotificationGroupTypeMessages) NotificationGroupTypeType() string { + return TypeNotificationGroupTypeMessages +} + +// A group containing notifications of type notificationTypeNewMessage and notificationTypeNewPushMessage with unread mentions of the current user, replies to their messages, or a pinned message +type NotificationGroupTypeMentions struct{ + meta +} + +func (entity *NotificationGroupTypeMentions) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub NotificationGroupTypeMentions + + return json.Marshal((*stub)(entity)) +} + +func (*NotificationGroupTypeMentions) GetClass() string { + return ClassNotificationGroupType +} + +func (*NotificationGroupTypeMentions) GetType() string { + return TypeNotificationGroupTypeMentions +} + +func (*NotificationGroupTypeMentions) NotificationGroupTypeType() string { + return TypeNotificationGroupTypeMentions +} + +// A group containing a notification of type notificationTypeNewSecretChat +type NotificationGroupTypeSecretChat struct{ + meta +} + +func (entity *NotificationGroupTypeSecretChat) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub NotificationGroupTypeSecretChat + + return json.Marshal((*stub)(entity)) +} + +func (*NotificationGroupTypeSecretChat) GetClass() string { + return ClassNotificationGroupType +} + +func (*NotificationGroupTypeSecretChat) GetType() string { + return TypeNotificationGroupTypeSecretChat +} + +func (*NotificationGroupTypeSecretChat) NotificationGroupTypeType() string { + return TypeNotificationGroupTypeSecretChat +} + +// A group containing notifications of type notificationTypeNewCall +type NotificationGroupTypeCalls struct{ + meta +} + +func (entity *NotificationGroupTypeCalls) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub NotificationGroupTypeCalls + + return json.Marshal((*stub)(entity)) +} + +func (*NotificationGroupTypeCalls) GetClass() string { + return ClassNotificationGroupType +} + +func (*NotificationGroupTypeCalls) GetType() string { + return TypeNotificationGroupTypeCalls +} + +func (*NotificationGroupTypeCalls) NotificationGroupTypeType() string { + return TypeNotificationGroupTypeCalls +} + +// Describes a notification sound in MP3 format +type NotificationSound struct { + meta + // Unique identifier of the notification sound + Id JsonInt64 `json:"id"` + // Duration of the sound, in seconds + Duration int32 `json:"duration"` + // Point in time (Unix timestamp) when the sound was created + Date int32 `json:"date"` + // Title of the notification sound + Title string `json:"title"` + // Arbitrary data, defined while the sound was uploaded + Data string `json:"data"` + // File containing the sound + Sound *File `json:"sound"` +} + +func (entity *NotificationSound) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub NotificationSound + + return json.Marshal((*stub)(entity)) +} + +func (*NotificationSound) GetClass() string { + return ClassNotificationSound +} + +func (*NotificationSound) GetType() string { + return TypeNotificationSound +} + +// Contains a list of notification sounds +type NotificationSounds struct { + meta + // A list of notification sounds + NotificationSounds []*NotificationSound `json:"notification_sounds"` +} + +func (entity *NotificationSounds) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub NotificationSounds + + return json.Marshal((*stub)(entity)) +} + +func (*NotificationSounds) GetClass() string { + return ClassNotificationSounds +} + +func (*NotificationSounds) GetType() string { + return TypeNotificationSounds +} + +// Contains information about a notification +type Notification struct { + meta + // Unique persistent identifier of this notification + Id int32 `json:"id"` + // Notification date + Date int32 `json:"date"` + // True, if the notification was explicitly sent without sound + IsSilent bool `json:"is_silent"` + // Notification type + Type NotificationType `json:"type"` +} + +func (entity *Notification) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub Notification + + return json.Marshal((*stub)(entity)) +} + +func (*Notification) GetClass() string { + return ClassNotification +} + +func (*Notification) GetType() string { + return TypeNotification +} + +func (notification *Notification) UnmarshalJSON(data []byte) error { + var tmp struct { + Id int32 `json:"id"` + Date int32 `json:"date"` + IsSilent bool `json:"is_silent"` + Type json.RawMessage `json:"type"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + notification.Id = tmp.Id + notification.Date = tmp.Date + notification.IsSilent = tmp.IsSilent + + fieldType, _ := UnmarshalNotificationType(tmp.Type) + notification.Type = fieldType + + return nil +} + +// Describes a group of notifications +type NotificationGroup struct { + meta + // Unique persistent auto-incremented from 1 identifier of the notification group + Id int32 `json:"id"` + // Type of the group + Type NotificationGroupType `json:"type"` + // Identifier of a chat to which all notifications in the group belong + ChatId int64 `json:"chat_id"` + // Total number of active notifications in the group + TotalCount int32 `json:"total_count"` + // The list of active notifications + Notifications []*Notification `json:"notifications"` +} + +func (entity *NotificationGroup) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub NotificationGroup + + return json.Marshal((*stub)(entity)) +} + +func (*NotificationGroup) GetClass() string { + return ClassNotificationGroup +} + +func (*NotificationGroup) GetType() string { + return TypeNotificationGroup +} + +func (notificationGroup *NotificationGroup) UnmarshalJSON(data []byte) error { + var tmp struct { + Id int32 `json:"id"` + Type json.RawMessage `json:"type"` + ChatId int64 `json:"chat_id"` + TotalCount int32 `json:"total_count"` + Notifications []*Notification `json:"notifications"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + notificationGroup.Id = tmp.Id + notificationGroup.ChatId = tmp.ChatId + notificationGroup.TotalCount = tmp.TotalCount + notificationGroup.Notifications = tmp.Notifications + + fieldType, _ := UnmarshalNotificationGroupType(tmp.Type) + notificationGroup.Type = fieldType + + return nil +} + +// Describes a proxy server +type Proxy struct { + meta + // Proxy server domain or IP address + Server string `json:"server"` + // Proxy server port + Port int32 `json:"port"` + // Type of the proxy + Type ProxyType `json:"type"` +} + +func (entity *Proxy) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub Proxy + + return json.Marshal((*stub)(entity)) +} + +func (*Proxy) GetClass() string { + return ClassProxy +} + +func (*Proxy) GetType() string { + return TypeProxy +} + +func (proxy *Proxy) UnmarshalJSON(data []byte) error { + var tmp struct { + Server string `json:"server"` + Port int32 `json:"port"` + Type json.RawMessage `json:"type"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + proxy.Server = tmp.Server + proxy.Port = tmp.Port + + fieldType, _ := UnmarshalProxyType(tmp.Type) + proxy.Type = fieldType + + return nil +} + +// Represents a boolean option +type OptionValueBoolean struct { + meta + // The value of the option + Value bool `json:"value"` +} + +func (entity *OptionValueBoolean) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub OptionValueBoolean + + return json.Marshal((*stub)(entity)) +} + +func (*OptionValueBoolean) GetClass() string { + return ClassOptionValue +} + +func (*OptionValueBoolean) GetType() string { + return TypeOptionValueBoolean +} + +func (*OptionValueBoolean) OptionValueType() string { + return TypeOptionValueBoolean +} + +// Represents an unknown option or an option which has a default value +type OptionValueEmpty struct{ + meta +} + +func (entity *OptionValueEmpty) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub OptionValueEmpty + + return json.Marshal((*stub)(entity)) +} + +func (*OptionValueEmpty) GetClass() string { + return ClassOptionValue +} + +func (*OptionValueEmpty) GetType() string { + return TypeOptionValueEmpty +} + +func (*OptionValueEmpty) OptionValueType() string { + return TypeOptionValueEmpty +} + +// Represents an integer option +type OptionValueInteger struct { + meta + // The value of the option + Value JsonInt64 `json:"value"` +} + +func (entity *OptionValueInteger) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub OptionValueInteger + + return json.Marshal((*stub)(entity)) +} + +func (*OptionValueInteger) GetClass() string { + return ClassOptionValue +} + +func (*OptionValueInteger) GetType() string { + return TypeOptionValueInteger +} + +func (*OptionValueInteger) OptionValueType() string { + return TypeOptionValueInteger +} + +// Represents a string option +type OptionValueString struct { + meta + // The value of the option + Value string `json:"value"` +} + +func (entity *OptionValueString) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub OptionValueString + + return json.Marshal((*stub)(entity)) +} + +func (*OptionValueString) GetClass() string { + return ClassOptionValue +} + +func (*OptionValueString) GetType() string { + return TypeOptionValueString +} + +func (*OptionValueString) OptionValueType() string { + return TypeOptionValueString +} + +// Represents one member of a JSON object +type JsonObjectMember struct { + meta + // Member's key + Key string `json:"key"` + // Member's value + Value JsonValue `json:"value"` +} + +func (entity *JsonObjectMember) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub JsonObjectMember + + return json.Marshal((*stub)(entity)) +} + +func (*JsonObjectMember) GetClass() string { + return ClassJsonObjectMember +} + +func (*JsonObjectMember) GetType() string { + return TypeJsonObjectMember +} + +func (jsonObjectMember *JsonObjectMember) UnmarshalJSON(data []byte) error { + var tmp struct { + Key string `json:"key"` + Value json.RawMessage `json:"value"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + jsonObjectMember.Key = tmp.Key + + fieldValue, _ := UnmarshalJsonValue(tmp.Value) + jsonObjectMember.Value = fieldValue + + return nil +} + +// Represents a null JSON value +type JsonValueNull struct{ + meta +} + +func (entity *JsonValueNull) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub JsonValueNull + + return json.Marshal((*stub)(entity)) +} + +func (*JsonValueNull) GetClass() string { + return ClassJsonValue +} + +func (*JsonValueNull) GetType() string { + return TypeJsonValueNull +} + +func (*JsonValueNull) JsonValueType() string { + return TypeJsonValueNull +} + +// Represents a boolean JSON value +type JsonValueBoolean struct { + meta + // The value + Value bool `json:"value"` +} + +func (entity *JsonValueBoolean) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub JsonValueBoolean + + return json.Marshal((*stub)(entity)) +} + +func (*JsonValueBoolean) GetClass() string { + return ClassJsonValue +} + +func (*JsonValueBoolean) GetType() string { + return TypeJsonValueBoolean +} + +func (*JsonValueBoolean) JsonValueType() string { + return TypeJsonValueBoolean +} + +// Represents a numeric JSON value +type JsonValueNumber struct { + meta + // The value + Value float64 `json:"value"` +} + +func (entity *JsonValueNumber) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub JsonValueNumber + + return json.Marshal((*stub)(entity)) +} + +func (*JsonValueNumber) GetClass() string { + return ClassJsonValue +} + +func (*JsonValueNumber) GetType() string { + return TypeJsonValueNumber +} + +func (*JsonValueNumber) JsonValueType() string { + return TypeJsonValueNumber +} + +// Represents a string JSON value +type JsonValueString struct { + meta + // The value + Value string `json:"value"` +} + +func (entity *JsonValueString) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub JsonValueString + + return json.Marshal((*stub)(entity)) +} + +func (*JsonValueString) GetClass() string { + return ClassJsonValue +} + +func (*JsonValueString) GetType() string { + return TypeJsonValueString +} + +func (*JsonValueString) JsonValueType() string { + return TypeJsonValueString +} + +// Represents a JSON array +type JsonValueArray struct { + meta + // The list of array elements + Values []JsonValue `json:"values"` +} + +func (entity *JsonValueArray) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub JsonValueArray + + return json.Marshal((*stub)(entity)) +} + +func (*JsonValueArray) GetClass() string { + return ClassJsonValue +} + +func (*JsonValueArray) GetType() string { + return TypeJsonValueArray +} + +func (*JsonValueArray) JsonValueType() string { + return TypeJsonValueArray +} + +func (jsonValueArray *JsonValueArray) UnmarshalJSON(data []byte) error { + var tmp struct { + Values []json.RawMessage `json:"values"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldValues, _ := UnmarshalListOfJsonValue(tmp.Values) + jsonValueArray.Values = fieldValues + + return nil +} + +// Represents a JSON object +type JsonValueObject struct { + meta + // The list of object members + Members []*JsonObjectMember `json:"members"` +} + +func (entity *JsonValueObject) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub JsonValueObject + + return json.Marshal((*stub)(entity)) +} + +func (*JsonValueObject) GetClass() string { + return ClassJsonValue +} + +func (*JsonValueObject) GetType() string { + return TypeJsonValueObject +} + +func (*JsonValueObject) JsonValueType() string { + return TypeJsonValueObject +} + +// The story can be viewed by everyone +type StoryPrivacySettingsEveryone struct { + meta + // Identifiers of the users that can't see the story; always unknown and empty for non-owned stories + ExceptUserIds []int64 `json:"except_user_ids"` +} + +func (entity *StoryPrivacySettingsEveryone) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StoryPrivacySettingsEveryone + + return json.Marshal((*stub)(entity)) +} + +func (*StoryPrivacySettingsEveryone) GetClass() string { + return ClassStoryPrivacySettings +} + +func (*StoryPrivacySettingsEveryone) GetType() string { + return TypeStoryPrivacySettingsEveryone +} + +func (*StoryPrivacySettingsEveryone) StoryPrivacySettingsType() string { + return TypeStoryPrivacySettingsEveryone +} + +// The story can be viewed by all contacts except chosen users +type StoryPrivacySettingsContacts struct { + meta + // User identifiers of the contacts that can't see the story; always unknown and empty for non-owned stories + ExceptUserIds []int64 `json:"except_user_ids"` +} + +func (entity *StoryPrivacySettingsContacts) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StoryPrivacySettingsContacts + + return json.Marshal((*stub)(entity)) +} + +func (*StoryPrivacySettingsContacts) GetClass() string { + return ClassStoryPrivacySettings +} + +func (*StoryPrivacySettingsContacts) GetType() string { + return TypeStoryPrivacySettingsContacts +} + +func (*StoryPrivacySettingsContacts) StoryPrivacySettingsType() string { + return TypeStoryPrivacySettingsContacts +} + +// The story can be viewed by all close friends +type StoryPrivacySettingsCloseFriends struct{ + meta +} + +func (entity *StoryPrivacySettingsCloseFriends) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StoryPrivacySettingsCloseFriends + + return json.Marshal((*stub)(entity)) +} + +func (*StoryPrivacySettingsCloseFriends) GetClass() string { + return ClassStoryPrivacySettings +} + +func (*StoryPrivacySettingsCloseFriends) GetType() string { + return TypeStoryPrivacySettingsCloseFriends +} + +func (*StoryPrivacySettingsCloseFriends) StoryPrivacySettingsType() string { + return TypeStoryPrivacySettingsCloseFriends +} + +// The story can be viewed by certain specified users +type StoryPrivacySettingsSelectedUsers struct { + meta + // Identifiers of the users; always unknown and empty for non-owned stories + UserIds []int64 `json:"user_ids"` +} + +func (entity *StoryPrivacySettingsSelectedUsers) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StoryPrivacySettingsSelectedUsers + + return json.Marshal((*stub)(entity)) +} + +func (*StoryPrivacySettingsSelectedUsers) GetClass() string { + return ClassStoryPrivacySettings +} + +func (*StoryPrivacySettingsSelectedUsers) GetType() string { + return TypeStoryPrivacySettingsSelectedUsers +} + +func (*StoryPrivacySettingsSelectedUsers) StoryPrivacySettingsType() string { + return TypeStoryPrivacySettingsSelectedUsers +} + +// A rule to allow all users to do something +type UserPrivacySettingRuleAllowAll struct{ + meta +} + +func (entity *UserPrivacySettingRuleAllowAll) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UserPrivacySettingRuleAllowAll + + return json.Marshal((*stub)(entity)) +} + +func (*UserPrivacySettingRuleAllowAll) GetClass() string { + return ClassUserPrivacySettingRule +} + +func (*UserPrivacySettingRuleAllowAll) GetType() string { + return TypeUserPrivacySettingRuleAllowAll +} + +func (*UserPrivacySettingRuleAllowAll) UserPrivacySettingRuleType() string { + return TypeUserPrivacySettingRuleAllowAll +} + +// A rule to allow all contacts of the user to do something +type UserPrivacySettingRuleAllowContacts struct{ + meta +} + +func (entity *UserPrivacySettingRuleAllowContacts) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UserPrivacySettingRuleAllowContacts + + return json.Marshal((*stub)(entity)) +} + +func (*UserPrivacySettingRuleAllowContacts) GetClass() string { + return ClassUserPrivacySettingRule +} + +func (*UserPrivacySettingRuleAllowContacts) GetType() string { + return TypeUserPrivacySettingRuleAllowContacts +} + +func (*UserPrivacySettingRuleAllowContacts) UserPrivacySettingRuleType() string { + return TypeUserPrivacySettingRuleAllowContacts +} + +// A rule to allow all bots to do something +type UserPrivacySettingRuleAllowBots struct{ + meta +} + +func (entity *UserPrivacySettingRuleAllowBots) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UserPrivacySettingRuleAllowBots + + return json.Marshal((*stub)(entity)) +} + +func (*UserPrivacySettingRuleAllowBots) GetClass() string { + return ClassUserPrivacySettingRule +} + +func (*UserPrivacySettingRuleAllowBots) GetType() string { + return TypeUserPrivacySettingRuleAllowBots +} + +func (*UserPrivacySettingRuleAllowBots) UserPrivacySettingRuleType() string { + return TypeUserPrivacySettingRuleAllowBots +} + +// A rule to allow all Premium Users to do something; currently, allowed only for userPrivacySettingAllowChatInvites +type UserPrivacySettingRuleAllowPremiumUsers struct{ + meta +} + +func (entity *UserPrivacySettingRuleAllowPremiumUsers) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UserPrivacySettingRuleAllowPremiumUsers + + return json.Marshal((*stub)(entity)) +} + +func (*UserPrivacySettingRuleAllowPremiumUsers) GetClass() string { + return ClassUserPrivacySettingRule +} + +func (*UserPrivacySettingRuleAllowPremiumUsers) GetType() string { + return TypeUserPrivacySettingRuleAllowPremiumUsers +} + +func (*UserPrivacySettingRuleAllowPremiumUsers) UserPrivacySettingRuleType() string { + return TypeUserPrivacySettingRuleAllowPremiumUsers +} + +// A rule to allow certain specified users to do something +type UserPrivacySettingRuleAllowUsers struct { + meta + // The user identifiers, total number of users in all rules must not exceed 1000 + UserIds []int64 `json:"user_ids"` +} + +func (entity *UserPrivacySettingRuleAllowUsers) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UserPrivacySettingRuleAllowUsers + + return json.Marshal((*stub)(entity)) +} + +func (*UserPrivacySettingRuleAllowUsers) GetClass() string { + return ClassUserPrivacySettingRule +} + +func (*UserPrivacySettingRuleAllowUsers) GetType() string { + return TypeUserPrivacySettingRuleAllowUsers +} + +func (*UserPrivacySettingRuleAllowUsers) UserPrivacySettingRuleType() string { + return TypeUserPrivacySettingRuleAllowUsers +} + +// A rule to allow all members of certain specified basic groups and supergroups to doing something +type UserPrivacySettingRuleAllowChatMembers struct { + meta + // The chat identifiers, total number of chats in all rules must not exceed 20 + ChatIds []int64 `json:"chat_ids"` +} + +func (entity *UserPrivacySettingRuleAllowChatMembers) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UserPrivacySettingRuleAllowChatMembers + + return json.Marshal((*stub)(entity)) +} + +func (*UserPrivacySettingRuleAllowChatMembers) GetClass() string { + return ClassUserPrivacySettingRule +} + +func (*UserPrivacySettingRuleAllowChatMembers) GetType() string { + return TypeUserPrivacySettingRuleAllowChatMembers +} + +func (*UserPrivacySettingRuleAllowChatMembers) UserPrivacySettingRuleType() string { + return TypeUserPrivacySettingRuleAllowChatMembers +} + +// A rule to restrict all users from doing something +type UserPrivacySettingRuleRestrictAll struct{ + meta +} + +func (entity *UserPrivacySettingRuleRestrictAll) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UserPrivacySettingRuleRestrictAll + + return json.Marshal((*stub)(entity)) +} + +func (*UserPrivacySettingRuleRestrictAll) GetClass() string { + return ClassUserPrivacySettingRule +} + +func (*UserPrivacySettingRuleRestrictAll) GetType() string { + return TypeUserPrivacySettingRuleRestrictAll +} + +func (*UserPrivacySettingRuleRestrictAll) UserPrivacySettingRuleType() string { + return TypeUserPrivacySettingRuleRestrictAll +} + +// A rule to restrict all contacts of the user from doing something +type UserPrivacySettingRuleRestrictContacts struct{ + meta +} + +func (entity *UserPrivacySettingRuleRestrictContacts) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UserPrivacySettingRuleRestrictContacts + + return json.Marshal((*stub)(entity)) +} + +func (*UserPrivacySettingRuleRestrictContacts) GetClass() string { + return ClassUserPrivacySettingRule +} + +func (*UserPrivacySettingRuleRestrictContacts) GetType() string { + return TypeUserPrivacySettingRuleRestrictContacts +} + +func (*UserPrivacySettingRuleRestrictContacts) UserPrivacySettingRuleType() string { + return TypeUserPrivacySettingRuleRestrictContacts +} + +// A rule to restrict all bots from doing something +type UserPrivacySettingRuleRestrictBots struct{ + meta +} + +func (entity *UserPrivacySettingRuleRestrictBots) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UserPrivacySettingRuleRestrictBots + + return json.Marshal((*stub)(entity)) +} + +func (*UserPrivacySettingRuleRestrictBots) GetClass() string { + return ClassUserPrivacySettingRule +} + +func (*UserPrivacySettingRuleRestrictBots) GetType() string { + return TypeUserPrivacySettingRuleRestrictBots +} + +func (*UserPrivacySettingRuleRestrictBots) UserPrivacySettingRuleType() string { + return TypeUserPrivacySettingRuleRestrictBots +} + +// A rule to restrict all specified users from doing something +type UserPrivacySettingRuleRestrictUsers struct { + meta + // The user identifiers, total number of users in all rules must not exceed 1000 + UserIds []int64 `json:"user_ids"` +} + +func (entity *UserPrivacySettingRuleRestrictUsers) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UserPrivacySettingRuleRestrictUsers + + return json.Marshal((*stub)(entity)) +} + +func (*UserPrivacySettingRuleRestrictUsers) GetClass() string { + return ClassUserPrivacySettingRule +} + +func (*UserPrivacySettingRuleRestrictUsers) GetType() string { + return TypeUserPrivacySettingRuleRestrictUsers +} + +func (*UserPrivacySettingRuleRestrictUsers) UserPrivacySettingRuleType() string { + return TypeUserPrivacySettingRuleRestrictUsers +} + +// A rule to restrict all members of specified basic groups and supergroups from doing something +type UserPrivacySettingRuleRestrictChatMembers struct { + meta + // The chat identifiers, total number of chats in all rules must not exceed 20 + ChatIds []int64 `json:"chat_ids"` +} + +func (entity *UserPrivacySettingRuleRestrictChatMembers) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UserPrivacySettingRuleRestrictChatMembers + + return json.Marshal((*stub)(entity)) +} + +func (*UserPrivacySettingRuleRestrictChatMembers) GetClass() string { + return ClassUserPrivacySettingRule +} + +func (*UserPrivacySettingRuleRestrictChatMembers) GetType() string { + return TypeUserPrivacySettingRuleRestrictChatMembers +} + +func (*UserPrivacySettingRuleRestrictChatMembers) UserPrivacySettingRuleType() string { + return TypeUserPrivacySettingRuleRestrictChatMembers +} + +// A list of privacy rules. Rules are matched in the specified order. The first matched rule defines the privacy setting for a given user. If no rule matches, the action is not allowed +type UserPrivacySettingRules struct { + meta + // A list of rules + Rules []UserPrivacySettingRule `json:"rules"` +} + +func (entity *UserPrivacySettingRules) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UserPrivacySettingRules + + return json.Marshal((*stub)(entity)) +} + +func (*UserPrivacySettingRules) GetClass() string { + return ClassUserPrivacySettingRules +} + +func (*UserPrivacySettingRules) GetType() string { + return TypeUserPrivacySettingRules +} + +func (userPrivacySettingRules *UserPrivacySettingRules) UnmarshalJSON(data []byte) error { + var tmp struct { + Rules []json.RawMessage `json:"rules"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldRules, _ := UnmarshalListOfUserPrivacySettingRule(tmp.Rules) + userPrivacySettingRules.Rules = fieldRules + + return nil +} + +// A privacy setting for managing whether the user's online status is visible +type UserPrivacySettingShowStatus struct{ + meta +} + +func (entity *UserPrivacySettingShowStatus) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UserPrivacySettingShowStatus + + return json.Marshal((*stub)(entity)) +} + +func (*UserPrivacySettingShowStatus) GetClass() string { + return ClassUserPrivacySetting +} + +func (*UserPrivacySettingShowStatus) GetType() string { + return TypeUserPrivacySettingShowStatus +} + +func (*UserPrivacySettingShowStatus) UserPrivacySettingType() string { + return TypeUserPrivacySettingShowStatus +} + +// A privacy setting for managing whether the user's profile photo is visible +type UserPrivacySettingShowProfilePhoto struct{ + meta +} + +func (entity *UserPrivacySettingShowProfilePhoto) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UserPrivacySettingShowProfilePhoto + + return json.Marshal((*stub)(entity)) +} + +func (*UserPrivacySettingShowProfilePhoto) GetClass() string { + return ClassUserPrivacySetting +} + +func (*UserPrivacySettingShowProfilePhoto) GetType() string { + return TypeUserPrivacySettingShowProfilePhoto +} + +func (*UserPrivacySettingShowProfilePhoto) UserPrivacySettingType() string { + return TypeUserPrivacySettingShowProfilePhoto +} + +// A privacy setting for managing whether a link to the user's account is included in forwarded messages +type UserPrivacySettingShowLinkInForwardedMessages struct{ + meta +} + +func (entity *UserPrivacySettingShowLinkInForwardedMessages) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UserPrivacySettingShowLinkInForwardedMessages + + return json.Marshal((*stub)(entity)) +} + +func (*UserPrivacySettingShowLinkInForwardedMessages) GetClass() string { + return ClassUserPrivacySetting +} + +func (*UserPrivacySettingShowLinkInForwardedMessages) GetType() string { + return TypeUserPrivacySettingShowLinkInForwardedMessages +} + +func (*UserPrivacySettingShowLinkInForwardedMessages) UserPrivacySettingType() string { + return TypeUserPrivacySettingShowLinkInForwardedMessages +} + +// A privacy setting for managing whether the user's phone number is visible +type UserPrivacySettingShowPhoneNumber struct{ + meta +} + +func (entity *UserPrivacySettingShowPhoneNumber) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UserPrivacySettingShowPhoneNumber + + return json.Marshal((*stub)(entity)) +} + +func (*UserPrivacySettingShowPhoneNumber) GetClass() string { + return ClassUserPrivacySetting +} + +func (*UserPrivacySettingShowPhoneNumber) GetType() string { + return TypeUserPrivacySettingShowPhoneNumber +} + +func (*UserPrivacySettingShowPhoneNumber) UserPrivacySettingType() string { + return TypeUserPrivacySettingShowPhoneNumber +} + +// A privacy setting for managing whether the user's bio is visible +type UserPrivacySettingShowBio struct{ + meta +} + +func (entity *UserPrivacySettingShowBio) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UserPrivacySettingShowBio + + return json.Marshal((*stub)(entity)) +} + +func (*UserPrivacySettingShowBio) GetClass() string { + return ClassUserPrivacySetting +} + +func (*UserPrivacySettingShowBio) GetType() string { + return TypeUserPrivacySettingShowBio +} + +func (*UserPrivacySettingShowBio) UserPrivacySettingType() string { + return TypeUserPrivacySettingShowBio +} + +// A privacy setting for managing whether the user's birthdate is visible +type UserPrivacySettingShowBirthdate struct{ + meta +} + +func (entity *UserPrivacySettingShowBirthdate) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UserPrivacySettingShowBirthdate + + return json.Marshal((*stub)(entity)) +} + +func (*UserPrivacySettingShowBirthdate) GetClass() string { + return ClassUserPrivacySetting +} + +func (*UserPrivacySettingShowBirthdate) GetType() string { + return TypeUserPrivacySettingShowBirthdate +} + +func (*UserPrivacySettingShowBirthdate) UserPrivacySettingType() string { + return TypeUserPrivacySettingShowBirthdate +} + +// A privacy setting for managing whether the user's profile audio files are visible +type UserPrivacySettingShowProfileAudio struct{ + meta +} + +func (entity *UserPrivacySettingShowProfileAudio) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UserPrivacySettingShowProfileAudio + + return json.Marshal((*stub)(entity)) +} + +func (*UserPrivacySettingShowProfileAudio) GetClass() string { + return ClassUserPrivacySetting +} + +func (*UserPrivacySettingShowProfileAudio) GetType() string { + return TypeUserPrivacySettingShowProfileAudio +} + +func (*UserPrivacySettingShowProfileAudio) UserPrivacySettingType() string { + return TypeUserPrivacySettingShowProfileAudio +} + +// A privacy setting for managing whether the user can be invited to chats +type UserPrivacySettingAllowChatInvites struct{ + meta +} + +func (entity *UserPrivacySettingAllowChatInvites) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UserPrivacySettingAllowChatInvites + + return json.Marshal((*stub)(entity)) +} + +func (*UserPrivacySettingAllowChatInvites) GetClass() string { + return ClassUserPrivacySetting +} + +func (*UserPrivacySettingAllowChatInvites) GetType() string { + return TypeUserPrivacySettingAllowChatInvites +} + +func (*UserPrivacySettingAllowChatInvites) UserPrivacySettingType() string { + return TypeUserPrivacySettingAllowChatInvites +} + +// A privacy setting for managing whether the user can be called +type UserPrivacySettingAllowCalls struct{ + meta +} + +func (entity *UserPrivacySettingAllowCalls) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UserPrivacySettingAllowCalls + + return json.Marshal((*stub)(entity)) +} + +func (*UserPrivacySettingAllowCalls) GetClass() string { + return ClassUserPrivacySetting +} + +func (*UserPrivacySettingAllowCalls) GetType() string { + return TypeUserPrivacySettingAllowCalls +} + +func (*UserPrivacySettingAllowCalls) UserPrivacySettingType() string { + return TypeUserPrivacySettingAllowCalls +} + +// A privacy setting for managing whether peer-to-peer connections can be used for calls +type UserPrivacySettingAllowPeerToPeerCalls struct{ + meta +} + +func (entity *UserPrivacySettingAllowPeerToPeerCalls) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UserPrivacySettingAllowPeerToPeerCalls + + return json.Marshal((*stub)(entity)) +} + +func (*UserPrivacySettingAllowPeerToPeerCalls) GetClass() string { + return ClassUserPrivacySetting +} + +func (*UserPrivacySettingAllowPeerToPeerCalls) GetType() string { + return TypeUserPrivacySettingAllowPeerToPeerCalls +} + +func (*UserPrivacySettingAllowPeerToPeerCalls) UserPrivacySettingType() string { + return TypeUserPrivacySettingAllowPeerToPeerCalls +} + +// A privacy setting for managing whether the user can be found by their phone number. Checked only if the phone number is not known to the other user. Can be set only to "Allow contacts" or "Allow all" +type UserPrivacySettingAllowFindingByPhoneNumber struct{ + meta +} + +func (entity *UserPrivacySettingAllowFindingByPhoneNumber) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UserPrivacySettingAllowFindingByPhoneNumber + + return json.Marshal((*stub)(entity)) +} + +func (*UserPrivacySettingAllowFindingByPhoneNumber) GetClass() string { + return ClassUserPrivacySetting +} + +func (*UserPrivacySettingAllowFindingByPhoneNumber) GetType() string { + return TypeUserPrivacySettingAllowFindingByPhoneNumber +} + +func (*UserPrivacySettingAllowFindingByPhoneNumber) UserPrivacySettingType() string { + return TypeUserPrivacySettingAllowFindingByPhoneNumber +} + +// A privacy setting for managing whether the user can receive voice and video messages in private chats; for Telegram Premium users only +type UserPrivacySettingAllowPrivateVoiceAndVideoNoteMessages struct{ + meta +} + +func (entity *UserPrivacySettingAllowPrivateVoiceAndVideoNoteMessages) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UserPrivacySettingAllowPrivateVoiceAndVideoNoteMessages + + return json.Marshal((*stub)(entity)) +} + +func (*UserPrivacySettingAllowPrivateVoiceAndVideoNoteMessages) GetClass() string { + return ClassUserPrivacySetting +} + +func (*UserPrivacySettingAllowPrivateVoiceAndVideoNoteMessages) GetType() string { + return TypeUserPrivacySettingAllowPrivateVoiceAndVideoNoteMessages +} + +func (*UserPrivacySettingAllowPrivateVoiceAndVideoNoteMessages) UserPrivacySettingType() string { + return TypeUserPrivacySettingAllowPrivateVoiceAndVideoNoteMessages +} + +// A privacy setting for managing whether received gifts are automatically shown on the user's profile page +type UserPrivacySettingAutosaveGifts struct{ + meta +} + +func (entity *UserPrivacySettingAutosaveGifts) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UserPrivacySettingAutosaveGifts + + return json.Marshal((*stub)(entity)) +} + +func (*UserPrivacySettingAutosaveGifts) GetClass() string { + return ClassUserPrivacySetting +} + +func (*UserPrivacySettingAutosaveGifts) GetType() string { + return TypeUserPrivacySettingAutosaveGifts +} + +func (*UserPrivacySettingAutosaveGifts) UserPrivacySettingType() string { + return TypeUserPrivacySettingAutosaveGifts +} + +// A privacy setting for managing whether the user can receive messages without additional payment +type UserPrivacySettingAllowUnpaidMessages struct{ + meta +} + +func (entity *UserPrivacySettingAllowUnpaidMessages) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UserPrivacySettingAllowUnpaidMessages + + return json.Marshal((*stub)(entity)) +} + +func (*UserPrivacySettingAllowUnpaidMessages) GetClass() string { + return ClassUserPrivacySetting +} + +func (*UserPrivacySettingAllowUnpaidMessages) GetType() string { + return TypeUserPrivacySettingAllowUnpaidMessages +} + +func (*UserPrivacySettingAllowUnpaidMessages) UserPrivacySettingType() string { + return TypeUserPrivacySettingAllowUnpaidMessages +} + +// Contains privacy settings for message read date in private chats. Read dates are always shown to the users that can see online status of the current user regardless of this setting +type ReadDatePrivacySettings struct { + meta + // True, if message read date is shown to other users in private chats. If false and the current user isn't a Telegram Premium user, then they will not be able to see other's message read date + ShowReadDate bool `json:"show_read_date"` +} + +func (entity *ReadDatePrivacySettings) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ReadDatePrivacySettings + + return json.Marshal((*stub)(entity)) +} + +func (*ReadDatePrivacySettings) GetClass() string { + return ClassReadDatePrivacySettings +} + +func (*ReadDatePrivacySettings) GetType() string { + return TypeReadDatePrivacySettings +} + +// Contains privacy settings for chats with non-contacts +type NewChatPrivacySettings struct { + meta + // True, if non-contacts users are able to write first to the current user. Telegram Premium subscribers are able to write first regardless of this setting + AllowNewChatsFromUnknownUsers bool `json:"allow_new_chats_from_unknown_users"` + // Number of Telegram Stars that must be paid for every incoming private message by non-contacts; 0-getOption("paid_message_star_count_max"). If positive, then allow_new_chats_from_unknown_users must be true. The current user will receive getOption("paid_message_earnings_per_mille") Telegram Stars for each 1000 Telegram Stars paid for message sending. Can be positive, only if getOption("can_enable_paid_messages") is true + IncomingPaidMessageStarCount int64 `json:"incoming_paid_message_star_count"` +} + +func (entity *NewChatPrivacySettings) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub NewChatPrivacySettings + + return json.Marshal((*stub)(entity)) +} + +func (*NewChatPrivacySettings) GetClass() string { + return ClassNewChatPrivacySettings +} + +func (*NewChatPrivacySettings) GetType() string { + return TypeNewChatPrivacySettings +} + +// The user can be messaged +type CanSendMessageToUserResultOk struct{ + meta +} + +func (entity *CanSendMessageToUserResultOk) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub CanSendMessageToUserResultOk + + return json.Marshal((*stub)(entity)) +} + +func (*CanSendMessageToUserResultOk) GetClass() string { + return ClassCanSendMessageToUserResult +} + +func (*CanSendMessageToUserResultOk) GetType() string { + return TypeCanSendMessageToUserResultOk +} + +func (*CanSendMessageToUserResultOk) CanSendMessageToUserResultType() string { + return TypeCanSendMessageToUserResultOk +} + +// The user can be messaged, but the messages are paid +type CanSendMessageToUserResultUserHasPaidMessages struct { + meta + // Number of Telegram Stars that must be paid by the current user for each sent message to the user + OutgoingPaidMessageStarCount int64 `json:"outgoing_paid_message_star_count"` +} + +func (entity *CanSendMessageToUserResultUserHasPaidMessages) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub CanSendMessageToUserResultUserHasPaidMessages + + return json.Marshal((*stub)(entity)) +} + +func (*CanSendMessageToUserResultUserHasPaidMessages) GetClass() string { + return ClassCanSendMessageToUserResult +} + +func (*CanSendMessageToUserResultUserHasPaidMessages) GetType() string { + return TypeCanSendMessageToUserResultUserHasPaidMessages +} + +func (*CanSendMessageToUserResultUserHasPaidMessages) CanSendMessageToUserResultType() string { + return TypeCanSendMessageToUserResultUserHasPaidMessages +} + +// The user can't be messaged, because they are deleted or unknown +type CanSendMessageToUserResultUserIsDeleted struct{ + meta +} + +func (entity *CanSendMessageToUserResultUserIsDeleted) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub CanSendMessageToUserResultUserIsDeleted + + return json.Marshal((*stub)(entity)) +} + +func (*CanSendMessageToUserResultUserIsDeleted) GetClass() string { + return ClassCanSendMessageToUserResult +} + +func (*CanSendMessageToUserResultUserIsDeleted) GetType() string { + return TypeCanSendMessageToUserResultUserIsDeleted +} + +func (*CanSendMessageToUserResultUserIsDeleted) CanSendMessageToUserResultType() string { + return TypeCanSendMessageToUserResultUserIsDeleted +} + +// The user can't be messaged, because they restrict new chats with non-contacts +type CanSendMessageToUserResultUserRestrictsNewChats struct{ + meta +} + +func (entity *CanSendMessageToUserResultUserRestrictsNewChats) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub CanSendMessageToUserResultUserRestrictsNewChats + + return json.Marshal((*stub)(entity)) +} + +func (*CanSendMessageToUserResultUserRestrictsNewChats) GetClass() string { + return ClassCanSendMessageToUserResult +} + +func (*CanSendMessageToUserResultUserRestrictsNewChats) GetType() string { + return TypeCanSendMessageToUserResultUserRestrictsNewChats +} + +func (*CanSendMessageToUserResultUserRestrictsNewChats) CanSendMessageToUserResultType() string { + return TypeCanSendMessageToUserResultUserRestrictsNewChats +} + +// Contains information about the period of inactivity after which the current user's account will automatically be deleted +type AccountTtl struct { + meta + // Number of days of inactivity before the account will be flagged for deletion; 30-730 days + Days int32 `json:"days"` +} + +func (entity *AccountTtl) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub AccountTtl + + return json.Marshal((*stub)(entity)) +} + +func (*AccountTtl) GetClass() string { + return ClassAccountTtl +} + +func (*AccountTtl) GetType() string { + return TypeAccountTtl +} + +// Contains default auto-delete timer setting for new chats +type MessageAutoDeleteTime struct { + meta + // Message auto-delete time, in seconds. If 0, then messages aren't deleted automatically + Time int32 `json:"time"` +} + +func (entity *MessageAutoDeleteTime) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub MessageAutoDeleteTime + + return json.Marshal((*stub)(entity)) +} + +func (*MessageAutoDeleteTime) GetClass() string { + return ClassMessageAutoDeleteTime +} + +func (*MessageAutoDeleteTime) GetType() string { + return TypeMessageAutoDeleteTime +} + +// The session is running on an Android device +type SessionTypeAndroid struct{ + meta +} + +func (entity *SessionTypeAndroid) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SessionTypeAndroid + + return json.Marshal((*stub)(entity)) +} + +func (*SessionTypeAndroid) GetClass() string { + return ClassSessionType +} + +func (*SessionTypeAndroid) GetType() string { + return TypeSessionTypeAndroid +} + +func (*SessionTypeAndroid) SessionTypeType() string { + return TypeSessionTypeAndroid +} + +// The session is running on a generic Apple device +type SessionTypeApple struct{ + meta +} + +func (entity *SessionTypeApple) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SessionTypeApple + + return json.Marshal((*stub)(entity)) +} + +func (*SessionTypeApple) GetClass() string { + return ClassSessionType +} + +func (*SessionTypeApple) GetType() string { + return TypeSessionTypeApple +} + +func (*SessionTypeApple) SessionTypeType() string { + return TypeSessionTypeApple +} + +// The session is running on the Brave browser +type SessionTypeBrave struct{ + meta +} + +func (entity *SessionTypeBrave) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SessionTypeBrave + + return json.Marshal((*stub)(entity)) +} + +func (*SessionTypeBrave) GetClass() string { + return ClassSessionType +} + +func (*SessionTypeBrave) GetType() string { + return TypeSessionTypeBrave +} + +func (*SessionTypeBrave) SessionTypeType() string { + return TypeSessionTypeBrave +} + +// The session is running on the Chrome browser +type SessionTypeChrome struct{ + meta +} + +func (entity *SessionTypeChrome) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SessionTypeChrome + + return json.Marshal((*stub)(entity)) +} + +func (*SessionTypeChrome) GetClass() string { + return ClassSessionType +} + +func (*SessionTypeChrome) GetType() string { + return TypeSessionTypeChrome +} + +func (*SessionTypeChrome) SessionTypeType() string { + return TypeSessionTypeChrome +} + +// The session is running on the Edge browser +type SessionTypeEdge struct{ + meta +} + +func (entity *SessionTypeEdge) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SessionTypeEdge + + return json.Marshal((*stub)(entity)) +} + +func (*SessionTypeEdge) GetClass() string { + return ClassSessionType +} + +func (*SessionTypeEdge) GetType() string { + return TypeSessionTypeEdge +} + +func (*SessionTypeEdge) SessionTypeType() string { + return TypeSessionTypeEdge +} + +// The session is running on the Firefox browser +type SessionTypeFirefox struct{ + meta +} + +func (entity *SessionTypeFirefox) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SessionTypeFirefox + + return json.Marshal((*stub)(entity)) +} + +func (*SessionTypeFirefox) GetClass() string { + return ClassSessionType +} + +func (*SessionTypeFirefox) GetType() string { + return TypeSessionTypeFirefox +} + +func (*SessionTypeFirefox) SessionTypeType() string { + return TypeSessionTypeFirefox +} + +// The session is running on an iPad device +type SessionTypeIpad struct{ + meta +} + +func (entity *SessionTypeIpad) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SessionTypeIpad + + return json.Marshal((*stub)(entity)) +} + +func (*SessionTypeIpad) GetClass() string { + return ClassSessionType +} + +func (*SessionTypeIpad) GetType() string { + return TypeSessionTypeIpad +} + +func (*SessionTypeIpad) SessionTypeType() string { + return TypeSessionTypeIpad +} + +// The session is running on an iPhone device +type SessionTypeIphone struct{ + meta +} + +func (entity *SessionTypeIphone) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SessionTypeIphone + + return json.Marshal((*stub)(entity)) +} + +func (*SessionTypeIphone) GetClass() string { + return ClassSessionType +} + +func (*SessionTypeIphone) GetType() string { + return TypeSessionTypeIphone +} + +func (*SessionTypeIphone) SessionTypeType() string { + return TypeSessionTypeIphone +} + +// The session is running on a Linux device +type SessionTypeLinux struct{ + meta +} + +func (entity *SessionTypeLinux) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SessionTypeLinux + + return json.Marshal((*stub)(entity)) +} + +func (*SessionTypeLinux) GetClass() string { + return ClassSessionType +} + +func (*SessionTypeLinux) GetType() string { + return TypeSessionTypeLinux +} + +func (*SessionTypeLinux) SessionTypeType() string { + return TypeSessionTypeLinux +} + +// The session is running on a Mac device +type SessionTypeMac struct{ + meta +} + +func (entity *SessionTypeMac) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SessionTypeMac + + return json.Marshal((*stub)(entity)) +} + +func (*SessionTypeMac) GetClass() string { + return ClassSessionType +} + +func (*SessionTypeMac) GetType() string { + return TypeSessionTypeMac +} + +func (*SessionTypeMac) SessionTypeType() string { + return TypeSessionTypeMac +} + +// The session is running on the Opera browser +type SessionTypeOpera struct{ + meta +} + +func (entity *SessionTypeOpera) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SessionTypeOpera + + return json.Marshal((*stub)(entity)) +} + +func (*SessionTypeOpera) GetClass() string { + return ClassSessionType +} + +func (*SessionTypeOpera) GetType() string { + return TypeSessionTypeOpera +} + +func (*SessionTypeOpera) SessionTypeType() string { + return TypeSessionTypeOpera +} + +// The session is running on the Safari browser +type SessionTypeSafari struct{ + meta +} + +func (entity *SessionTypeSafari) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SessionTypeSafari + + return json.Marshal((*stub)(entity)) +} + +func (*SessionTypeSafari) GetClass() string { + return ClassSessionType +} + +func (*SessionTypeSafari) GetType() string { + return TypeSessionTypeSafari +} + +func (*SessionTypeSafari) SessionTypeType() string { + return TypeSessionTypeSafari +} + +// The session is running on an Ubuntu device +type SessionTypeUbuntu struct{ + meta +} + +func (entity *SessionTypeUbuntu) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SessionTypeUbuntu + + return json.Marshal((*stub)(entity)) +} + +func (*SessionTypeUbuntu) GetClass() string { + return ClassSessionType +} + +func (*SessionTypeUbuntu) GetType() string { + return TypeSessionTypeUbuntu +} + +func (*SessionTypeUbuntu) SessionTypeType() string { + return TypeSessionTypeUbuntu +} + +// The session is running on an unknown type of device +type SessionTypeUnknown struct{ + meta +} + +func (entity *SessionTypeUnknown) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SessionTypeUnknown + + return json.Marshal((*stub)(entity)) +} + +func (*SessionTypeUnknown) GetClass() string { + return ClassSessionType +} + +func (*SessionTypeUnknown) GetType() string { + return TypeSessionTypeUnknown +} + +func (*SessionTypeUnknown) SessionTypeType() string { + return TypeSessionTypeUnknown +} + +// The session is running on the Vivaldi browser +type SessionTypeVivaldi struct{ + meta +} + +func (entity *SessionTypeVivaldi) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SessionTypeVivaldi + + return json.Marshal((*stub)(entity)) +} + +func (*SessionTypeVivaldi) GetClass() string { + return ClassSessionType +} + +func (*SessionTypeVivaldi) GetType() string { + return TypeSessionTypeVivaldi +} + +func (*SessionTypeVivaldi) SessionTypeType() string { + return TypeSessionTypeVivaldi +} + +// The session is running on a Windows device +type SessionTypeWindows struct{ + meta +} + +func (entity *SessionTypeWindows) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SessionTypeWindows + + return json.Marshal((*stub)(entity)) +} + +func (*SessionTypeWindows) GetClass() string { + return ClassSessionType +} + +func (*SessionTypeWindows) GetType() string { + return TypeSessionTypeWindows +} + +func (*SessionTypeWindows) SessionTypeType() string { + return TypeSessionTypeWindows +} + +// The session is running on an Xbox console +type SessionTypeXbox struct{ + meta +} + +func (entity *SessionTypeXbox) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SessionTypeXbox + + return json.Marshal((*stub)(entity)) +} + +func (*SessionTypeXbox) GetClass() string { + return ClassSessionType +} + +func (*SessionTypeXbox) GetType() string { + return TypeSessionTypeXbox +} + +func (*SessionTypeXbox) SessionTypeType() string { + return TypeSessionTypeXbox +} + +// Contains information about one session in a Telegram application used by the current user. Sessions must be shown to the user in the returned order +type Session struct { + meta + // Session identifier + Id JsonInt64 `json:"id"` + // True, if this session is the current session + IsCurrent bool `json:"is_current"` + // True, if a 2-step verification password is needed to complete authorization of the session + IsPasswordPending bool `json:"is_password_pending"` + // True, if the session wasn't confirmed from another session + IsUnconfirmed bool `json:"is_unconfirmed"` + // True, if incoming secret chats can be accepted by the session + CanAcceptSecretChats bool `json:"can_accept_secret_chats"` + // True, if incoming calls can be accepted by the session + CanAcceptCalls bool `json:"can_accept_calls"` + // Session type based on the system and application version, which can be used to display a corresponding icon + Type SessionType `json:"type"` + // Telegram API identifier, as provided by the application + ApiId int32 `json:"api_id"` + // Name of the application, as provided by the application + ApplicationName string `json:"application_name"` + // The version of the application, as provided by the application + ApplicationVersion string `json:"application_version"` + // True, if the application is an official application or uses the api_id of an official application + IsOfficialApplication bool `json:"is_official_application"` + // Model of the device the application has been run or is running on, as provided by the application + DeviceModel string `json:"device_model"` + // Operating system the application has been run or is running on, as provided by the application + Platform string `json:"platform"` + // Version of the operating system the application has been run or is running on, as provided by the application + SystemVersion string `json:"system_version"` + // Point in time (Unix timestamp) when the user has logged in + LogInDate int32 `json:"log_in_date"` + // Point in time (Unix timestamp) when the session was last used + LastActiveDate int32 `json:"last_active_date"` + // IP address from which the session was created, in human-readable format + IpAddress string `json:"ip_address"` + // A human-readable description of the location from which the session was created, based on the IP address + Location string `json:"location"` +} + +func (entity *Session) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub Session + + return json.Marshal((*stub)(entity)) +} + +func (*Session) GetClass() string { + return ClassSession +} + +func (*Session) GetType() string { + return TypeSession +} + +func (session *Session) UnmarshalJSON(data []byte) error { + var tmp struct { + Id JsonInt64 `json:"id"` + IsCurrent bool `json:"is_current"` + IsPasswordPending bool `json:"is_password_pending"` + IsUnconfirmed bool `json:"is_unconfirmed"` + CanAcceptSecretChats bool `json:"can_accept_secret_chats"` + CanAcceptCalls bool `json:"can_accept_calls"` + Type json.RawMessage `json:"type"` + ApiId int32 `json:"api_id"` + ApplicationName string `json:"application_name"` + ApplicationVersion string `json:"application_version"` + IsOfficialApplication bool `json:"is_official_application"` + DeviceModel string `json:"device_model"` + Platform string `json:"platform"` + SystemVersion string `json:"system_version"` + LogInDate int32 `json:"log_in_date"` + LastActiveDate int32 `json:"last_active_date"` + IpAddress string `json:"ip_address"` + Location string `json:"location"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + session.Id = tmp.Id + session.IsCurrent = tmp.IsCurrent + session.IsPasswordPending = tmp.IsPasswordPending + session.IsUnconfirmed = tmp.IsUnconfirmed + session.CanAcceptSecretChats = tmp.CanAcceptSecretChats + session.CanAcceptCalls = tmp.CanAcceptCalls + session.ApiId = tmp.ApiId + session.ApplicationName = tmp.ApplicationName + session.ApplicationVersion = tmp.ApplicationVersion + session.IsOfficialApplication = tmp.IsOfficialApplication + session.DeviceModel = tmp.DeviceModel + session.Platform = tmp.Platform + session.SystemVersion = tmp.SystemVersion + session.LogInDate = tmp.LogInDate + session.LastActiveDate = tmp.LastActiveDate + session.IpAddress = tmp.IpAddress + session.Location = tmp.Location + + fieldType, _ := UnmarshalSessionType(tmp.Type) + session.Type = fieldType + + return nil +} + +// Contains a list of sessions +type Sessions struct { + meta + // List of sessions + Sessions []*Session `json:"sessions"` + // Number of days of inactivity before sessions will automatically be terminated; 1-366 days + InactiveSessionTtlDays int32 `json:"inactive_session_ttl_days"` +} + +func (entity *Sessions) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub Sessions + + return json.Marshal((*stub)(entity)) +} + +func (*Sessions) GetClass() string { + return ClassSessions +} + +func (*Sessions) GetType() string { + return TypeSessions +} + +// Contains information about an unconfirmed session +type UnconfirmedSession struct { + meta + // Session identifier + Id JsonInt64 `json:"id"` + // Point in time (Unix timestamp) when the user has logged in + LogInDate int32 `json:"log_in_date"` + // Model of the device that was used for the session creation, as provided by the application + DeviceModel string `json:"device_model"` + // A human-readable description of the location from which the session was created, based on the IP address + Location string `json:"location"` +} + +func (entity *UnconfirmedSession) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UnconfirmedSession + + return json.Marshal((*stub)(entity)) +} + +func (*UnconfirmedSession) GetClass() string { + return ClassUnconfirmedSession +} + +func (*UnconfirmedSession) GetType() string { + return TypeUnconfirmedSession +} + +// Contains information about one website the current user is logged in with Telegram +type ConnectedWebsite struct { + meta + // Website identifier + Id JsonInt64 `json:"id"` + // The domain name of the website + DomainName string `json:"domain_name"` + // User identifier of a bot linked with the website + BotUserId int64 `json:"bot_user_id"` + // The version of a browser used to log in + Browser string `json:"browser"` + // Operating system the browser is running on + Platform string `json:"platform"` + // Point in time (Unix timestamp) when the user was logged in + LogInDate int32 `json:"log_in_date"` + // Point in time (Unix timestamp) when obtained authorization was last used + LastActiveDate int32 `json:"last_active_date"` + // IP address from which the user was logged in, in human-readable format + IpAddress string `json:"ip_address"` + // Human-readable description of a country and a region from which the user was logged in, based on the IP address + Location string `json:"location"` +} + +func (entity *ConnectedWebsite) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ConnectedWebsite + + return json.Marshal((*stub)(entity)) +} + +func (*ConnectedWebsite) GetClass() string { + return ClassConnectedWebsite +} + +func (*ConnectedWebsite) GetType() string { + return TypeConnectedWebsite +} + +// Contains a list of websites the current user is logged in with Telegram +type ConnectedWebsites struct { + meta + // List of connected websites + Websites []*ConnectedWebsite `json:"websites"` +} + +func (entity *ConnectedWebsites) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ConnectedWebsites + + return json.Marshal((*stub)(entity)) +} + +func (*ConnectedWebsites) GetClass() string { + return ClassConnectedWebsites +} + +func (*ConnectedWebsites) GetType() string { + return TypeConnectedWebsites +} + +// The chat contains spam messages +type ReportReasonSpam struct{ + meta +} + +func (entity *ReportReasonSpam) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ReportReasonSpam + + return json.Marshal((*stub)(entity)) +} + +func (*ReportReasonSpam) GetClass() string { + return ClassReportReason +} + +func (*ReportReasonSpam) GetType() string { + return TypeReportReasonSpam +} + +func (*ReportReasonSpam) ReportReasonType() string { + return TypeReportReasonSpam +} + +// The chat promotes violence +type ReportReasonViolence struct{ + meta +} + +func (entity *ReportReasonViolence) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ReportReasonViolence + + return json.Marshal((*stub)(entity)) +} + +func (*ReportReasonViolence) GetClass() string { + return ClassReportReason +} + +func (*ReportReasonViolence) GetType() string { + return TypeReportReasonViolence +} + +func (*ReportReasonViolence) ReportReasonType() string { + return TypeReportReasonViolence +} + +// The chat contains pornographic messages +type ReportReasonPornography struct{ + meta +} + +func (entity *ReportReasonPornography) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ReportReasonPornography + + return json.Marshal((*stub)(entity)) +} + +func (*ReportReasonPornography) GetClass() string { + return ClassReportReason +} + +func (*ReportReasonPornography) GetType() string { + return TypeReportReasonPornography +} + +func (*ReportReasonPornography) ReportReasonType() string { + return TypeReportReasonPornography +} + +// The chat has child abuse related content +type ReportReasonChildAbuse struct{ + meta +} + +func (entity *ReportReasonChildAbuse) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ReportReasonChildAbuse + + return json.Marshal((*stub)(entity)) +} + +func (*ReportReasonChildAbuse) GetClass() string { + return ClassReportReason +} + +func (*ReportReasonChildAbuse) GetType() string { + return TypeReportReasonChildAbuse +} + +func (*ReportReasonChildAbuse) ReportReasonType() string { + return TypeReportReasonChildAbuse +} + +// The chat contains copyrighted content +type ReportReasonCopyright struct{ + meta +} + +func (entity *ReportReasonCopyright) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ReportReasonCopyright + + return json.Marshal((*stub)(entity)) +} + +func (*ReportReasonCopyright) GetClass() string { + return ClassReportReason +} + +func (*ReportReasonCopyright) GetType() string { + return TypeReportReasonCopyright +} + +func (*ReportReasonCopyright) ReportReasonType() string { + return TypeReportReasonCopyright +} + +// The location-based chat is unrelated to its stated location +type ReportReasonUnrelatedLocation struct{ + meta +} + +func (entity *ReportReasonUnrelatedLocation) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ReportReasonUnrelatedLocation + + return json.Marshal((*stub)(entity)) +} + +func (*ReportReasonUnrelatedLocation) GetClass() string { + return ClassReportReason +} + +func (*ReportReasonUnrelatedLocation) GetType() string { + return TypeReportReasonUnrelatedLocation +} + +func (*ReportReasonUnrelatedLocation) ReportReasonType() string { + return TypeReportReasonUnrelatedLocation +} + +// The chat represents a fake account +type ReportReasonFake struct{ + meta +} + +func (entity *ReportReasonFake) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ReportReasonFake + + return json.Marshal((*stub)(entity)) +} + +func (*ReportReasonFake) GetClass() string { + return ClassReportReason +} + +func (*ReportReasonFake) GetType() string { + return TypeReportReasonFake +} + +func (*ReportReasonFake) ReportReasonType() string { + return TypeReportReasonFake +} + +// The chat has illegal drugs related content +type ReportReasonIllegalDrugs struct{ + meta +} + +func (entity *ReportReasonIllegalDrugs) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ReportReasonIllegalDrugs + + return json.Marshal((*stub)(entity)) +} + +func (*ReportReasonIllegalDrugs) GetClass() string { + return ClassReportReason +} + +func (*ReportReasonIllegalDrugs) GetType() string { + return TypeReportReasonIllegalDrugs +} + +func (*ReportReasonIllegalDrugs) ReportReasonType() string { + return TypeReportReasonIllegalDrugs +} + +// The chat contains messages with personal details +type ReportReasonPersonalDetails struct{ + meta +} + +func (entity *ReportReasonPersonalDetails) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ReportReasonPersonalDetails + + return json.Marshal((*stub)(entity)) +} + +func (*ReportReasonPersonalDetails) GetClass() string { + return ClassReportReason +} + +func (*ReportReasonPersonalDetails) GetType() string { + return TypeReportReasonPersonalDetails +} + +func (*ReportReasonPersonalDetails) ReportReasonType() string { + return TypeReportReasonPersonalDetails +} + +// A custom reason provided by the user +type ReportReasonCustom struct{ + meta +} + +func (entity *ReportReasonCustom) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ReportReasonCustom + + return json.Marshal((*stub)(entity)) +} + +func (*ReportReasonCustom) GetClass() string { + return ClassReportReason +} + +func (*ReportReasonCustom) GetType() string { + return TypeReportReasonCustom +} + +func (*ReportReasonCustom) ReportReasonType() string { + return TypeReportReasonCustom +} + +// The chat was reported successfully +type ReportChatResultOk struct{ + meta +} + +func (entity *ReportChatResultOk) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ReportChatResultOk + + return json.Marshal((*stub)(entity)) +} + +func (*ReportChatResultOk) GetClass() string { + return ClassReportChatResult +} + +func (*ReportChatResultOk) GetType() string { + return TypeReportChatResultOk +} + +func (*ReportChatResultOk) ReportChatResultType() string { + return TypeReportChatResultOk +} + +// The user must choose an option to report the chat and repeat request with the chosen option +type ReportChatResultOptionRequired struct { + meta + // Title for the option choice + Title string `json:"title"` + // List of available options + Options []*ReportOption `json:"options"` +} + +func (entity *ReportChatResultOptionRequired) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ReportChatResultOptionRequired + + return json.Marshal((*stub)(entity)) +} + +func (*ReportChatResultOptionRequired) GetClass() string { + return ClassReportChatResult +} + +func (*ReportChatResultOptionRequired) GetType() string { + return TypeReportChatResultOptionRequired +} + +func (*ReportChatResultOptionRequired) ReportChatResultType() string { + return TypeReportChatResultOptionRequired +} + +// The user must add additional text details to the report +type ReportChatResultTextRequired struct { + meta + // Option identifier for the next reportChat request + OptionId []byte `json:"option_id"` + // True, if the user can skip text adding + IsOptional bool `json:"is_optional"` +} + +func (entity *ReportChatResultTextRequired) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ReportChatResultTextRequired + + return json.Marshal((*stub)(entity)) +} + +func (*ReportChatResultTextRequired) GetClass() string { + return ClassReportChatResult +} + +func (*ReportChatResultTextRequired) GetType() string { + return TypeReportChatResultTextRequired +} + +func (*ReportChatResultTextRequired) ReportChatResultType() string { + return TypeReportChatResultTextRequired +} + +// The user must choose messages to report and repeat the reportChat request with the chosen messages +type ReportChatResultMessagesRequired struct{ + meta +} + +func (entity *ReportChatResultMessagesRequired) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ReportChatResultMessagesRequired + + return json.Marshal((*stub)(entity)) +} + +func (*ReportChatResultMessagesRequired) GetClass() string { + return ClassReportChatResult +} + +func (*ReportChatResultMessagesRequired) GetType() string { + return TypeReportChatResultMessagesRequired +} + +func (*ReportChatResultMessagesRequired) ReportChatResultType() string { + return TypeReportChatResultMessagesRequired +} + +// The story was reported successfully +type ReportStoryResultOk struct{ + meta +} + +func (entity *ReportStoryResultOk) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ReportStoryResultOk + + return json.Marshal((*stub)(entity)) +} + +func (*ReportStoryResultOk) GetClass() string { + return ClassReportStoryResult +} + +func (*ReportStoryResultOk) GetType() string { + return TypeReportStoryResultOk +} + +func (*ReportStoryResultOk) ReportStoryResultType() string { + return TypeReportStoryResultOk +} + +// The user must choose an option to report the story and repeat request with the chosen option +type ReportStoryResultOptionRequired struct { + meta + // Title for the option choice + Title string `json:"title"` + // List of available options + Options []*ReportOption `json:"options"` +} + +func (entity *ReportStoryResultOptionRequired) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ReportStoryResultOptionRequired + + return json.Marshal((*stub)(entity)) +} + +func (*ReportStoryResultOptionRequired) GetClass() string { + return ClassReportStoryResult +} + +func (*ReportStoryResultOptionRequired) GetType() string { + return TypeReportStoryResultOptionRequired +} + +func (*ReportStoryResultOptionRequired) ReportStoryResultType() string { + return TypeReportStoryResultOptionRequired +} + +// The user must add additional text details to the report +type ReportStoryResultTextRequired struct { + meta + // Option identifier for the next reportStory request + OptionId []byte `json:"option_id"` + // True, if the user can skip text adding + IsOptional bool `json:"is_optional"` +} + +func (entity *ReportStoryResultTextRequired) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ReportStoryResultTextRequired + + return json.Marshal((*stub)(entity)) +} + +func (*ReportStoryResultTextRequired) GetClass() string { + return ClassReportStoryResult +} + +func (*ReportStoryResultTextRequired) GetType() string { + return TypeReportStoryResultTextRequired +} + +func (*ReportStoryResultTextRequired) ReportStoryResultType() string { + return TypeReportStoryResultTextRequired +} + +// The appearance section +type SettingsSectionAppearance struct { + meta + // Subsection of the section; may be one of "", "themes", "themes/edit", "themes/create", "wallpapers", "wallpapers/edit", "wallpapers/set", "wallpapers/choose-photo", "your-color/profile", "your-color/profile/add-icons", "your-color/profile/use-gift", "your-color/profile/reset", "your-color/name", "your-color/name/add-icons", "your-color/name/use-gift", "night-mode", "auto-night-mode", "text-size", "text-size/use-system", "message-corners", "animations", "stickers-and-emoji", "stickers-and-emoji/edit", "stickers-and-emoji/trending", "stickers-and-emoji/archived", "stickers-and-emoji/archived/edit", "stickers-and-emoji/emoji", "stickers-and-emoji/emoji/edit", "stickers-and-emoji/emoji/archived", "stickers-and-emoji/emoji/archived/edit", "stickers-and-emoji/emoji/suggest", "stickers-and-emoji/emoji/quick-reaction", "stickers-and-emoji/emoji/quick-reaction/choose", "stickers-and-emoji/suggest-by-emoji", "stickers-and-emoji/large-emoji", "stickers-and-emoji/dynamic-order", "stickers-and-emoji/emoji/show-more", "app-icon", "tap-for-next-media" + Subsection string `json:"subsection"` +} + +func (entity *SettingsSectionAppearance) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SettingsSectionAppearance + + return json.Marshal((*stub)(entity)) +} + +func (*SettingsSectionAppearance) GetClass() string { + return ClassSettingsSection +} + +func (*SettingsSectionAppearance) GetType() string { + return TypeSettingsSectionAppearance +} + +func (*SettingsSectionAppearance) SettingsSectionType() string { + return TypeSettingsSectionAppearance +} + +// The "Ask a question" section +type SettingsSectionAskQuestion struct{ + meta +} + +func (entity *SettingsSectionAskQuestion) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SettingsSectionAskQuestion + + return json.Marshal((*stub)(entity)) +} + +func (*SettingsSectionAskQuestion) GetClass() string { + return ClassSettingsSection +} + +func (*SettingsSectionAskQuestion) GetType() string { + return TypeSettingsSectionAskQuestion +} + +func (*SettingsSectionAskQuestion) SettingsSectionType() string { + return TypeSettingsSectionAskQuestion +} + +// The "Telegram Business" section +type SettingsSectionBusiness struct { + meta + // Subsection of the section; may be one of "", "do-not-hide-ads" + Subsection string `json:"subsection"` +} + +func (entity *SettingsSectionBusiness) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SettingsSectionBusiness + + return json.Marshal((*stub)(entity)) +} + +func (*SettingsSectionBusiness) GetClass() string { + return ClassSettingsSection +} + +func (*SettingsSectionBusiness) GetType() string { + return TypeSettingsSectionBusiness +} + +func (*SettingsSectionBusiness) SettingsSectionType() string { + return TypeSettingsSectionBusiness +} + +// The chat folder settings section +type SettingsSectionChatFolders struct { + meta + // Subsection of the section; may be one of "", "edit", "create", "add-recommended", "show-tags", "tab-view" + Subsection string `json:"subsection"` +} + +func (entity *SettingsSectionChatFolders) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SettingsSectionChatFolders + + return json.Marshal((*stub)(entity)) +} + +func (*SettingsSectionChatFolders) GetClass() string { + return ClassSettingsSection +} + +func (*SettingsSectionChatFolders) GetType() string { + return TypeSettingsSectionChatFolders +} + +func (*SettingsSectionChatFolders) SettingsSectionType() string { + return TypeSettingsSectionChatFolders +} + +// The data and storage settings section +type SettingsSectionDataAndStorage struct { + meta + // Subsection of the section; may be one of "", "storage", "storage/edit", "storage/auto-remove", "storage/clear-cache", "storage/max-cache", "usage", "usage/mobile", "usage/wifi", "usage/reset", "usage/roaming", "auto-download/mobile", "auto-download/mobile/enable", "auto-download/mobile/usage", "auto-download/mobile/photos", "auto-download/mobile/stories", "auto-download/mobile/videos", "auto-download/mobile/files", "auto-download/wifi", "auto-download/wifi/enable", "auto-download/wifi/usage", "auto-download/wifi/photos", "auto-download/wifi/stories", "auto-download/wifi/videos", "auto-download/wifi/files", "auto-download/roaming", "auto-download/roaming/enable", "auto-download/roaming/usage", "auto-download/roaming/photos", "auto-download/roaming/stories", "auto-download/roaming/videos", "auto-download/roaming/files", "auto-download/reset", "save-to-photos/chats", "save-to-photos/chats/max-video-size", "save-to-photos/chats/add-exception", "save-to-photos/chats/delete-all", "save-to-photos/groups", "save-to-photos/groups/max-video-size", "save-to-photos/groups/add-exception", "save-to-photos/groups/delete-all", "save-to-photos/channels", "save-to-photos/channels/max-video-size", "save-to-photos/channels/add-exception", "save-to-photos/channels/delete-all", "less-data-calls", "open-links", "share-sheet", "share-sheet/suggested-chats", "share-sheet/suggest-by", "share-sheet/reset", "saved-edited-photos", "pause-music", "raise-to-listen", "raise-to-speak", "show-18-content", "proxy", "proxy/edit", "proxy/use-proxy", "proxy/add-proxy", "proxy/share-list", "proxy/use-for-calls" + Subsection string `json:"subsection"` +} + +func (entity *SettingsSectionDataAndStorage) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SettingsSectionDataAndStorage + + return json.Marshal((*stub)(entity)) +} + +func (*SettingsSectionDataAndStorage) GetClass() string { + return ClassSettingsSection +} + +func (*SettingsSectionDataAndStorage) GetType() string { + return TypeSettingsSectionDataAndStorage +} + +func (*SettingsSectionDataAndStorage) SettingsSectionType() string { + return TypeSettingsSectionDataAndStorage +} + +// The Devices section +type SettingsSectionDevices struct { + meta + // Subsection of the section; may be one of "", "edit", "link-desktop", "terminate-sessions", "auto-terminate" + Subsection string `json:"subsection"` +} + +func (entity *SettingsSectionDevices) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SettingsSectionDevices + + return json.Marshal((*stub)(entity)) +} + +func (*SettingsSectionDevices) GetClass() string { + return ClassSettingsSection +} + +func (*SettingsSectionDevices) GetType() string { + return TypeSettingsSectionDevices +} + +func (*SettingsSectionDevices) SettingsSectionType() string { + return TypeSettingsSectionDevices +} + +// The profile edit section +type SettingsSectionEditProfile struct { + meta + // Subsection of the section; may be one of "", "set-photo", "first-name", "last-name", "emoji-status", "bio", "birthday", "change-number", "username", "your-color", "channel", "add-account", "log-out", "profile-color/profile", "profile-color/profile/add-icons", "profile-color/profile/use-gift", "profile-color/name", "profile-color/name/add-icons", "profile-color/name/use-gift", "profile-photo/use-emoji" + Subsection string `json:"subsection"` +} + +func (entity *SettingsSectionEditProfile) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SettingsSectionEditProfile + + return json.Marshal((*stub)(entity)) +} + +func (*SettingsSectionEditProfile) GetClass() string { + return ClassSettingsSection +} + +func (*SettingsSectionEditProfile) GetType() string { + return TypeSettingsSectionEditProfile +} + +func (*SettingsSectionEditProfile) SettingsSectionType() string { + return TypeSettingsSectionEditProfile +} + +// The FAQ section +type SettingsSectionFaq struct{ + meta +} + +func (entity *SettingsSectionFaq) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SettingsSectionFaq + + return json.Marshal((*stub)(entity)) +} + +func (*SettingsSectionFaq) GetClass() string { + return ClassSettingsSection +} + +func (*SettingsSectionFaq) GetType() string { + return TypeSettingsSectionFaq +} + +func (*SettingsSectionFaq) SettingsSectionType() string { + return TypeSettingsSectionFaq +} + +// The "Telegram Features" section +type SettingsSectionFeatures struct{ + meta +} + +func (entity *SettingsSectionFeatures) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SettingsSectionFeatures + + return json.Marshal((*stub)(entity)) +} + +func (*SettingsSectionFeatures) GetClass() string { + return ClassSettingsSection +} + +func (*SettingsSectionFeatures) GetType() string { + return TypeSettingsSectionFeatures +} + +func (*SettingsSectionFeatures) SettingsSectionType() string { + return TypeSettingsSectionFeatures +} + +// The in-app browser settings section +type SettingsSectionInAppBrowser struct { + meta + // Subsection of the section; may be one of "", "enable-browser", "clear-cookies", "clear-cache", "history", "clear-history", "never-open", "clear-list", "search" + Subsection string `json:"subsection"` +} + +func (entity *SettingsSectionInAppBrowser) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SettingsSectionInAppBrowser + + return json.Marshal((*stub)(entity)) +} + +func (*SettingsSectionInAppBrowser) GetClass() string { + return ClassSettingsSection +} + +func (*SettingsSectionInAppBrowser) GetType() string { + return TypeSettingsSectionInAppBrowser +} + +func (*SettingsSectionInAppBrowser) SettingsSectionType() string { + return TypeSettingsSectionInAppBrowser +} + +// The application language section +type SettingsSectionLanguage struct { + meta + // Subsection of the section; may be one of "", "show-button" for Show Translate Button toggle, "translate-chats" for Translate Entire Chats toggle, "do-not-translate" - for Do Not Translate language list + Subsection string `json:"subsection"` +} + +func (entity *SettingsSectionLanguage) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SettingsSectionLanguage + + return json.Marshal((*stub)(entity)) +} + +func (*SettingsSectionLanguage) GetClass() string { + return ClassSettingsSection +} + +func (*SettingsSectionLanguage) GetType() string { + return TypeSettingsSectionLanguage +} + +func (*SettingsSectionLanguage) SettingsSectionType() string { + return TypeSettingsSectionLanguage +} + +// The Telegram Star balance and transaction section +type SettingsSectionMyStars struct { + meta + // Subsection of the section; may be one of "", "top-up", "stats", "gift", "earn" + Subsection string `json:"subsection"` +} + +func (entity *SettingsSectionMyStars) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SettingsSectionMyStars + + return json.Marshal((*stub)(entity)) +} + +func (*SettingsSectionMyStars) GetClass() string { + return ClassSettingsSection +} + +func (*SettingsSectionMyStars) GetType() string { + return TypeSettingsSectionMyStars +} + +func (*SettingsSectionMyStars) SettingsSectionType() string { + return TypeSettingsSectionMyStars +} + +// The Toncoin balance and transaction section +type SettingsSectionMyToncoins struct{ + meta +} + +func (entity *SettingsSectionMyToncoins) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SettingsSectionMyToncoins + + return json.Marshal((*stub)(entity)) +} + +func (*SettingsSectionMyToncoins) GetClass() string { + return ClassSettingsSection +} + +func (*SettingsSectionMyToncoins) GetType() string { + return TypeSettingsSectionMyToncoins +} + +func (*SettingsSectionMyToncoins) SettingsSectionType() string { + return TypeSettingsSectionMyToncoins +} + +// The notification settings section +type SettingsSectionNotifications struct { + meta + // Subsection of the section; may be one of "", "accounts", "private-chats", "private-chats/edit", "private-chats/show", "private-chats/preview", "private-chats/sound", "private-chats/add-exception", "private-chats/delete-exceptions", "private-chats/light-color", "private-chats/vibrate", "private-chats/priority", "groups", "groups/edit", "groups/show", "groups/preview", "groups/sound", "groups/add-exception", "groups/delete-exceptions", "groups/light-color", "groups/vibrate", "groups/priority", "channels", "channels/edit", "channels/show", "channels/preview", "channels/sound", "channels/add-exception", "channels/delete-exceptions", "channels/light-color", "channels/vibrate", "channels/priority", "stories", "stories/new", "stories/important", "stories/show-sender", "stories/sound", "stories/add-exception", "stories/delete-exceptions", "stories/light-color", "stories/vibrate", "stories/priority", "reactions", "reactions/messages", "reactions/stories", "reactions/show-sender", "reactions/sound", "reactions/light-color", "reactions/vibrate", "reactions/priority", "in-app-sounds", "in-app-vibrate", "in-app-preview", "in-chat-sounds", "in-app-popup", "lock-screen-names", "include-channels", "include-muted-chats", "count-unread-messages", "new-contacts", "pinned-messages", "reset", "web" + Subsection string `json:"subsection"` +} + +func (entity *SettingsSectionNotifications) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SettingsSectionNotifications + + return json.Marshal((*stub)(entity)) +} + +func (*SettingsSectionNotifications) GetClass() string { + return ClassSettingsSection +} + +func (*SettingsSectionNotifications) GetType() string { + return TypeSettingsSectionNotifications +} + +func (*SettingsSectionNotifications) SettingsSectionType() string { + return TypeSettingsSectionNotifications +} + +// The power saving settings section +type SettingsSectionPowerSaving struct { + meta + // Subsection of the section; may be one of "", "videos", "gifs", "stickers", "emoji", "effects", "preload", "background", "call-animations", "particles", "transitions" + Subsection string `json:"subsection"` +} + +func (entity *SettingsSectionPowerSaving) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SettingsSectionPowerSaving + + return json.Marshal((*stub)(entity)) +} + +func (*SettingsSectionPowerSaving) GetClass() string { + return ClassSettingsSection +} + +func (*SettingsSectionPowerSaving) GetType() string { + return TypeSettingsSectionPowerSaving +} + +func (*SettingsSectionPowerSaving) SettingsSectionType() string { + return TypeSettingsSectionPowerSaving +} + +// The "Telegram Premium" section +type SettingsSectionPremium struct{ + meta +} + +func (entity *SettingsSectionPremium) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SettingsSectionPremium + + return json.Marshal((*stub)(entity)) +} + +func (*SettingsSectionPremium) GetClass() string { + return ClassSettingsSection +} + +func (*SettingsSectionPremium) GetType() string { + return TypeSettingsSectionPremium +} + +func (*SettingsSectionPremium) SettingsSectionType() string { + return TypeSettingsSectionPremium +} + +// The privacy and security section +type SettingsSectionPrivacyAndSecurity struct { + meta + // Subsection of the section; may be one of "", "blocked", "blocked/edit", "blocked/block-user", "blocked/block-user/chats", "blocked/block-user/contacts", "active-websites", "active-websites/edit", "active-websites/disconnect-all", "passcode", "passcode/disable", "passcode/change", "passcode/auto-lock", "passcode/face-id", "passcode/fingerprint", "2sv", "2sv/change", "2sv/disable", "2sv/change-email", "passkey", "passkey/create", "auto-delete", "auto-delete/set-custom", "login-email", "phone-number", "phone-number/never", "phone-number/always", "last-seen", "last-seen/never", "last-seen/always", "last-seen/hide-read-time", "profile-photos", "profile-photos/never", "profile-photos/always", "profile-photos/set-public", "profile-photos/update-public", "profile-photos/remove-public", "bio", "bio/never", "bio/always", "gifts", "gifts/show-icon", "gifts/never", "gifts/always", "gifts/accepted-types", "birthday", "birthday/add", "birthday/never", "birthday/always", "saved-music", "saved-music/never", "saved-music/always", "forwards", "forwards/never", "forwards/always", "calls", "calls/never", "calls/always", "calls/p2p", "calls/p2p/never", "calls/p2p/always", "calls/ios-integration", "voice", "voice/never", "voice/always", "messages", "messages/set-price", "messages/exceptions", "invites", "invites/never", "invites/always", "self-destruct", "data-settings", "data-settings/sync-contacts", "data-settings/delete-synced", "data-settings/suggest-contacts", "data-settings/delete-cloud-drafts", "data-settings/clear-payment-info", "data-settings/link-previews", "data-settings/bot-settings", "data-settings/map-provider", "archive-and-mute" + Subsection string `json:"subsection"` +} + +func (entity *SettingsSectionPrivacyAndSecurity) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SettingsSectionPrivacyAndSecurity + + return json.Marshal((*stub)(entity)) +} + +func (*SettingsSectionPrivacyAndSecurity) GetClass() string { + return ClassSettingsSection +} + +func (*SettingsSectionPrivacyAndSecurity) GetType() string { + return TypeSettingsSectionPrivacyAndSecurity +} + +func (*SettingsSectionPrivacyAndSecurity) SettingsSectionType() string { + return TypeSettingsSectionPrivacyAndSecurity +} + +// The "Privacy Policy" section +type SettingsSectionPrivacyPolicy struct{ + meta +} + +func (entity *SettingsSectionPrivacyPolicy) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SettingsSectionPrivacyPolicy + + return json.Marshal((*stub)(entity)) +} + +func (*SettingsSectionPrivacyPolicy) GetClass() string { + return ClassSettingsSection +} + +func (*SettingsSectionPrivacyPolicy) GetType() string { + return TypeSettingsSectionPrivacyPolicy +} + +func (*SettingsSectionPrivacyPolicy) SettingsSectionType() string { + return TypeSettingsSectionPrivacyPolicy +} + +// The current user's QR code section +type SettingsSectionQrCode struct { + meta + // Subsection of the section; may be one of "", "share", "scan" + Subsection string `json:"subsection"` +} + +func (entity *SettingsSectionQrCode) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SettingsSectionQrCode + + return json.Marshal((*stub)(entity)) +} + +func (*SettingsSectionQrCode) GetClass() string { + return ClassSettingsSection +} + +func (*SettingsSectionQrCode) GetType() string { + return TypeSettingsSectionQrCode +} + +func (*SettingsSectionQrCode) SettingsSectionType() string { + return TypeSettingsSectionQrCode +} + +// Search in Settings +type SettingsSectionSearch struct{ + meta +} + +func (entity *SettingsSectionSearch) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SettingsSectionSearch + + return json.Marshal((*stub)(entity)) +} + +func (*SettingsSectionSearch) GetClass() string { + return ClassSettingsSection +} + +func (*SettingsSectionSearch) GetType() string { + return TypeSettingsSectionSearch +} + +func (*SettingsSectionSearch) SettingsSectionType() string { + return TypeSettingsSectionSearch +} + +// The "Send a gift" section +type SettingsSectionSendGift struct { + meta + // Subsection of the section; may be one of "", "self" + Subsection string `json:"subsection"` +} + +func (entity *SettingsSectionSendGift) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SettingsSectionSendGift + + return json.Marshal((*stub)(entity)) +} + +func (*SettingsSectionSendGift) GetClass() string { + return ClassSettingsSection +} + +func (*SettingsSectionSendGift) GetType() string { + return TypeSettingsSectionSendGift +} + +func (*SettingsSectionSendGift) SettingsSectionType() string { + return TypeSettingsSectionSendGift +} + +// The link is a link to an attachment menu bot to be opened in the specified or a chosen chat. Process given target_chat to open the chat. Then, call searchPublicChat with the given bot username, check that the user is a bot and can be added to attachment menu. Then, use getAttachmentMenuBot to receive information about the bot. If the bot isn't added to attachment menu, then show a disclaimer about Mini Apps being third-party applications, ask the user to accept their Terms of service and confirm adding the bot to side and attachment menu. If the user accept the terms and confirms adding, then use toggleBotIsAddedToAttachmentMenu to add the bot. If the attachment menu bot can't be used in the opened chat, show an error to the user. If the bot is added to attachment menu and can be used in the chat, then use openWebApp with the given URL type InternalLinkTypeAttachmentMenuBot struct { - meta - // Target chat to be opened - TargetChat TargetChat `json:"target_chat"` - // Username of the bot - BotUsername string `json:"bot_username"` - // URL to be passed to openWebApp - Url string `json:"url"` + meta + // Target chat to be opened + TargetChat TargetChat `json:"target_chat"` + // Username of the bot + BotUsername string `json:"bot_username"` + // URL to be passed to openWebApp + Url string `json:"url"` } func (entity *InternalLinkTypeAttachmentMenuBot) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub InternalLinkTypeAttachmentMenuBot + type stub InternalLinkTypeAttachmentMenuBot - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*InternalLinkTypeAttachmentMenuBot) GetClass() string { - return ClassInternalLinkType + return ClassInternalLinkType } func (*InternalLinkTypeAttachmentMenuBot) GetType() string { - return TypeInternalLinkTypeAttachmentMenuBot + return TypeInternalLinkTypeAttachmentMenuBot } func (*InternalLinkTypeAttachmentMenuBot) InternalLinkTypeType() string { - return TypeInternalLinkTypeAttachmentMenuBot + return TypeInternalLinkTypeAttachmentMenuBot } func (internalLinkTypeAttachmentMenuBot *InternalLinkTypeAttachmentMenuBot) UnmarshalJSON(data []byte) error { - var tmp struct { - TargetChat json.RawMessage `json:"target_chat"` - BotUsername string `json:"bot_username"` - Url string `json:"url"` - } + var tmp struct { + TargetChat json.RawMessage `json:"target_chat"` + BotUsername string `json:"bot_username"` + Url string `json:"url"` + } - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - internalLinkTypeAttachmentMenuBot.BotUsername = tmp.BotUsername - internalLinkTypeAttachmentMenuBot.Url = tmp.Url + internalLinkTypeAttachmentMenuBot.BotUsername = tmp.BotUsername + internalLinkTypeAttachmentMenuBot.Url = tmp.Url - fieldTargetChat, _ := UnmarshalTargetChat(tmp.TargetChat) - internalLinkTypeAttachmentMenuBot.TargetChat = fieldTargetChat + fieldTargetChat, _ := UnmarshalTargetChat(tmp.TargetChat) + internalLinkTypeAttachmentMenuBot.TargetChat = fieldTargetChat - return nil + return nil } // The link contains an authentication code. Call checkAuthenticationCode with the code if the current authorization state is authorizationStateWaitCode type InternalLinkTypeAuthenticationCode struct { - meta - // The authentication code - Code string `json:"code"` + meta + // The authentication code + Code string `json:"code"` } func (entity *InternalLinkTypeAuthenticationCode) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub InternalLinkTypeAuthenticationCode + type stub InternalLinkTypeAuthenticationCode - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*InternalLinkTypeAuthenticationCode) GetClass() string { - return ClassInternalLinkType + return ClassInternalLinkType } func (*InternalLinkTypeAuthenticationCode) GetType() string { - return TypeInternalLinkTypeAuthenticationCode + return TypeInternalLinkTypeAuthenticationCode } func (*InternalLinkTypeAuthenticationCode) InternalLinkTypeType() string { - return TypeInternalLinkTypeAuthenticationCode + return TypeInternalLinkTypeAuthenticationCode } -// The link is a link to a background. Call searchBackground with the given background name to process the link +// The link is a link to a background. Call searchBackground with the given background name to process the link. If background is found and the user wants to apply it, then call setDefaultBackground type InternalLinkTypeBackground struct { - meta - // Name of the background - BackgroundName string `json:"background_name"` + meta + // Name of the background + BackgroundName string `json:"background_name"` } func (entity *InternalLinkTypeBackground) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub InternalLinkTypeBackground + type stub InternalLinkTypeBackground - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*InternalLinkTypeBackground) GetClass() string { - return ClassInternalLinkType + return ClassInternalLinkType } func (*InternalLinkTypeBackground) GetType() string { - return TypeInternalLinkTypeBackground + return TypeInternalLinkTypeBackground } func (*InternalLinkTypeBackground) InternalLinkTypeType() string { - return TypeInternalLinkTypeBackground + return TypeInternalLinkTypeBackground } -// The link is a link to a Telegram bot, which is supposed to be added to a channel chat as an administrator. Call searchPublicChat with the given bot username and check that the user is a bot, ask the current user to select a channel chat to add the bot to as an administrator. Then, call getChatMember to receive the current bot rights in the chat and if the bot already is an administrator, check that the current user can edit its administrator rights and combine received rights with the requested administrator rights. Then, show confirmation box to the user, and call setChatMemberStatus with the chosen chat and confirmed rights +// The link is a link to a Telegram bot, which is expected to be added to a channel chat as an administrator. Call searchPublicChat with the given bot username and check that the user is a bot, ask the current user to select a channel chat to add the bot to as an administrator. Then, call getChatMember to receive the current bot rights in the chat and if the bot already is an administrator, check that the current user can edit its administrator rights and combine received rights with the requested administrator rights. Then, show confirmation box to the user, and call setChatMemberStatus with the chosen chat and confirmed rights type InternalLinkTypeBotAddToChannel struct { - meta - // Username of the bot - BotUsername string `json:"bot_username"` - // Expected administrator rights for the bot - AdministratorRights *ChatAdministratorRights `json:"administrator_rights"` + meta + // Username of the bot + BotUsername string `json:"bot_username"` + // Expected administrator rights for the bot + AdministratorRights *ChatAdministratorRights `json:"administrator_rights"` } func (entity *InternalLinkTypeBotAddToChannel) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub InternalLinkTypeBotAddToChannel + type stub InternalLinkTypeBotAddToChannel - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*InternalLinkTypeBotAddToChannel) GetClass() string { - return ClassInternalLinkType + return ClassInternalLinkType } func (*InternalLinkTypeBotAddToChannel) GetType() string { - return TypeInternalLinkTypeBotAddToChannel + return TypeInternalLinkTypeBotAddToChannel } func (*InternalLinkTypeBotAddToChannel) InternalLinkTypeType() string { - return TypeInternalLinkTypeBotAddToChannel + return TypeInternalLinkTypeBotAddToChannel } // The link is a link to a chat with a Telegram bot. Call searchPublicChat with the given bot username, check that the user is a bot, show START button in the chat with the bot, and then call sendBotStartMessage with the given start parameter after the button is pressed type InternalLinkTypeBotStart struct { - meta - // Username of the bot - BotUsername string `json:"bot_username"` - // The parameter to be passed to sendBotStartMessage - StartParameter string `json:"start_parameter"` - // True, if sendBotStartMessage must be called automatically without showing the START button - Autostart bool `json:"autostart"` + meta + // Username of the bot + BotUsername string `json:"bot_username"` + // The parameter to be passed to sendBotStartMessage + StartParameter string `json:"start_parameter"` + // True, if sendBotStartMessage must be called automatically without showing the START button + Autostart bool `json:"autostart"` } func (entity *InternalLinkTypeBotStart) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub InternalLinkTypeBotStart + type stub InternalLinkTypeBotStart - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*InternalLinkTypeBotStart) GetClass() string { - return ClassInternalLinkType + return ClassInternalLinkType } func (*InternalLinkTypeBotStart) GetType() string { - return TypeInternalLinkTypeBotStart + return TypeInternalLinkTypeBotStart } func (*InternalLinkTypeBotStart) InternalLinkTypeType() string { - return TypeInternalLinkTypeBotStart + return TypeInternalLinkTypeBotStart } -// The link is a link to a Telegram bot, which is supposed to be added to a group chat. Call searchPublicChat with the given bot username, check that the user is a bot and can be added to groups, ask the current user to select a basic group or a supergroup chat to add the bot to, taking into account that bots can be added to a public supergroup only by administrators of the supergroup. If administrator rights are provided by the link, call getChatMember to receive the current bot rights in the chat and if the bot already is an administrator, check that the current user can edit its administrator rights, combine received rights with the requested administrator rights, show confirmation box to the user, and call setChatMemberStatus with the chosen chat and confirmed administrator rights. Before call to setChatMemberStatus it may be required to upgrade the chosen basic group chat to a supergroup chat. Then, if start_parameter isn't empty, call sendBotStartMessage with the given start parameter and the chosen chat; otherwise, just send /start message with bot's username added to the chat. +// The link is a link to a Telegram bot, which is expected to be added to a group chat. Call searchPublicChat with the given bot username, check that the user is a bot and can be added to groups, ask the current user to select a basic group or a supergroup chat to add the bot to, taking into account that bots can be added to a public supergroup only by administrators of the supergroup. If administrator rights are provided by the link, call getChatMember to receive the current bot rights in the chat and if the bot already is an administrator, check that the current user can edit its administrator rights, combine received rights with the requested administrator rights, show confirmation box to the user, and call setChatMemberStatus with the chosen chat and confirmed administrator rights. Before call to setChatMemberStatus it may be required to upgrade the chosen basic group chat to a supergroup chat. Then, if start_parameter isn't empty, call sendBotStartMessage with the given start parameter and the chosen chat; otherwise, just send /start message with bot's username added to the chat type InternalLinkTypeBotStartInGroup struct { - meta - // Username of the bot - BotUsername string `json:"bot_username"` - // The parameter to be passed to sendBotStartMessage - StartParameter string `json:"start_parameter"` - // Expected administrator rights for the bot; may be null - AdministratorRights *ChatAdministratorRights `json:"administrator_rights"` + meta + // Username of the bot + BotUsername string `json:"bot_username"` + // The parameter to be passed to sendBotStartMessage + StartParameter string `json:"start_parameter"` + // Expected administrator rights for the bot; may be null + AdministratorRights *ChatAdministratorRights `json:"administrator_rights"` } func (entity *InternalLinkTypeBotStartInGroup) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub InternalLinkTypeBotStartInGroup + type stub InternalLinkTypeBotStartInGroup - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*InternalLinkTypeBotStartInGroup) GetClass() string { - return ClassInternalLinkType + return ClassInternalLinkType } func (*InternalLinkTypeBotStartInGroup) GetType() string { - return TypeInternalLinkTypeBotStartInGroup + return TypeInternalLinkTypeBotStartInGroup } func (*InternalLinkTypeBotStartInGroup) InternalLinkTypeType() string { - return TypeInternalLinkTypeBotStartInGroup + return TypeInternalLinkTypeBotStartInGroup } -// The link is a link to the change phone number section of the app -type InternalLinkTypeChangePhoneNumber struct { - meta +// The link is a link to a business chat. Use getBusinessChatLinkInfo with the provided link name to get information about the link, then open received private chat and replace chat draft with the provided text +type InternalLinkTypeBusinessChat struct { + meta + // Name of the link + LinkName string `json:"link_name"` } -func (entity *InternalLinkTypeChangePhoneNumber) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *InternalLinkTypeBusinessChat) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub InternalLinkTypeChangePhoneNumber + type stub InternalLinkTypeBusinessChat - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*InternalLinkTypeChangePhoneNumber) GetClass() string { - return ClassInternalLinkType +func (*InternalLinkTypeBusinessChat) GetClass() string { + return ClassInternalLinkType } -func (*InternalLinkTypeChangePhoneNumber) GetType() string { - return TypeInternalLinkTypeChangePhoneNumber +func (*InternalLinkTypeBusinessChat) GetType() string { + return TypeInternalLinkTypeBusinessChat } -func (*InternalLinkTypeChangePhoneNumber) InternalLinkTypeType() string { - return TypeInternalLinkTypeChangePhoneNumber +func (*InternalLinkTypeBusinessChat) InternalLinkTypeType() string { + return TypeInternalLinkTypeBusinessChat } -// The link is a chat invite link. Call checkChatInviteLink with the given invite link to process the link +// The link is a link to the Call tab or page +type InternalLinkTypeCallsPage struct { + meta + // Section of the page; may be one of "", "all", "missed", "edit", "show-tab", "start-call" + Section string `json:"section"` +} + +func (entity *InternalLinkTypeCallsPage) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InternalLinkTypeCallsPage + + return json.Marshal((*stub)(entity)) +} + +func (*InternalLinkTypeCallsPage) GetClass() string { + return ClassInternalLinkType +} + +func (*InternalLinkTypeCallsPage) GetType() string { + return TypeInternalLinkTypeCallsPage +} + +func (*InternalLinkTypeCallsPage) InternalLinkTypeType() string { + return TypeInternalLinkTypeCallsPage +} + +// The link is an affiliate program link. Call searchChatAffiliateProgram with the given username and referrer to process the link +type InternalLinkTypeChatAffiliateProgram struct { + meta + // Username to be passed to searchChatAffiliateProgram + Username string `json:"username"` + // Referrer to be passed to searchChatAffiliateProgram + Referrer string `json:"referrer"` +} + +func (entity *InternalLinkTypeChatAffiliateProgram) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InternalLinkTypeChatAffiliateProgram + + return json.Marshal((*stub)(entity)) +} + +func (*InternalLinkTypeChatAffiliateProgram) GetClass() string { + return ClassInternalLinkType +} + +func (*InternalLinkTypeChatAffiliateProgram) GetType() string { + return TypeInternalLinkTypeChatAffiliateProgram +} + +func (*InternalLinkTypeChatAffiliateProgram) InternalLinkTypeType() string { + return TypeInternalLinkTypeChatAffiliateProgram +} + +// The link is a link to boost a Telegram chat. Call getChatBoostLinkInfo with the given URL to process the link. If the chat is found, then call getChatBoostStatus and getAvailableChatBoostSlots to get the current boost status and check whether the chat can be boosted. If the user wants to boost the chat and the chat can be boosted, then call boostChat +type InternalLinkTypeChatBoost struct { + meta + // URL to be passed to getChatBoostLinkInfo + Url string `json:"url"` +} + +func (entity *InternalLinkTypeChatBoost) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InternalLinkTypeChatBoost + + return json.Marshal((*stub)(entity)) +} + +func (*InternalLinkTypeChatBoost) GetClass() string { + return ClassInternalLinkType +} + +func (*InternalLinkTypeChatBoost) GetType() string { + return TypeInternalLinkTypeChatBoost +} + +func (*InternalLinkTypeChatBoost) InternalLinkTypeType() string { + return TypeInternalLinkTypeChatBoost +} + +// The link is an invite link to a chat folder. Call checkChatFolderInviteLink with the given invite link to process the link. If the link is valid and the user wants to join the chat folder, then call addChatFolderByInviteLink +type InternalLinkTypeChatFolderInvite struct { + meta + // Internal representation of the invite link + InviteLink string `json:"invite_link"` +} + +func (entity *InternalLinkTypeChatFolderInvite) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InternalLinkTypeChatFolderInvite + + return json.Marshal((*stub)(entity)) +} + +func (*InternalLinkTypeChatFolderInvite) GetClass() string { + return ClassInternalLinkType +} + +func (*InternalLinkTypeChatFolderInvite) GetType() string { + return TypeInternalLinkTypeChatFolderInvite +} + +func (*InternalLinkTypeChatFolderInvite) InternalLinkTypeType() string { + return TypeInternalLinkTypeChatFolderInvite +} + +// The link is a chat invite link. Call checkChatInviteLink with the given invite link to process the link. If the link is valid and the user wants to join the chat, then call joinChatByInviteLink type InternalLinkTypeChatInvite struct { - meta - // Internal representation of the invite link - InviteLink string `json:"invite_link"` + meta + // Internal representation of the invite link + InviteLink string `json:"invite_link"` } func (entity *InternalLinkTypeChatInvite) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub InternalLinkTypeChatInvite + type stub InternalLinkTypeChatInvite - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*InternalLinkTypeChatInvite) GetClass() string { - return ClassInternalLinkType + return ClassInternalLinkType } func (*InternalLinkTypeChatInvite) GetType() string { - return TypeInternalLinkTypeChatInvite + return TypeInternalLinkTypeChatInvite } func (*InternalLinkTypeChatInvite) InternalLinkTypeType() string { - return TypeInternalLinkTypeChatInvite + return TypeInternalLinkTypeChatInvite } -// The link is a link to the default message auto-delete timer settings section of the app settings -type InternalLinkTypeDefaultMessageAutoDeleteTimerSettings struct { - meta +// The link is a link that allows to select some chats +type InternalLinkTypeChatSelection struct{ + meta } -func (entity *InternalLinkTypeDefaultMessageAutoDeleteTimerSettings) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *InternalLinkTypeChatSelection) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub InternalLinkTypeDefaultMessageAutoDeleteTimerSettings + type stub InternalLinkTypeChatSelection - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*InternalLinkTypeDefaultMessageAutoDeleteTimerSettings) GetClass() string { - return ClassInternalLinkType +func (*InternalLinkTypeChatSelection) GetClass() string { + return ClassInternalLinkType } -func (*InternalLinkTypeDefaultMessageAutoDeleteTimerSettings) GetType() string { - return TypeInternalLinkTypeDefaultMessageAutoDeleteTimerSettings +func (*InternalLinkTypeChatSelection) GetType() string { + return TypeInternalLinkTypeChatSelection } -func (*InternalLinkTypeDefaultMessageAutoDeleteTimerSettings) InternalLinkTypeType() string { - return TypeInternalLinkTypeDefaultMessageAutoDeleteTimerSettings +func (*InternalLinkTypeChatSelection) InternalLinkTypeType() string { + return TypeInternalLinkTypeChatSelection } -// The link is a link to the edit profile section of the app settings -type InternalLinkTypeEditProfileSettings struct { - meta +// The link is a link to the Contacts tab or page +type InternalLinkTypeContactsPage struct { + meta + // Section of the page; may be one of "", "search", "sort", "new", "invite", "manage" + Section string `json:"section"` } -func (entity *InternalLinkTypeEditProfileSettings) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *InternalLinkTypeContactsPage) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub InternalLinkTypeEditProfileSettings + type stub InternalLinkTypeContactsPage - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*InternalLinkTypeEditProfileSettings) GetClass() string { - return ClassInternalLinkType +func (*InternalLinkTypeContactsPage) GetClass() string { + return ClassInternalLinkType } -func (*InternalLinkTypeEditProfileSettings) GetType() string { - return TypeInternalLinkTypeEditProfileSettings +func (*InternalLinkTypeContactsPage) GetType() string { + return TypeInternalLinkTypeContactsPage } -func (*InternalLinkTypeEditProfileSettings) InternalLinkTypeType() string { - return TypeInternalLinkTypeEditProfileSettings +func (*InternalLinkTypeContactsPage) InternalLinkTypeType() string { + return TypeInternalLinkTypeContactsPage } -// The link is a link to the filter section of the app settings -type InternalLinkTypeFilterSettings struct { - meta +// The link is a link to a channel direct messages chat by username of the channel. Call searchPublicChat with the given chat username to process the link. If the chat is found and is channel, open the direct messages chat of the channel +type InternalLinkTypeDirectMessagesChat struct { + meta + // Username of the channel + ChannelUsername string `json:"channel_username"` } -func (entity *InternalLinkTypeFilterSettings) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *InternalLinkTypeDirectMessagesChat) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub InternalLinkTypeFilterSettings + type stub InternalLinkTypeDirectMessagesChat - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*InternalLinkTypeFilterSettings) GetClass() string { - return ClassInternalLinkType +func (*InternalLinkTypeDirectMessagesChat) GetClass() string { + return ClassInternalLinkType } -func (*InternalLinkTypeFilterSettings) GetType() string { - return TypeInternalLinkTypeFilterSettings +func (*InternalLinkTypeDirectMessagesChat) GetType() string { + return TypeInternalLinkTypeDirectMessagesChat } -func (*InternalLinkTypeFilterSettings) InternalLinkTypeType() string { - return TypeInternalLinkTypeFilterSettings +func (*InternalLinkTypeDirectMessagesChat) InternalLinkTypeType() string { + return TypeInternalLinkTypeDirectMessagesChat } // The link is a link to a game. Call searchPublicChat with the given bot username, check that the user is a bot, ask the current user to select a chat to send the game, and then call sendMessage with inputMessageGame type InternalLinkTypeGame struct { - meta - // Username of the bot that owns the game - BotUsername string `json:"bot_username"` - // Short name of the game - GameShortName string `json:"game_short_name"` + meta + // Username of the bot that owns the game + BotUsername string `json:"bot_username"` + // Short name of the game + GameShortName string `json:"game_short_name"` } func (entity *InternalLinkTypeGame) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub InternalLinkTypeGame + type stub InternalLinkTypeGame - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*InternalLinkTypeGame) GetClass() string { - return ClassInternalLinkType + return ClassInternalLinkType } func (*InternalLinkTypeGame) GetType() string { - return TypeInternalLinkTypeGame + return TypeInternalLinkTypeGame } func (*InternalLinkTypeGame) InternalLinkTypeType() string { - return TypeInternalLinkTypeGame + return TypeInternalLinkTypeGame } -// The link must be opened in an Instant View. Call getWebPageInstantView with the given URL to process the link +// The link is a link to a gift auction. Call getGiftAuctionState with the given auction identifier to process the link +type InternalLinkTypeGiftAuction struct { + meta + // Unique identifier of the auction + AuctionId string `json:"auction_id"` +} + +func (entity *InternalLinkTypeGiftAuction) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InternalLinkTypeGiftAuction + + return json.Marshal((*stub)(entity)) +} + +func (*InternalLinkTypeGiftAuction) GetClass() string { + return ClassInternalLinkType +} + +func (*InternalLinkTypeGiftAuction) GetType() string { + return TypeInternalLinkTypeGiftAuction +} + +func (*InternalLinkTypeGiftAuction) InternalLinkTypeType() string { + return TypeInternalLinkTypeGiftAuction +} + +// The link is a link to a gift collection. Call searchPublicChat with the given username, then call getReceivedGifts with the received gift owner identifier and the given collection identifier, then show the collection if received +type InternalLinkTypeGiftCollection struct { + meta + // Username of the owner of the gift collection + GiftOwnerUsername string `json:"gift_owner_username"` + // Gift collection identifier + CollectionId int32 `json:"collection_id"` +} + +func (entity *InternalLinkTypeGiftCollection) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InternalLinkTypeGiftCollection + + return json.Marshal((*stub)(entity)) +} + +func (*InternalLinkTypeGiftCollection) GetClass() string { + return ClassInternalLinkType +} + +func (*InternalLinkTypeGiftCollection) GetType() string { + return TypeInternalLinkTypeGiftCollection +} + +func (*InternalLinkTypeGiftCollection) InternalLinkTypeType() string { + return TypeInternalLinkTypeGiftCollection +} + +// The link is a link to a group call that isn't bound to a chat. Use getGroupCallParticipants to get the list of group call participants and show them on the join group call screen. Call joinGroupCall with the given invite_link to join the call +type InternalLinkTypeGroupCall struct { + meta + // Internal representation of the invite link + InviteLink string `json:"invite_link"` +} + +func (entity *InternalLinkTypeGroupCall) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InternalLinkTypeGroupCall + + return json.Marshal((*stub)(entity)) +} + +func (*InternalLinkTypeGroupCall) GetClass() string { + return ClassInternalLinkType +} + +func (*InternalLinkTypeGroupCall) GetType() string { + return TypeInternalLinkTypeGroupCall +} + +func (*InternalLinkTypeGroupCall) InternalLinkTypeType() string { + return TypeInternalLinkTypeGroupCall +} + +// The link must be opened in an Instant View. Call getWebPageInstantView with the given URL to process the link. If Instant View is found, then show it, otherwise, open the fallback URL in an external browser type InternalLinkTypeInstantView struct { - meta - // URL to be passed to getWebPageInstantView - Url string `json:"url"` - // An URL to open if getWebPageInstantView fails - FallbackUrl string `json:"fallback_url"` + meta + // URL to be passed to getWebPageInstantView + Url string `json:"url"` + // An URL to open if getWebPageInstantView fails + FallbackUrl string `json:"fallback_url"` } func (entity *InternalLinkTypeInstantView) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub InternalLinkTypeInstantView + type stub InternalLinkTypeInstantView - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*InternalLinkTypeInstantView) GetClass() string { - return ClassInternalLinkType + return ClassInternalLinkType } func (*InternalLinkTypeInstantView) GetType() string { - return TypeInternalLinkTypeInstantView + return TypeInternalLinkTypeInstantView } func (*InternalLinkTypeInstantView) InternalLinkTypeType() string { - return TypeInternalLinkTypeInstantView + return TypeInternalLinkTypeInstantView } // The link is a link to an invoice. Call getPaymentForm with the given invoice name to process the link type InternalLinkTypeInvoice struct { - meta - // Name of the invoice - InvoiceName string `json:"invoice_name"` + meta + // Name of the invoice + InvoiceName string `json:"invoice_name"` } func (entity *InternalLinkTypeInvoice) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub InternalLinkTypeInvoice + type stub InternalLinkTypeInvoice - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*InternalLinkTypeInvoice) GetClass() string { - return ClassInternalLinkType + return ClassInternalLinkType } func (*InternalLinkTypeInvoice) GetType() string { - return TypeInternalLinkTypeInvoice + return TypeInternalLinkTypeInvoice } func (*InternalLinkTypeInvoice) InternalLinkTypeType() string { - return TypeInternalLinkTypeInvoice + return TypeInternalLinkTypeInvoice } -// The link is a link to a language pack. Call getLanguagePackInfo with the given language pack identifier to process the link +// The link is a link to a language pack. Call getLanguagePackInfo with the given language pack identifier to process the link. If the language pack is found and the user wants to apply it, then call setOption for the option "language_pack_id" type InternalLinkTypeLanguagePack struct { - meta - // Language pack identifier - LanguagePackId string `json:"language_pack_id"` + meta + // Language pack identifier + LanguagePackId string `json:"language_pack_id"` } func (entity *InternalLinkTypeLanguagePack) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub InternalLinkTypeLanguagePack + type stub InternalLinkTypeLanguagePack - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*InternalLinkTypeLanguagePack) GetClass() string { - return ClassInternalLinkType + return ClassInternalLinkType } func (*InternalLinkTypeLanguagePack) GetType() string { - return TypeInternalLinkTypeLanguagePack + return TypeInternalLinkTypeLanguagePack } func (*InternalLinkTypeLanguagePack) InternalLinkTypeType() string { - return TypeInternalLinkTypeLanguagePack + return TypeInternalLinkTypeLanguagePack } -// The link is a link to the language section of the app settings -type InternalLinkTypeLanguageSettings struct { - meta +// The link is a link to a live story. Call searchPublicChat with the given chat username, then getChatActiveStories to get active stories in the chat, then find a live story among active stories of the chat, and then joinLiveStory to join the live story +type InternalLinkTypeLiveStory struct { + meta + // Username of the poster of the story + StoryPosterUsername string `json:"story_poster_username"` } -func (entity *InternalLinkTypeLanguageSettings) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *InternalLinkTypeLiveStory) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub InternalLinkTypeLanguageSettings + type stub InternalLinkTypeLiveStory - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*InternalLinkTypeLanguageSettings) GetClass() string { - return ClassInternalLinkType +func (*InternalLinkTypeLiveStory) GetClass() string { + return ClassInternalLinkType } -func (*InternalLinkTypeLanguageSettings) GetType() string { - return TypeInternalLinkTypeLanguageSettings +func (*InternalLinkTypeLiveStory) GetType() string { + return TypeInternalLinkTypeLiveStory } -func (*InternalLinkTypeLanguageSettings) InternalLinkTypeType() string { - return TypeInternalLinkTypeLanguageSettings +func (*InternalLinkTypeLiveStory) InternalLinkTypeType() string { + return TypeInternalLinkTypeLiveStory } -// The link is a link to a Telegram message or a forum topic. Call getMessageLinkInfo with the given URL to process the link +// The link is a link to the main Web App of a bot. Call searchPublicChat with the given bot username, check that the user is a bot and has the main Web App. If the bot can be added to attachment menu, then use getAttachmentMenuBot to receive information about the bot, then if the bot isn't added to side menu, show a disclaimer about Mini Apps being third-party applications, ask the user to accept their Terms of service and confirm adding the bot to side and attachment menu, then if the user accepts the terms and confirms adding, use toggleBotIsAddedToAttachmentMenu to add the bot. Then, use getMainWebApp with the given start parameter and mode and open the returned URL as a Web App +type InternalLinkTypeMainWebApp struct { + meta + // Username of the bot + BotUsername string `json:"bot_username"` + // Start parameter to be passed to getMainWebApp + StartParameter string `json:"start_parameter"` + // The mode to be passed to getMainWebApp + Mode WebAppOpenMode `json:"mode"` +} + +func (entity *InternalLinkTypeMainWebApp) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InternalLinkTypeMainWebApp + + return json.Marshal((*stub)(entity)) +} + +func (*InternalLinkTypeMainWebApp) GetClass() string { + return ClassInternalLinkType +} + +func (*InternalLinkTypeMainWebApp) GetType() string { + return TypeInternalLinkTypeMainWebApp +} + +func (*InternalLinkTypeMainWebApp) InternalLinkTypeType() string { + return TypeInternalLinkTypeMainWebApp +} + +func (internalLinkTypeMainWebApp *InternalLinkTypeMainWebApp) UnmarshalJSON(data []byte) error { + var tmp struct { + BotUsername string `json:"bot_username"` + StartParameter string `json:"start_parameter"` + Mode json.RawMessage `json:"mode"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + internalLinkTypeMainWebApp.BotUsername = tmp.BotUsername + internalLinkTypeMainWebApp.StartParameter = tmp.StartParameter + + fieldMode, _ := UnmarshalWebAppOpenMode(tmp.Mode) + internalLinkTypeMainWebApp.Mode = fieldMode + + return nil +} + +// The link is a link to a Telegram message or a forum topic. Call getMessageLinkInfo with the given URL to process the link, and then open received forum topic or chat and show the message there type InternalLinkTypeMessage struct { - meta - // URL to be passed to getMessageLinkInfo - Url string `json:"url"` + meta + // URL to be passed to getMessageLinkInfo + Url string `json:"url"` } func (entity *InternalLinkTypeMessage) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub InternalLinkTypeMessage + type stub InternalLinkTypeMessage - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*InternalLinkTypeMessage) GetClass() string { - return ClassInternalLinkType + return ClassInternalLinkType } func (*InternalLinkTypeMessage) GetType() string { - return TypeInternalLinkTypeMessage + return TypeInternalLinkTypeMessage } func (*InternalLinkTypeMessage) InternalLinkTypeType() string { - return TypeInternalLinkTypeMessage + return TypeInternalLinkTypeMessage } // The link contains a message draft text. A share screen needs to be shown to the user, then the chosen chat must be opened and the text is added to the input field type InternalLinkTypeMessageDraft struct { - meta - // Message draft text - Text *FormattedText `json:"text"` - // True, if the first line of the text contains a link. If true, the input field needs to be focused and the text after the link must be selected - ContainsLink bool `json:"contains_link"` + meta + // Message draft text + Text *FormattedText `json:"text"` + // True, if the first line of the text contains a link. If true, the input field needs to be focused and the text after the link must be selected + ContainsLink bool `json:"contains_link"` } func (entity *InternalLinkTypeMessageDraft) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub InternalLinkTypeMessageDraft + type stub InternalLinkTypeMessageDraft - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*InternalLinkTypeMessageDraft) GetClass() string { - return ClassInternalLinkType + return ClassInternalLinkType } func (*InternalLinkTypeMessageDraft) GetType() string { - return TypeInternalLinkTypeMessageDraft + return TypeInternalLinkTypeMessageDraft } func (*InternalLinkTypeMessageDraft) InternalLinkTypeType() string { - return TypeInternalLinkTypeMessageDraft + return TypeInternalLinkTypeMessageDraft +} + +// The link is a link to the My Profile application page +type InternalLinkTypeMyProfilePage struct { + meta + // Section of the page; may be one of "", "posts", "posts/all-stories", "posts/add-album", "gifts", "archived-posts" + Section string `json:"section"` +} + +func (entity *InternalLinkTypeMyProfilePage) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InternalLinkTypeMyProfilePage + + return json.Marshal((*stub)(entity)) +} + +func (*InternalLinkTypeMyProfilePage) GetClass() string { + return ClassInternalLinkType +} + +func (*InternalLinkTypeMyProfilePage) GetType() string { + return TypeInternalLinkTypeMyProfilePage +} + +func (*InternalLinkTypeMyProfilePage) InternalLinkTypeType() string { + return TypeInternalLinkTypeMyProfilePage +} + +// The link is a link to the screen for creating a new channel chat +type InternalLinkTypeNewChannelChat struct{ + meta +} + +func (entity *InternalLinkTypeNewChannelChat) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InternalLinkTypeNewChannelChat + + return json.Marshal((*stub)(entity)) +} + +func (*InternalLinkTypeNewChannelChat) GetClass() string { + return ClassInternalLinkType +} + +func (*InternalLinkTypeNewChannelChat) GetType() string { + return TypeInternalLinkTypeNewChannelChat +} + +func (*InternalLinkTypeNewChannelChat) InternalLinkTypeType() string { + return TypeInternalLinkTypeNewChannelChat +} + +// The link is a link to the screen for creating a new group chat +type InternalLinkTypeNewGroupChat struct{ + meta +} + +func (entity *InternalLinkTypeNewGroupChat) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InternalLinkTypeNewGroupChat + + return json.Marshal((*stub)(entity)) +} + +func (*InternalLinkTypeNewGroupChat) GetClass() string { + return ClassInternalLinkType +} + +func (*InternalLinkTypeNewGroupChat) GetType() string { + return TypeInternalLinkTypeNewGroupChat +} + +func (*InternalLinkTypeNewGroupChat) InternalLinkTypeType() string { + return TypeInternalLinkTypeNewGroupChat +} + +// The link is a link to the screen for creating a new private chat with a contact +type InternalLinkTypeNewPrivateChat struct{ + meta +} + +func (entity *InternalLinkTypeNewPrivateChat) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InternalLinkTypeNewPrivateChat + + return json.Marshal((*stub)(entity)) +} + +func (*InternalLinkTypeNewPrivateChat) GetClass() string { + return ClassInternalLinkType +} + +func (*InternalLinkTypeNewPrivateChat) GetType() string { + return TypeInternalLinkTypeNewPrivateChat +} + +func (*InternalLinkTypeNewPrivateChat) InternalLinkTypeType() string { + return TypeInternalLinkTypeNewPrivateChat +} + +// The link is a link to open the story posting interface +type InternalLinkTypeNewStory struct { + meta + // The type of the content of the story to post; may be null if unspecified + ContentType StoryContentType `json:"content_type"` +} + +func (entity *InternalLinkTypeNewStory) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InternalLinkTypeNewStory + + return json.Marshal((*stub)(entity)) +} + +func (*InternalLinkTypeNewStory) GetClass() string { + return ClassInternalLinkType +} + +func (*InternalLinkTypeNewStory) GetType() string { + return TypeInternalLinkTypeNewStory +} + +func (*InternalLinkTypeNewStory) InternalLinkTypeType() string { + return TypeInternalLinkTypeNewStory +} + +func (internalLinkTypeNewStory *InternalLinkTypeNewStory) UnmarshalJSON(data []byte) error { + var tmp struct { + ContentType json.RawMessage `json:"content_type"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldContentType, _ := UnmarshalStoryContentType(tmp.ContentType) + internalLinkTypeNewStory.ContentType = fieldContentType + + return nil } // The link contains a request of Telegram passport data. Call getPassportAuthorizationForm with the given parameters to process the link if the link was received from outside of the application; otherwise, ignore it type InternalLinkTypePassportDataRequest struct { - meta - // User identifier of the service's bot - BotUserId int64 `json:"bot_user_id"` - // Telegram Passport element types requested by the service - Scope string `json:"scope"` - // Service's public key - PublicKey string `json:"public_key"` - // Unique request identifier provided by the service - Nonce string `json:"nonce"` - // An HTTP URL to open once the request is finished, canceled, or failed with the parameters tg_passport=success, tg_passport=cancel, or tg_passport=error&error=... respectively. If empty, then onActivityResult method must be used to return response on Android, or the link tgbot{bot_user_id}://passport/success or tgbot{bot_user_id}://passport/cancel must be opened otherwise - CallbackUrl string `json:"callback_url"` + meta + // User identifier of the service's bot; the corresponding user may be unknown yet + BotUserId int64 `json:"bot_user_id"` + // Telegram Passport element types requested by the service + Scope string `json:"scope"` + // Service's public key + PublicKey string `json:"public_key"` + // Unique request identifier provided by the service + Nonce string `json:"nonce"` + // An HTTP URL to open once the request is finished, canceled, or failed with the parameters tg_passport=success, tg_passport=cancel, or tg_passport=error&error=... respectively. If empty, then onActivityResult method must be used to return response on Android, or the link tgbot{bot_user_id}://passport/success or tgbot{bot_user_id}://passport/cancel must be opened otherwise + CallbackUrl string `json:"callback_url"` } func (entity *InternalLinkTypePassportDataRequest) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub InternalLinkTypePassportDataRequest + type stub InternalLinkTypePassportDataRequest - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*InternalLinkTypePassportDataRequest) GetClass() string { - return ClassInternalLinkType + return ClassInternalLinkType } func (*InternalLinkTypePassportDataRequest) GetType() string { - return TypeInternalLinkTypePassportDataRequest + return TypeInternalLinkTypePassportDataRequest } func (*InternalLinkTypePassportDataRequest) InternalLinkTypeType() string { - return TypeInternalLinkTypePassportDataRequest + return TypeInternalLinkTypePassportDataRequest } -// The link can be used to confirm ownership of a phone number to prevent account deletion. Call sendPhoneNumberConfirmationCode with the given hash and phone number to process the link +// The link can be used to confirm ownership of a phone number to prevent account deletion. Call sendPhoneNumberCode with the given phone number and with phoneNumberCodeTypeConfirmOwnership with the given hash to process the link. If succeeded, call checkPhoneNumberCode to check entered by the user code, or resendPhoneNumberCode to resend it type InternalLinkTypePhoneNumberConfirmation struct { - meta - // Hash value from the link - Hash string `json:"hash"` - // Phone number value from the link - PhoneNumber string `json:"phone_number"` + meta + // Hash value from the link + Hash string `json:"hash"` + // Phone number value from the link + PhoneNumber string `json:"phone_number"` } func (entity *InternalLinkTypePhoneNumberConfirmation) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub InternalLinkTypePhoneNumberConfirmation + type stub InternalLinkTypePhoneNumberConfirmation - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*InternalLinkTypePhoneNumberConfirmation) GetClass() string { - return ClassInternalLinkType + return ClassInternalLinkType } func (*InternalLinkTypePhoneNumberConfirmation) GetType() string { - return TypeInternalLinkTypePhoneNumberConfirmation + return TypeInternalLinkTypePhoneNumberConfirmation } func (*InternalLinkTypePhoneNumberConfirmation) InternalLinkTypeType() string { - return TypeInternalLinkTypePhoneNumberConfirmation + return TypeInternalLinkTypePhoneNumberConfirmation } // The link is a link to the Premium features screen of the application from which the user can subscribe to Telegram Premium. Call getPremiumFeatures with the given referrer to process the link -type InternalLinkTypePremiumFeatures struct { - meta - // Referrer specified in the link - Referrer string `json:"referrer"` +type InternalLinkTypePremiumFeaturesPage struct { + meta + // Referrer specified in the link + Referrer string `json:"referrer"` } -func (entity *InternalLinkTypePremiumFeatures) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *InternalLinkTypePremiumFeaturesPage) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub InternalLinkTypePremiumFeatures + type stub InternalLinkTypePremiumFeaturesPage - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*InternalLinkTypePremiumFeatures) GetClass() string { - return ClassInternalLinkType +func (*InternalLinkTypePremiumFeaturesPage) GetClass() string { + return ClassInternalLinkType } -func (*InternalLinkTypePremiumFeatures) GetType() string { - return TypeInternalLinkTypePremiumFeatures +func (*InternalLinkTypePremiumFeaturesPage) GetType() string { + return TypeInternalLinkTypePremiumFeaturesPage } -func (*InternalLinkTypePremiumFeatures) InternalLinkTypeType() string { - return TypeInternalLinkTypePremiumFeatures +func (*InternalLinkTypePremiumFeaturesPage) InternalLinkTypeType() string { + return TypeInternalLinkTypePremiumFeaturesPage } -// The link is a link to the privacy and security section of the app settings -type InternalLinkTypePrivacyAndSecuritySettings struct { - meta +// The link is a link with a Telegram Premium gift code. Call checkPremiumGiftCode with the given code to process the link. If the code is valid and the user wants to apply it, then call applyPremiumGiftCode +type InternalLinkTypePremiumGiftCode struct { + meta + // The Telegram Premium gift code + Code string `json:"code"` } -func (entity *InternalLinkTypePrivacyAndSecuritySettings) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *InternalLinkTypePremiumGiftCode) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub InternalLinkTypePrivacyAndSecuritySettings + type stub InternalLinkTypePremiumGiftCode - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*InternalLinkTypePrivacyAndSecuritySettings) GetClass() string { - return ClassInternalLinkType +func (*InternalLinkTypePremiumGiftCode) GetClass() string { + return ClassInternalLinkType } -func (*InternalLinkTypePrivacyAndSecuritySettings) GetType() string { - return TypeInternalLinkTypePrivacyAndSecuritySettings +func (*InternalLinkTypePremiumGiftCode) GetType() string { + return TypeInternalLinkTypePremiumGiftCode } -func (*InternalLinkTypePrivacyAndSecuritySettings) InternalLinkTypeType() string { - return TypeInternalLinkTypePrivacyAndSecuritySettings +func (*InternalLinkTypePremiumGiftCode) InternalLinkTypeType() string { + return TypeInternalLinkTypePremiumGiftCode +} + +// The link is a link to the screen for gifting Telegram Premium subscriptions to friends via inputInvoiceTelegram with telegramPaymentPurposePremiumGift payments or in-store purchases +type InternalLinkTypePremiumGiftPurchase struct { + meta + // Referrer specified in the link + Referrer string `json:"referrer"` +} + +func (entity *InternalLinkTypePremiumGiftPurchase) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InternalLinkTypePremiumGiftPurchase + + return json.Marshal((*stub)(entity)) +} + +func (*InternalLinkTypePremiumGiftPurchase) GetClass() string { + return ClassInternalLinkType +} + +func (*InternalLinkTypePremiumGiftPurchase) GetType() string { + return TypeInternalLinkTypePremiumGiftPurchase +} + +func (*InternalLinkTypePremiumGiftPurchase) InternalLinkTypeType() string { + return TypeInternalLinkTypePremiumGiftPurchase } // The link is a link to a proxy. Call addProxy with the given parameters to process the link and add the proxy type InternalLinkTypeProxy struct { - meta - // Proxy server IP address - Server string `json:"server"` - // Proxy server port - Port int32 `json:"port"` - // Type of the proxy - Type ProxyType `json:"type"` + meta + // The proxy; may be null if the proxy is unsupported, in which case an alert can be shown to the user + Proxy *Proxy `json:"proxy"` } func (entity *InternalLinkTypeProxy) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub InternalLinkTypeProxy + type stub InternalLinkTypeProxy - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*InternalLinkTypeProxy) GetClass() string { - return ClassInternalLinkType + return ClassInternalLinkType } func (*InternalLinkTypeProxy) GetType() string { - return TypeInternalLinkTypeProxy + return TypeInternalLinkTypeProxy } func (*InternalLinkTypeProxy) InternalLinkTypeType() string { - return TypeInternalLinkTypeProxy + return TypeInternalLinkTypeProxy } -func (internalLinkTypeProxy *InternalLinkTypeProxy) UnmarshalJSON(data []byte) error { - var tmp struct { - Server string `json:"server"` - Port int32 `json:"port"` - Type json.RawMessage `json:"type"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - internalLinkTypeProxy.Server = tmp.Server - internalLinkTypeProxy.Port = tmp.Port - - fieldType, _ := UnmarshalProxyType(tmp.Type) - internalLinkTypeProxy.Type = fieldType - - return nil -} - -// The link is a link to a chat by its username. Call searchPublicChat with the given chat username to process the link +// The link is a link to a chat by its username. Call searchPublicChat with the given chat username to process the link. If the chat is found, open its profile information screen or the chat itself. If draft text isn't empty and the chat is a private chat with a regular user, then put the draft text in the input field type InternalLinkTypePublicChat struct { - meta - // Username of the chat - ChatUsername string `json:"chat_username"` + meta + // Username of the chat + ChatUsername string `json:"chat_username"` + // Draft text for message to send in the chat + DraftText string `json:"draft_text"` + // True, if chat profile information screen must be opened; otherwise, the chat itself must be opened + OpenProfile bool `json:"open_profile"` } func (entity *InternalLinkTypePublicChat) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub InternalLinkTypePublicChat + type stub InternalLinkTypePublicChat - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*InternalLinkTypePublicChat) GetClass() string { - return ClassInternalLinkType + return ClassInternalLinkType } func (*InternalLinkTypePublicChat) GetType() string { - return TypeInternalLinkTypePublicChat + return TypeInternalLinkTypePublicChat } func (*InternalLinkTypePublicChat) InternalLinkTypeType() string { - return TypeInternalLinkTypePublicChat + return TypeInternalLinkTypePublicChat } // The link can be used to login the current user on another device, but it must be scanned from QR-code using in-app camera. An alert similar to "This code can be used to allow someone to log in to your Telegram account. To confirm Telegram login, please go to Settings > Devices > Scan QR and scan the code" needs to be shown -type InternalLinkTypeQrCodeAuthentication struct { - meta +type InternalLinkTypeQrCodeAuthentication struct{ + meta } func (entity *InternalLinkTypeQrCodeAuthentication) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub InternalLinkTypeQrCodeAuthentication + type stub InternalLinkTypeQrCodeAuthentication - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*InternalLinkTypeQrCodeAuthentication) GetClass() string { - return ClassInternalLinkType + return ClassInternalLinkType } func (*InternalLinkTypeQrCodeAuthentication) GetType() string { - return TypeInternalLinkTypeQrCodeAuthentication + return TypeInternalLinkTypeQrCodeAuthentication } func (*InternalLinkTypeQrCodeAuthentication) InternalLinkTypeType() string { - return TypeInternalLinkTypeQrCodeAuthentication + return TypeInternalLinkTypeQrCodeAuthentication } // The link forces restore of App Store purchases when opened. For official iOS application only -type InternalLinkTypeRestorePurchases struct { - meta +type InternalLinkTypeRestorePurchases struct{ + meta } func (entity *InternalLinkTypeRestorePurchases) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub InternalLinkTypeRestorePurchases + type stub InternalLinkTypeRestorePurchases - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*InternalLinkTypeRestorePurchases) GetClass() string { - return ClassInternalLinkType + return ClassInternalLinkType } func (*InternalLinkTypeRestorePurchases) GetType() string { - return TypeInternalLinkTypeRestorePurchases + return TypeInternalLinkTypeRestorePurchases } func (*InternalLinkTypeRestorePurchases) InternalLinkTypeType() string { - return TypeInternalLinkTypeRestorePurchases + return TypeInternalLinkTypeRestorePurchases +} + +// The link is a link to the Saved Messages chat. Call createPrivateChat with getOption("my_id") and open the chat +type InternalLinkTypeSavedMessages struct{ + meta +} + +func (entity *InternalLinkTypeSavedMessages) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InternalLinkTypeSavedMessages + + return json.Marshal((*stub)(entity)) +} + +func (*InternalLinkTypeSavedMessages) GetClass() string { + return ClassInternalLinkType +} + +func (*InternalLinkTypeSavedMessages) GetType() string { + return TypeInternalLinkTypeSavedMessages +} + +func (*InternalLinkTypeSavedMessages) InternalLinkTypeType() string { + return TypeInternalLinkTypeSavedMessages +} + +// The link is a link to the global chat and messages search field +type InternalLinkTypeSearch struct{ + meta +} + +func (entity *InternalLinkTypeSearch) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InternalLinkTypeSearch + + return json.Marshal((*stub)(entity)) +} + +func (*InternalLinkTypeSearch) GetClass() string { + return ClassInternalLinkType +} + +func (*InternalLinkTypeSearch) GetType() string { + return TypeInternalLinkTypeSearch +} + +func (*InternalLinkTypeSearch) InternalLinkTypeType() string { + return TypeInternalLinkTypeSearch } // The link is a link to application settings type InternalLinkTypeSettings struct { - meta + meta + // Section of the application settings to open; may be null if none + Section SettingsSection `json:"section"` } func (entity *InternalLinkTypeSettings) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub InternalLinkTypeSettings + type stub InternalLinkTypeSettings - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*InternalLinkTypeSettings) GetClass() string { - return ClassInternalLinkType + return ClassInternalLinkType } func (*InternalLinkTypeSettings) GetType() string { - return TypeInternalLinkTypeSettings + return TypeInternalLinkTypeSettings } func (*InternalLinkTypeSettings) InternalLinkTypeType() string { - return TypeInternalLinkTypeSettings + return TypeInternalLinkTypeSettings } -// The link is a link to a sticker set. Call searchStickerSet with the given sticker set name to process the link and show the sticker set +func (internalLinkTypeSettings *InternalLinkTypeSettings) UnmarshalJSON(data []byte) error { + var tmp struct { + Section json.RawMessage `json:"section"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldSection, _ := UnmarshalSettingsSection(tmp.Section) + internalLinkTypeSettings.Section = fieldSection + + return nil +} + +// The link is a link to the Telegram Star purchase section of the application +type InternalLinkTypeStarPurchase struct { + meta + // The number of Telegram Stars that must be owned by the user + StarCount int64 `json:"star_count"` + // Purpose of Telegram Star purchase. Arbitrary string specified by the server, for example, "subs" if the Telegram Stars are required to extend channel subscriptions + Purpose string `json:"purpose"` +} + +func (entity *InternalLinkTypeStarPurchase) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InternalLinkTypeStarPurchase + + return json.Marshal((*stub)(entity)) +} + +func (*InternalLinkTypeStarPurchase) GetClass() string { + return ClassInternalLinkType +} + +func (*InternalLinkTypeStarPurchase) GetType() string { + return TypeInternalLinkTypeStarPurchase +} + +func (*InternalLinkTypeStarPurchase) InternalLinkTypeType() string { + return TypeInternalLinkTypeStarPurchase +} + +// The link is a link to a sticker set. Call searchStickerSet with the given sticker set name to process the link and show the sticker set. If the sticker set is found and the user wants to add it, then call changeStickerSet type InternalLinkTypeStickerSet struct { - meta - // Name of the sticker set - StickerSetName string `json:"sticker_set_name"` - // True, if the sticker set is expected to contain custom emoji - ExpectCustomEmoji bool `json:"expect_custom_emoji"` + meta + // Name of the sticker set + StickerSetName string `json:"sticker_set_name"` + // True, if the sticker set is expected to contain custom emoji + ExpectCustomEmoji bool `json:"expect_custom_emoji"` } func (entity *InternalLinkTypeStickerSet) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub InternalLinkTypeStickerSet + type stub InternalLinkTypeStickerSet - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*InternalLinkTypeStickerSet) GetClass() string { - return ClassInternalLinkType + return ClassInternalLinkType } func (*InternalLinkTypeStickerSet) GetType() string { - return TypeInternalLinkTypeStickerSet + return TypeInternalLinkTypeStickerSet } func (*InternalLinkTypeStickerSet) InternalLinkTypeType() string { - return TypeInternalLinkTypeStickerSet + return TypeInternalLinkTypeStickerSet } -// The link is a link to a theme. TDLib has no theme support yet +// The link is a link to a story. Call searchPublicChat with the given poster username, then call getStory with the received chat identifier and the given story identifier, then show the story if received +type InternalLinkTypeStory struct { + meta + // Username of the poster of the story + StoryPosterUsername string `json:"story_poster_username"` + // Story identifier + StoryId int32 `json:"story_id"` +} + +func (entity *InternalLinkTypeStory) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InternalLinkTypeStory + + return json.Marshal((*stub)(entity)) +} + +func (*InternalLinkTypeStory) GetClass() string { + return ClassInternalLinkType +} + +func (*InternalLinkTypeStory) GetType() string { + return TypeInternalLinkTypeStory +} + +func (*InternalLinkTypeStory) InternalLinkTypeType() string { + return TypeInternalLinkTypeStory +} + +// The link is a link to an album of stories. Call searchPublicChat with the given username, then call getStoryAlbumStories with the received chat identifier and the given story album identifier, then show the story album if received +type InternalLinkTypeStoryAlbum struct { + meta + // Username of the owner of the story album + StoryAlbumOwnerUsername string `json:"story_album_owner_username"` + // Story album identifier + StoryAlbumId int32 `json:"story_album_id"` +} + +func (entity *InternalLinkTypeStoryAlbum) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub InternalLinkTypeStoryAlbum + + return json.Marshal((*stub)(entity)) +} + +func (*InternalLinkTypeStoryAlbum) GetClass() string { + return ClassInternalLinkType +} + +func (*InternalLinkTypeStoryAlbum) GetType() string { + return TypeInternalLinkTypeStoryAlbum +} + +func (*InternalLinkTypeStoryAlbum) InternalLinkTypeType() string { + return TypeInternalLinkTypeStoryAlbum +} + +// The link is a link to a cloud theme. TDLib has no theme support yet type InternalLinkTypeTheme struct { - meta - // Name of the theme - ThemeName string `json:"theme_name"` + meta + // Name of the theme + ThemeName string `json:"theme_name"` } func (entity *InternalLinkTypeTheme) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub InternalLinkTypeTheme + type stub InternalLinkTypeTheme - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*InternalLinkTypeTheme) GetClass() string { - return ClassInternalLinkType + return ClassInternalLinkType } func (*InternalLinkTypeTheme) GetType() string { - return TypeInternalLinkTypeTheme + return TypeInternalLinkTypeTheme } func (*InternalLinkTypeTheme) InternalLinkTypeType() string { - return TypeInternalLinkTypeTheme -} - -// The link is a link to the theme section of the app settings -type InternalLinkTypeThemeSettings struct { - meta -} - -func (entity *InternalLinkTypeThemeSettings) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub InternalLinkTypeThemeSettings - - return json.Marshal((*stub)(entity)) -} - -func (*InternalLinkTypeThemeSettings) GetClass() string { - return ClassInternalLinkType -} - -func (*InternalLinkTypeThemeSettings) GetType() string { - return TypeInternalLinkTypeThemeSettings -} - -func (*InternalLinkTypeThemeSettings) InternalLinkTypeType() string { - return TypeInternalLinkTypeThemeSettings + return TypeInternalLinkTypeTheme } // The link is an unknown tg: link. Call getDeepLinkInfo to process the link type InternalLinkTypeUnknownDeepLink struct { - meta - // Link to be passed to getDeepLinkInfo - Link string `json:"link"` + meta + // Link to be passed to getDeepLinkInfo + Link string `json:"link"` } func (entity *InternalLinkTypeUnknownDeepLink) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub InternalLinkTypeUnknownDeepLink + type stub InternalLinkTypeUnknownDeepLink - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*InternalLinkTypeUnknownDeepLink) GetClass() string { - return ClassInternalLinkType + return ClassInternalLinkType } func (*InternalLinkTypeUnknownDeepLink) GetType() string { - return TypeInternalLinkTypeUnknownDeepLink + return TypeInternalLinkTypeUnknownDeepLink } func (*InternalLinkTypeUnknownDeepLink) InternalLinkTypeType() string { - return TypeInternalLinkTypeUnknownDeepLink + return TypeInternalLinkTypeUnknownDeepLink } -// The link is a link to an unsupported proxy. An alert can be shown to the user -type InternalLinkTypeUnsupportedProxy struct { - meta +// The link is a link to an upgraded gift. Call getUpgradedGift with the given name to process the link +type InternalLinkTypeUpgradedGift struct { + meta + // Name of the unique gift + Name string `json:"name"` } -func (entity *InternalLinkTypeUnsupportedProxy) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *InternalLinkTypeUpgradedGift) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub InternalLinkTypeUnsupportedProxy + type stub InternalLinkTypeUpgradedGift - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*InternalLinkTypeUnsupportedProxy) GetClass() string { - return ClassInternalLinkType +func (*InternalLinkTypeUpgradedGift) GetClass() string { + return ClassInternalLinkType } -func (*InternalLinkTypeUnsupportedProxy) GetType() string { - return TypeInternalLinkTypeUnsupportedProxy +func (*InternalLinkTypeUpgradedGift) GetType() string { + return TypeInternalLinkTypeUpgradedGift } -func (*InternalLinkTypeUnsupportedProxy) InternalLinkTypeType() string { - return TypeInternalLinkTypeUnsupportedProxy +func (*InternalLinkTypeUpgradedGift) InternalLinkTypeType() string { + return TypeInternalLinkTypeUpgradedGift } -// The link is a link to a user by its phone number. Call searchUserByPhoneNumber with the given phone number to process the link +// The link is a link to a user by its phone number. Call searchUserByPhoneNumber with the given phone number to process the link. If the user is found, then call createPrivateChat and open user's profile information screen or the chat itself. If draft text isn't empty, then put the draft text in the input field type InternalLinkTypeUserPhoneNumber struct { - meta - // Phone number of the user - PhoneNumber string `json:"phone_number"` + meta + // Phone number of the user + PhoneNumber string `json:"phone_number"` + // Draft text for message to send in the chat + DraftText string `json:"draft_text"` + // True, if user's profile information screen must be opened; otherwise, the chat itself must be opened + OpenProfile bool `json:"open_profile"` } func (entity *InternalLinkTypeUserPhoneNumber) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub InternalLinkTypeUserPhoneNumber + type stub InternalLinkTypeUserPhoneNumber - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*InternalLinkTypeUserPhoneNumber) GetClass() string { - return ClassInternalLinkType + return ClassInternalLinkType } func (*InternalLinkTypeUserPhoneNumber) GetType() string { - return TypeInternalLinkTypeUserPhoneNumber + return TypeInternalLinkTypeUserPhoneNumber } func (*InternalLinkTypeUserPhoneNumber) InternalLinkTypeType() string { - return TypeInternalLinkTypeUserPhoneNumber + return TypeInternalLinkTypeUserPhoneNumber } -// The link is a link to a user by a temporary token. Call searchUserByToken with the given token to process the link +// The link is a link to a user by a temporary token. Call searchUserByToken with the given token to process the link. If the user is found, then call createPrivateChat and open the chat type InternalLinkTypeUserToken struct { - meta - // The token - Token string `json:"token"` + meta + // The token + Token string `json:"token"` } func (entity *InternalLinkTypeUserToken) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub InternalLinkTypeUserToken + type stub InternalLinkTypeUserToken - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*InternalLinkTypeUserToken) GetClass() string { - return ClassInternalLinkType + return ClassInternalLinkType } func (*InternalLinkTypeUserToken) GetType() string { - return TypeInternalLinkTypeUserToken + return TypeInternalLinkTypeUserToken } func (*InternalLinkTypeUserToken) InternalLinkTypeType() string { - return TypeInternalLinkTypeUserToken + return TypeInternalLinkTypeUserToken } -// The link is a link to a video chat. Call searchPublicChat with the given chat username, and then joinGroupCall with the given invite hash to process the link +// The link is a link to a video chat. Call searchPublicChat with the given chat username, and then joinVideoChat with the given invite hash to process the link type InternalLinkTypeVideoChat struct { - meta - // Username of the chat with the video chat - ChatUsername string `json:"chat_username"` - // If non-empty, invite hash to be used to join the video chat without being muted by administrators - InviteHash string `json:"invite_hash"` - // True, if the video chat is expected to be a live stream in a channel or a broadcast group - IsLiveStream bool `json:"is_live_stream"` + meta + // Username of the chat with the video chat + ChatUsername string `json:"chat_username"` + // If non-empty, invite hash to be used to join the video chat without being muted by administrators + InviteHash string `json:"invite_hash"` + // True, if the video chat is expected to be a live stream in a channel or a broadcast group + IsLiveStream bool `json:"is_live_stream"` } func (entity *InternalLinkTypeVideoChat) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub InternalLinkTypeVideoChat + type stub InternalLinkTypeVideoChat - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*InternalLinkTypeVideoChat) GetClass() string { - return ClassInternalLinkType + return ClassInternalLinkType } func (*InternalLinkTypeVideoChat) GetType() string { - return TypeInternalLinkTypeVideoChat + return TypeInternalLinkTypeVideoChat } func (*InternalLinkTypeVideoChat) InternalLinkTypeType() string { - return TypeInternalLinkTypeVideoChat + return TypeInternalLinkTypeVideoChat } -// The link is a link to a Web App. Call searchPublicChat with the given bot username, check that the user is a bot, then call searchWebApp with the received bot and the given web_app_short_name. Process received foundWebApp by showing a confirmation dialog if needed, then calling getWebAppLinkUrl and opening the returned URL +// The link is a link to a Web App. Call searchPublicChat with the given bot username, check that the user is a bot. If the bot is restricted for the current user, then show an error message. Otherwise, call searchWebApp with the received bot and the given web_app_short_name. Process received foundWebApp by showing a confirmation dialog if needed. If the bot can be added to attachment or side menu, but isn't added yet, then show a disclaimer about Mini Apps being third-party applications instead of the dialog and ask the user to accept their Terms of service. If the user accept the terms and confirms adding, then use toggleBotIsAddedToAttachmentMenu to add the bot. Then, call getWebAppLinkUrl and open the returned URL as a Web App type InternalLinkTypeWebApp struct { - meta - // Username of the bot that owns the Web App - BotUsername string `json:"bot_username"` - // Short name of the Web App - WebAppShortName string `json:"web_app_short_name"` - // Start parameter to be passed to getWebAppLinkUrl - StartParameter string `json:"start_parameter"` + meta + // Username of the bot that owns the Web App + BotUsername string `json:"bot_username"` + // Short name of the Web App + WebAppShortName string `json:"web_app_short_name"` + // Start parameter to be passed to getWebAppLinkUrl + StartParameter string `json:"start_parameter"` + // The mode in which the Web App must be opened + Mode WebAppOpenMode `json:"mode"` } func (entity *InternalLinkTypeWebApp) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub InternalLinkTypeWebApp + type stub InternalLinkTypeWebApp - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*InternalLinkTypeWebApp) GetClass() string { - return ClassInternalLinkType + return ClassInternalLinkType } func (*InternalLinkTypeWebApp) GetType() string { - return TypeInternalLinkTypeWebApp + return TypeInternalLinkTypeWebApp } func (*InternalLinkTypeWebApp) InternalLinkTypeType() string { - return TypeInternalLinkTypeWebApp + return TypeInternalLinkTypeWebApp +} + +func (internalLinkTypeWebApp *InternalLinkTypeWebApp) UnmarshalJSON(data []byte) error { + var tmp struct { + BotUsername string `json:"bot_username"` + WebAppShortName string `json:"web_app_short_name"` + StartParameter string `json:"start_parameter"` + Mode json.RawMessage `json:"mode"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + internalLinkTypeWebApp.BotUsername = tmp.BotUsername + internalLinkTypeWebApp.WebAppShortName = tmp.WebAppShortName + internalLinkTypeWebApp.StartParameter = tmp.StartParameter + + fieldMode, _ := UnmarshalWebAppOpenMode(tmp.Mode) + internalLinkTypeWebApp.Mode = fieldMode + + return nil } // Contains an HTTPS link to a message in a supergroup or channel, or a forum topic type MessageLink struct { - meta - // The link - Link string `json:"link"` - // True, if the link will work for non-members of the chat - IsPublic bool `json:"is_public"` + meta + // The link + Link string `json:"link"` + // True, if the link will work for non-members of the chat + IsPublic bool `json:"is_public"` } func (entity *MessageLink) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub MessageLink + type stub MessageLink - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*MessageLink) GetClass() string { - return ClassMessageLink + return ClassMessageLink } func (*MessageLink) GetType() string { - return TypeMessageLink + return TypeMessageLink } // Contains information about a link to a message or a forum topic in a chat type MessageLinkInfo struct { - meta - // True, if the link is a public link for a message or a forum topic in a chat - IsPublic bool `json:"is_public"` - // If found, identifier of the chat to which the link points, 0 otherwise - ChatId int64 `json:"chat_id"` - // If found, identifier of the message thread in which to open the message, or a forum topic to open if the message is missing - MessageThreadId int64 `json:"message_thread_id"` - // If found, the linked message; may be null - Message *Message `json:"message"` - // Timestamp from which the video/audio/video note/voice note playing must start, in seconds; 0 if not specified. The media can be in the message content or in its web page preview - MediaTimestamp int32 `json:"media_timestamp"` - // True, if the whole media album to which the message belongs is linked - ForAlbum bool `json:"for_album"` + meta + // True, if the link is a public link for a message or a forum topic in a chat + IsPublic bool `json:"is_public"` + // If found, identifier of the chat to which the link points, 0 otherwise + ChatId int64 `json:"chat_id"` + // Identifier of the specific topic in which the message must be opened, or a topic to open if the message is missing; may be null if none + TopicId MessageTopic `json:"topic_id"` + // If found, the linked message; may be null + Message *Message `json:"message"` + // Timestamp from which the video/audio/video note/voice note/story playing must start, in seconds; 0 if not specified. The media can be in the message content or in its link preview + MediaTimestamp int32 `json:"media_timestamp"` + // True, if the whole media album to which the message belongs is linked + ForAlbum bool `json:"for_album"` } func (entity *MessageLinkInfo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub MessageLinkInfo + type stub MessageLinkInfo - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*MessageLinkInfo) GetClass() string { - return ClassMessageLinkInfo + return ClassMessageLinkInfo } func (*MessageLinkInfo) GetType() string { - return TypeMessageLinkInfo + return TypeMessageLinkInfo } -// Contains a part of a file -type FilePart struct { - meta - // File bytes - Data []byte `json:"data"` +func (messageLinkInfo *MessageLinkInfo) UnmarshalJSON(data []byte) error { + var tmp struct { + IsPublic bool `json:"is_public"` + ChatId int64 `json:"chat_id"` + TopicId json.RawMessage `json:"topic_id"` + Message *Message `json:"message"` + MediaTimestamp int32 `json:"media_timestamp"` + ForAlbum bool `json:"for_album"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + messageLinkInfo.IsPublic = tmp.IsPublic + messageLinkInfo.ChatId = tmp.ChatId + messageLinkInfo.Message = tmp.Message + messageLinkInfo.MediaTimestamp = tmp.MediaTimestamp + messageLinkInfo.ForAlbum = tmp.ForAlbum + + fieldTopicId, _ := UnmarshalMessageTopic(tmp.TopicId) + messageLinkInfo.TopicId = fieldTopicId + + return nil } -func (entity *FilePart) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub FilePart - - return json.Marshal((*stub)(entity)) +// Contains an HTTPS link to boost a chat +type ChatBoostLink struct { + meta + // The link + Link string `json:"link"` + // True, if the link will work for non-members of the chat + IsPublic bool `json:"is_public"` } -func (*FilePart) GetClass() string { - return ClassFilePart +func (entity *ChatBoostLink) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatBoostLink + + return json.Marshal((*stub)(entity)) } -func (*FilePart) GetType() string { - return TypeFilePart +func (*ChatBoostLink) GetClass() string { + return ClassChatBoostLink +} + +func (*ChatBoostLink) GetType() string { + return TypeChatBoostLink +} + +// Contains information about a link to boost a chat +type ChatBoostLinkInfo struct { + meta + // True, if the link will work for non-members of the chat + IsPublic bool `json:"is_public"` + // Identifier of the chat to which the link points; 0 if the chat isn't found + ChatId int64 `json:"chat_id"` +} + +func (entity *ChatBoostLinkInfo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatBoostLinkInfo + + return json.Marshal((*stub)(entity)) +} + +func (*ChatBoostLinkInfo) GetClass() string { + return ClassChatBoostLinkInfo +} + +func (*ChatBoostLinkInfo) GetType() string { + return TypeChatBoostLinkInfo +} + +// The main block list that disallows writing messages to the current user, receiving their status and photo, viewing of stories, and some other actions +type BlockListMain struct{ + meta +} + +func (entity *BlockListMain) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BlockListMain + + return json.Marshal((*stub)(entity)) +} + +func (*BlockListMain) GetClass() string { + return ClassBlockList +} + +func (*BlockListMain) GetType() string { + return TypeBlockListMain +} + +func (*BlockListMain) BlockListType() string { + return TypeBlockListMain +} + +// The block list that disallows viewing of stories of the current user +type BlockListStories struct{ + meta +} + +func (entity *BlockListStories) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub BlockListStories + + return json.Marshal((*stub)(entity)) +} + +func (*BlockListStories) GetClass() string { + return ClassBlockList +} + +func (*BlockListStories) GetType() string { + return TypeBlockListStories +} + +func (*BlockListStories) BlockListType() string { + return TypeBlockListStories } // The data is not a file -type FileTypeNone struct { - meta +type FileTypeNone struct{ + meta } func (entity *FileTypeNone) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub FileTypeNone + type stub FileTypeNone - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*FileTypeNone) GetClass() string { - return ClassFileType + return ClassFileType } func (*FileTypeNone) GetType() string { - return TypeFileTypeNone + return TypeFileTypeNone } func (*FileTypeNone) FileTypeType() string { - return TypeFileTypeNone + return TypeFileTypeNone } // The file is an animation -type FileTypeAnimation struct { - meta +type FileTypeAnimation struct{ + meta } func (entity *FileTypeAnimation) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub FileTypeAnimation + type stub FileTypeAnimation - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*FileTypeAnimation) GetClass() string { - return ClassFileType + return ClassFileType } func (*FileTypeAnimation) GetType() string { - return TypeFileTypeAnimation + return TypeFileTypeAnimation } func (*FileTypeAnimation) FileTypeType() string { - return TypeFileTypeAnimation + return TypeFileTypeAnimation } // The file is an audio file -type FileTypeAudio struct { - meta +type FileTypeAudio struct{ + meta } func (entity *FileTypeAudio) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub FileTypeAudio + type stub FileTypeAudio - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*FileTypeAudio) GetClass() string { - return ClassFileType + return ClassFileType } func (*FileTypeAudio) GetType() string { - return TypeFileTypeAudio + return TypeFileTypeAudio } func (*FileTypeAudio) FileTypeType() string { - return TypeFileTypeAudio + return TypeFileTypeAudio } // The file is a document -type FileTypeDocument struct { - meta +type FileTypeDocument struct{ + meta } func (entity *FileTypeDocument) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub FileTypeDocument + type stub FileTypeDocument - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*FileTypeDocument) GetClass() string { - return ClassFileType + return ClassFileType } func (*FileTypeDocument) GetType() string { - return TypeFileTypeDocument + return TypeFileTypeDocument } func (*FileTypeDocument) FileTypeType() string { - return TypeFileTypeDocument + return TypeFileTypeDocument } // The file is a notification sound -type FileTypeNotificationSound struct { - meta +type FileTypeNotificationSound struct{ + meta } func (entity *FileTypeNotificationSound) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub FileTypeNotificationSound + type stub FileTypeNotificationSound - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*FileTypeNotificationSound) GetClass() string { - return ClassFileType + return ClassFileType } func (*FileTypeNotificationSound) GetType() string { - return TypeFileTypeNotificationSound + return TypeFileTypeNotificationSound } func (*FileTypeNotificationSound) FileTypeType() string { - return TypeFileTypeNotificationSound + return TypeFileTypeNotificationSound } // The file is a photo -type FileTypePhoto struct { - meta +type FileTypePhoto struct{ + meta } func (entity *FileTypePhoto) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub FileTypePhoto + type stub FileTypePhoto - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*FileTypePhoto) GetClass() string { - return ClassFileType + return ClassFileType } func (*FileTypePhoto) GetType() string { - return TypeFileTypePhoto + return TypeFileTypePhoto } func (*FileTypePhoto) FileTypeType() string { - return TypeFileTypePhoto + return TypeFileTypePhoto +} + +// The file is a photo published as a story +type FileTypePhotoStory struct{ + meta +} + +func (entity *FileTypePhotoStory) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub FileTypePhotoStory + + return json.Marshal((*stub)(entity)) +} + +func (*FileTypePhotoStory) GetClass() string { + return ClassFileType +} + +func (*FileTypePhotoStory) GetType() string { + return TypeFileTypePhotoStory +} + +func (*FileTypePhotoStory) FileTypeType() string { + return TypeFileTypePhotoStory } // The file is a profile photo -type FileTypeProfilePhoto struct { - meta +type FileTypeProfilePhoto struct{ + meta } func (entity *FileTypeProfilePhoto) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub FileTypeProfilePhoto + type stub FileTypeProfilePhoto - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*FileTypeProfilePhoto) GetClass() string { - return ClassFileType + return ClassFileType } func (*FileTypeProfilePhoto) GetType() string { - return TypeFileTypeProfilePhoto + return TypeFileTypeProfilePhoto } func (*FileTypeProfilePhoto) FileTypeType() string { - return TypeFileTypeProfilePhoto + return TypeFileTypeProfilePhoto } // The file was sent to a secret chat (the file type is not known to the server) -type FileTypeSecret struct { - meta +type FileTypeSecret struct{ + meta } func (entity *FileTypeSecret) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub FileTypeSecret + type stub FileTypeSecret - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*FileTypeSecret) GetClass() string { - return ClassFileType + return ClassFileType } func (*FileTypeSecret) GetType() string { - return TypeFileTypeSecret + return TypeFileTypeSecret } func (*FileTypeSecret) FileTypeType() string { - return TypeFileTypeSecret + return TypeFileTypeSecret } // The file is a thumbnail of a file from a secret chat -type FileTypeSecretThumbnail struct { - meta +type FileTypeSecretThumbnail struct{ + meta } func (entity *FileTypeSecretThumbnail) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub FileTypeSecretThumbnail + type stub FileTypeSecretThumbnail - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*FileTypeSecretThumbnail) GetClass() string { - return ClassFileType + return ClassFileType } func (*FileTypeSecretThumbnail) GetType() string { - return TypeFileTypeSecretThumbnail + return TypeFileTypeSecretThumbnail } func (*FileTypeSecretThumbnail) FileTypeType() string { - return TypeFileTypeSecretThumbnail + return TypeFileTypeSecretThumbnail } // The file is a file from Secure storage used for storing Telegram Passport files -type FileTypeSecure struct { - meta +type FileTypeSecure struct{ + meta } func (entity *FileTypeSecure) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub FileTypeSecure + type stub FileTypeSecure - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*FileTypeSecure) GetClass() string { - return ClassFileType + return ClassFileType } func (*FileTypeSecure) GetType() string { - return TypeFileTypeSecure + return TypeFileTypeSecure } func (*FileTypeSecure) FileTypeType() string { - return TypeFileTypeSecure + return TypeFileTypeSecure +} + +// The file is a self-destructing photo in a private chat +type FileTypeSelfDestructingPhoto struct{ + meta +} + +func (entity *FileTypeSelfDestructingPhoto) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub FileTypeSelfDestructingPhoto + + return json.Marshal((*stub)(entity)) +} + +func (*FileTypeSelfDestructingPhoto) GetClass() string { + return ClassFileType +} + +func (*FileTypeSelfDestructingPhoto) GetType() string { + return TypeFileTypeSelfDestructingPhoto +} + +func (*FileTypeSelfDestructingPhoto) FileTypeType() string { + return TypeFileTypeSelfDestructingPhoto +} + +// The file is a self-destructing video in a private chat +type FileTypeSelfDestructingVideo struct{ + meta +} + +func (entity *FileTypeSelfDestructingVideo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub FileTypeSelfDestructingVideo + + return json.Marshal((*stub)(entity)) +} + +func (*FileTypeSelfDestructingVideo) GetClass() string { + return ClassFileType +} + +func (*FileTypeSelfDestructingVideo) GetType() string { + return TypeFileTypeSelfDestructingVideo +} + +func (*FileTypeSelfDestructingVideo) FileTypeType() string { + return TypeFileTypeSelfDestructingVideo +} + +// The file is a self-destructing video note in a private chat +type FileTypeSelfDestructingVideoNote struct{ + meta +} + +func (entity *FileTypeSelfDestructingVideoNote) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub FileTypeSelfDestructingVideoNote + + return json.Marshal((*stub)(entity)) +} + +func (*FileTypeSelfDestructingVideoNote) GetClass() string { + return ClassFileType +} + +func (*FileTypeSelfDestructingVideoNote) GetType() string { + return TypeFileTypeSelfDestructingVideoNote +} + +func (*FileTypeSelfDestructingVideoNote) FileTypeType() string { + return TypeFileTypeSelfDestructingVideoNote +} + +// The file is a self-destructing voice note in a private chat +type FileTypeSelfDestructingVoiceNote struct{ + meta +} + +func (entity *FileTypeSelfDestructingVoiceNote) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub FileTypeSelfDestructingVoiceNote + + return json.Marshal((*stub)(entity)) +} + +func (*FileTypeSelfDestructingVoiceNote) GetClass() string { + return ClassFileType +} + +func (*FileTypeSelfDestructingVoiceNote) GetType() string { + return TypeFileTypeSelfDestructingVoiceNote +} + +func (*FileTypeSelfDestructingVoiceNote) FileTypeType() string { + return TypeFileTypeSelfDestructingVoiceNote } // The file is a sticker -type FileTypeSticker struct { - meta +type FileTypeSticker struct{ + meta } func (entity *FileTypeSticker) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub FileTypeSticker + type stub FileTypeSticker - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*FileTypeSticker) GetClass() string { - return ClassFileType + return ClassFileType } func (*FileTypeSticker) GetType() string { - return TypeFileTypeSticker + return TypeFileTypeSticker } func (*FileTypeSticker) FileTypeType() string { - return TypeFileTypeSticker + return TypeFileTypeSticker } // The file is a thumbnail of another file -type FileTypeThumbnail struct { - meta +type FileTypeThumbnail struct{ + meta } func (entity *FileTypeThumbnail) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub FileTypeThumbnail + type stub FileTypeThumbnail - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*FileTypeThumbnail) GetClass() string { - return ClassFileType + return ClassFileType } func (*FileTypeThumbnail) GetType() string { - return TypeFileTypeThumbnail + return TypeFileTypeThumbnail } func (*FileTypeThumbnail) FileTypeType() string { - return TypeFileTypeThumbnail + return TypeFileTypeThumbnail } // The file type is not yet known -type FileTypeUnknown struct { - meta +type FileTypeUnknown struct{ + meta } func (entity *FileTypeUnknown) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub FileTypeUnknown + type stub FileTypeUnknown - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*FileTypeUnknown) GetClass() string { - return ClassFileType + return ClassFileType } func (*FileTypeUnknown) GetType() string { - return TypeFileTypeUnknown + return TypeFileTypeUnknown } func (*FileTypeUnknown) FileTypeType() string { - return TypeFileTypeUnknown + return TypeFileTypeUnknown } // The file is a video -type FileTypeVideo struct { - meta +type FileTypeVideo struct{ + meta } func (entity *FileTypeVideo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub FileTypeVideo + type stub FileTypeVideo - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*FileTypeVideo) GetClass() string { - return ClassFileType + return ClassFileType } func (*FileTypeVideo) GetType() string { - return TypeFileTypeVideo + return TypeFileTypeVideo } func (*FileTypeVideo) FileTypeType() string { - return TypeFileTypeVideo + return TypeFileTypeVideo } // The file is a video note -type FileTypeVideoNote struct { - meta +type FileTypeVideoNote struct{ + meta } func (entity *FileTypeVideoNote) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub FileTypeVideoNote + type stub FileTypeVideoNote - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*FileTypeVideoNote) GetClass() string { - return ClassFileType + return ClassFileType } func (*FileTypeVideoNote) GetType() string { - return TypeFileTypeVideoNote + return TypeFileTypeVideoNote } func (*FileTypeVideoNote) FileTypeType() string { - return TypeFileTypeVideoNote + return TypeFileTypeVideoNote +} + +// The file is a video published as a story +type FileTypeVideoStory struct{ + meta +} + +func (entity *FileTypeVideoStory) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub FileTypeVideoStory + + return json.Marshal((*stub)(entity)) +} + +func (*FileTypeVideoStory) GetClass() string { + return ClassFileType +} + +func (*FileTypeVideoStory) GetType() string { + return TypeFileTypeVideoStory +} + +func (*FileTypeVideoStory) FileTypeType() string { + return TypeFileTypeVideoStory } // The file is a voice note -type FileTypeVoiceNote struct { - meta +type FileTypeVoiceNote struct{ + meta } func (entity *FileTypeVoiceNote) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub FileTypeVoiceNote + type stub FileTypeVoiceNote - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*FileTypeVoiceNote) GetClass() string { - return ClassFileType + return ClassFileType } func (*FileTypeVoiceNote) GetType() string { - return TypeFileTypeVoiceNote + return TypeFileTypeVoiceNote } func (*FileTypeVoiceNote) FileTypeType() string { - return TypeFileTypeVoiceNote + return TypeFileTypeVoiceNote } // The file is a wallpaper or a background pattern -type FileTypeWallpaper struct { - meta +type FileTypeWallpaper struct{ + meta } func (entity *FileTypeWallpaper) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub FileTypeWallpaper + type stub FileTypeWallpaper - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*FileTypeWallpaper) GetClass() string { - return ClassFileType + return ClassFileType } func (*FileTypeWallpaper) GetType() string { - return TypeFileTypeWallpaper + return TypeFileTypeWallpaper } func (*FileTypeWallpaper) FileTypeType() string { - return TypeFileTypeWallpaper + return TypeFileTypeWallpaper } // Contains the storage usage statistics for a specific file type type StorageStatisticsByFileType struct { - meta - // File type - FileType FileType `json:"file_type"` - // Total size of the files, in bytes - Size int64 `json:"size"` - // Total number of files - Count int32 `json:"count"` + meta + // File type + FileType FileType `json:"file_type"` + // Total size of the files, in bytes + Size int64 `json:"size"` + // Total number of files + Count int32 `json:"count"` } func (entity *StorageStatisticsByFileType) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub StorageStatisticsByFileType + type stub StorageStatisticsByFileType - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*StorageStatisticsByFileType) GetClass() string { - return ClassStorageStatisticsByFileType + return ClassStorageStatisticsByFileType } func (*StorageStatisticsByFileType) GetType() string { - return TypeStorageStatisticsByFileType + return TypeStorageStatisticsByFileType } func (storageStatisticsByFileType *StorageStatisticsByFileType) UnmarshalJSON(data []byte) error { - var tmp struct { - FileType json.RawMessage `json:"file_type"` - Size int64 `json:"size"` - Count int32 `json:"count"` - } + var tmp struct { + FileType json.RawMessage `json:"file_type"` + Size int64 `json:"size"` + Count int32 `json:"count"` + } - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - storageStatisticsByFileType.Size = tmp.Size - storageStatisticsByFileType.Count = tmp.Count + storageStatisticsByFileType.Size = tmp.Size + storageStatisticsByFileType.Count = tmp.Count - fieldFileType, _ := UnmarshalFileType(tmp.FileType) - storageStatisticsByFileType.FileType = fieldFileType + fieldFileType, _ := UnmarshalFileType(tmp.FileType) + storageStatisticsByFileType.FileType = fieldFileType - return nil + return nil } // Contains the storage usage statistics for a specific chat type StorageStatisticsByChat struct { - meta - // Chat identifier; 0 if none - ChatId int64 `json:"chat_id"` - // Total size of the files in the chat, in bytes - Size int64 `json:"size"` - // Total number of files in the chat - Count int32 `json:"count"` - // Statistics split by file types - ByFileType []*StorageStatisticsByFileType `json:"by_file_type"` + meta + // Chat identifier; 0 if none + ChatId int64 `json:"chat_id"` + // Total size of the files in the chat, in bytes + Size int64 `json:"size"` + // Total number of files in the chat + Count int32 `json:"count"` + // Statistics split by file types + ByFileType []*StorageStatisticsByFileType `json:"by_file_type"` } func (entity *StorageStatisticsByChat) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub StorageStatisticsByChat + type stub StorageStatisticsByChat - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*StorageStatisticsByChat) GetClass() string { - return ClassStorageStatisticsByChat + return ClassStorageStatisticsByChat } func (*StorageStatisticsByChat) GetType() string { - return TypeStorageStatisticsByChat + return TypeStorageStatisticsByChat } // Contains the exact storage usage statistics split by chats and file type type StorageStatistics struct { - meta - // Total size of files, in bytes - Size int64 `json:"size"` - // Total number of files - Count int32 `json:"count"` - // Statistics split by chats - ByChat []*StorageStatisticsByChat `json:"by_chat"` + meta + // Total size of files, in bytes + Size int64 `json:"size"` + // Total number of files + Count int32 `json:"count"` + // Statistics split by chats + ByChat []*StorageStatisticsByChat `json:"by_chat"` } func (entity *StorageStatistics) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub StorageStatistics + type stub StorageStatistics - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*StorageStatistics) GetClass() string { - return ClassStorageStatistics + return ClassStorageStatistics } func (*StorageStatistics) GetType() string { - return TypeStorageStatistics + return TypeStorageStatistics } // Contains approximate storage usage statistics, excluding files of unknown file type type StorageStatisticsFast struct { - meta - // Approximate total size of files, in bytes - FilesSize int64 `json:"files_size"` - // Approximate number of files - FileCount int32 `json:"file_count"` - // Size of the database - DatabaseSize int64 `json:"database_size"` - // Size of the language pack database - LanguagePackDatabaseSize int64 `json:"language_pack_database_size"` - // Size of the TDLib internal log - LogSize int64 `json:"log_size"` + meta + // Approximate total size of files, in bytes + FilesSize int64 `json:"files_size"` + // Approximate number of files + FileCount int32 `json:"file_count"` + // Size of the database + DatabaseSize int64 `json:"database_size"` + // Size of the language pack database + LanguagePackDatabaseSize int64 `json:"language_pack_database_size"` + // Size of the TDLib internal log + LogSize int64 `json:"log_size"` } func (entity *StorageStatisticsFast) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub StorageStatisticsFast + type stub StorageStatisticsFast - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*StorageStatisticsFast) GetClass() string { - return ClassStorageStatisticsFast + return ClassStorageStatisticsFast } func (*StorageStatisticsFast) GetType() string { - return TypeStorageStatisticsFast + return TypeStorageStatisticsFast } // Contains database statistics type DatabaseStatistics struct { - meta - // Database statistics in an unspecified human-readable format - Statistics string `json:"statistics"` + meta + // Database statistics in an unspecified human-readable format + Statistics string `json:"statistics"` } func (entity *DatabaseStatistics) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub DatabaseStatistics + type stub DatabaseStatistics - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*DatabaseStatistics) GetClass() string { - return ClassDatabaseStatistics + return ClassDatabaseStatistics } func (*DatabaseStatistics) GetType() string { - return TypeDatabaseStatistics + return TypeDatabaseStatistics } // The network is not available -type NetworkTypeNone struct { - meta +type NetworkTypeNone struct{ + meta } func (entity *NetworkTypeNone) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub NetworkTypeNone + type stub NetworkTypeNone - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*NetworkTypeNone) GetClass() string { - return ClassNetworkType + return ClassNetworkType } func (*NetworkTypeNone) GetType() string { - return TypeNetworkTypeNone + return TypeNetworkTypeNone } func (*NetworkTypeNone) NetworkTypeType() string { - return TypeNetworkTypeNone + return TypeNetworkTypeNone } // A mobile network -type NetworkTypeMobile struct { - meta +type NetworkTypeMobile struct{ + meta } func (entity *NetworkTypeMobile) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub NetworkTypeMobile + type stub NetworkTypeMobile - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*NetworkTypeMobile) GetClass() string { - return ClassNetworkType + return ClassNetworkType } func (*NetworkTypeMobile) GetType() string { - return TypeNetworkTypeMobile + return TypeNetworkTypeMobile } func (*NetworkTypeMobile) NetworkTypeType() string { - return TypeNetworkTypeMobile + return TypeNetworkTypeMobile } // A mobile roaming network -type NetworkTypeMobileRoaming struct { - meta +type NetworkTypeMobileRoaming struct{ + meta } func (entity *NetworkTypeMobileRoaming) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub NetworkTypeMobileRoaming + type stub NetworkTypeMobileRoaming - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*NetworkTypeMobileRoaming) GetClass() string { - return ClassNetworkType + return ClassNetworkType } func (*NetworkTypeMobileRoaming) GetType() string { - return TypeNetworkTypeMobileRoaming + return TypeNetworkTypeMobileRoaming } func (*NetworkTypeMobileRoaming) NetworkTypeType() string { - return TypeNetworkTypeMobileRoaming + return TypeNetworkTypeMobileRoaming } // A Wi-Fi network -type NetworkTypeWiFi struct { - meta +type NetworkTypeWiFi struct{ + meta } func (entity *NetworkTypeWiFi) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub NetworkTypeWiFi + type stub NetworkTypeWiFi - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*NetworkTypeWiFi) GetClass() string { - return ClassNetworkType + return ClassNetworkType } func (*NetworkTypeWiFi) GetType() string { - return TypeNetworkTypeWiFi + return TypeNetworkTypeWiFi } func (*NetworkTypeWiFi) NetworkTypeType() string { - return TypeNetworkTypeWiFi + return TypeNetworkTypeWiFi } // A different network type (e.g., Ethernet network) -type NetworkTypeOther struct { - meta +type NetworkTypeOther struct{ + meta } func (entity *NetworkTypeOther) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub NetworkTypeOther + type stub NetworkTypeOther - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*NetworkTypeOther) GetClass() string { - return ClassNetworkType + return ClassNetworkType } func (*NetworkTypeOther) GetType() string { - return TypeNetworkTypeOther + return TypeNetworkTypeOther } func (*NetworkTypeOther) NetworkTypeType() string { - return TypeNetworkTypeOther + return TypeNetworkTypeOther } // Contains information about the total amount of data that was used to send and receive files type NetworkStatisticsEntryFile struct { - meta - // Type of the file the data is part of; pass null if the data isn't related to files - FileType FileType `json:"file_type"` - // Type of the network the data was sent through. Call setNetworkType to maintain the actual network type - NetworkType NetworkType `json:"network_type"` - // Total number of bytes sent - SentBytes int64 `json:"sent_bytes"` - // Total number of bytes received - ReceivedBytes int64 `json:"received_bytes"` + meta + // Type of the file the data is part of; pass null if the data isn't related to files + FileType FileType `json:"file_type"` + // Type of the network the data was sent through. Call setNetworkType to maintain the actual network type + NetworkType NetworkType `json:"network_type"` + // Total number of bytes sent + SentBytes int64 `json:"sent_bytes"` + // Total number of bytes received + ReceivedBytes int64 `json:"received_bytes"` } func (entity *NetworkStatisticsEntryFile) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub NetworkStatisticsEntryFile + type stub NetworkStatisticsEntryFile - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*NetworkStatisticsEntryFile) GetClass() string { - return ClassNetworkStatisticsEntry + return ClassNetworkStatisticsEntry } func (*NetworkStatisticsEntryFile) GetType() string { - return TypeNetworkStatisticsEntryFile + return TypeNetworkStatisticsEntryFile } func (*NetworkStatisticsEntryFile) NetworkStatisticsEntryType() string { - return TypeNetworkStatisticsEntryFile + return TypeNetworkStatisticsEntryFile } func (networkStatisticsEntryFile *NetworkStatisticsEntryFile) UnmarshalJSON(data []byte) error { - var tmp struct { - FileType json.RawMessage `json:"file_type"` - NetworkType json.RawMessage `json:"network_type"` - SentBytes int64 `json:"sent_bytes"` - ReceivedBytes int64 `json:"received_bytes"` - } + var tmp struct { + FileType json.RawMessage `json:"file_type"` + NetworkType json.RawMessage `json:"network_type"` + SentBytes int64 `json:"sent_bytes"` + ReceivedBytes int64 `json:"received_bytes"` + } - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - networkStatisticsEntryFile.SentBytes = tmp.SentBytes - networkStatisticsEntryFile.ReceivedBytes = tmp.ReceivedBytes + networkStatisticsEntryFile.SentBytes = tmp.SentBytes + networkStatisticsEntryFile.ReceivedBytes = tmp.ReceivedBytes - fieldFileType, _ := UnmarshalFileType(tmp.FileType) - networkStatisticsEntryFile.FileType = fieldFileType + fieldFileType, _ := UnmarshalFileType(tmp.FileType) + networkStatisticsEntryFile.FileType = fieldFileType - fieldNetworkType, _ := UnmarshalNetworkType(tmp.NetworkType) - networkStatisticsEntryFile.NetworkType = fieldNetworkType + fieldNetworkType, _ := UnmarshalNetworkType(tmp.NetworkType) + networkStatisticsEntryFile.NetworkType = fieldNetworkType - return nil + return nil } // Contains information about the total amount of data that was used for calls type NetworkStatisticsEntryCall struct { - meta - // Type of the network the data was sent through. Call setNetworkType to maintain the actual network type - NetworkType NetworkType `json:"network_type"` - // Total number of bytes sent - SentBytes int64 `json:"sent_bytes"` - // Total number of bytes received - ReceivedBytes int64 `json:"received_bytes"` - // Total call duration, in seconds - Duration float64 `json:"duration"` + meta + // Type of the network the data was sent through. Call setNetworkType to maintain the actual network type + NetworkType NetworkType `json:"network_type"` + // Total number of bytes sent + SentBytes int64 `json:"sent_bytes"` + // Total number of bytes received + ReceivedBytes int64 `json:"received_bytes"` + // Total call duration, in seconds + Duration float64 `json:"duration"` } func (entity *NetworkStatisticsEntryCall) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub NetworkStatisticsEntryCall + type stub NetworkStatisticsEntryCall - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*NetworkStatisticsEntryCall) GetClass() string { - return ClassNetworkStatisticsEntry + return ClassNetworkStatisticsEntry } func (*NetworkStatisticsEntryCall) GetType() string { - return TypeNetworkStatisticsEntryCall + return TypeNetworkStatisticsEntryCall } func (*NetworkStatisticsEntryCall) NetworkStatisticsEntryType() string { - return TypeNetworkStatisticsEntryCall + return TypeNetworkStatisticsEntryCall } func (networkStatisticsEntryCall *NetworkStatisticsEntryCall) UnmarshalJSON(data []byte) error { - var tmp struct { - NetworkType json.RawMessage `json:"network_type"` - SentBytes int64 `json:"sent_bytes"` - ReceivedBytes int64 `json:"received_bytes"` - Duration float64 `json:"duration"` - } + var tmp struct { + NetworkType json.RawMessage `json:"network_type"` + SentBytes int64 `json:"sent_bytes"` + ReceivedBytes int64 `json:"received_bytes"` + Duration float64 `json:"duration"` + } - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - networkStatisticsEntryCall.SentBytes = tmp.SentBytes - networkStatisticsEntryCall.ReceivedBytes = tmp.ReceivedBytes - networkStatisticsEntryCall.Duration = tmp.Duration + networkStatisticsEntryCall.SentBytes = tmp.SentBytes + networkStatisticsEntryCall.ReceivedBytes = tmp.ReceivedBytes + networkStatisticsEntryCall.Duration = tmp.Duration - fieldNetworkType, _ := UnmarshalNetworkType(tmp.NetworkType) - networkStatisticsEntryCall.NetworkType = fieldNetworkType + fieldNetworkType, _ := UnmarshalNetworkType(tmp.NetworkType) + networkStatisticsEntryCall.NetworkType = fieldNetworkType - return nil + return nil } // A full list of available network statistic entries type NetworkStatistics struct { - meta - // Point in time (Unix timestamp) from which the statistics are collected - SinceDate int32 `json:"since_date"` - // Network statistics entries - Entries []NetworkStatisticsEntry `json:"entries"` + meta + // Point in time (Unix timestamp) from which the statistics are collected + SinceDate int32 `json:"since_date"` + // Network statistics entries + Entries []NetworkStatisticsEntry `json:"entries"` } func (entity *NetworkStatistics) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub NetworkStatistics + type stub NetworkStatistics - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*NetworkStatistics) GetClass() string { - return ClassNetworkStatistics + return ClassNetworkStatistics } func (*NetworkStatistics) GetType() string { - return TypeNetworkStatistics + return TypeNetworkStatistics } func (networkStatistics *NetworkStatistics) UnmarshalJSON(data []byte) error { - var tmp struct { - SinceDate int32 `json:"since_date"` - Entries []json.RawMessage `json:"entries"` - } + var tmp struct { + SinceDate int32 `json:"since_date"` + Entries []json.RawMessage `json:"entries"` + } - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - networkStatistics.SinceDate = tmp.SinceDate + networkStatistics.SinceDate = tmp.SinceDate - fieldEntries, _ := UnmarshalListOfNetworkStatisticsEntry(tmp.Entries) - networkStatistics.Entries = fieldEntries + fieldEntries, _ := UnmarshalListOfNetworkStatisticsEntry(tmp.Entries) + networkStatistics.Entries = fieldEntries - return nil + return nil } // Contains auto-download settings type AutoDownloadSettings struct { - meta - // True, if the auto-download is enabled - IsAutoDownloadEnabled bool `json:"is_auto_download_enabled"` - // The maximum size of a photo file to be auto-downloaded, in bytes - MaxPhotoFileSize int32 `json:"max_photo_file_size"` - // The maximum size of a video file to be auto-downloaded, in bytes - MaxVideoFileSize int64 `json:"max_video_file_size"` - // The maximum size of other file types to be auto-downloaded, in bytes - MaxOtherFileSize int64 `json:"max_other_file_size"` - // The maximum suggested bitrate for uploaded videos, in kbit/s - VideoUploadBitrate int32 `json:"video_upload_bitrate"` - // True, if the beginning of video files needs to be preloaded for instant playback - PreloadLargeVideos bool `json:"preload_large_videos"` - // True, if the next audio track needs to be preloaded while the user is listening to an audio file - PreloadNextAudio bool `json:"preload_next_audio"` - // True, if "use less data for calls" option needs to be enabled - UseLessDataForCalls bool `json:"use_less_data_for_calls"` + meta + // True, if the auto-download is enabled + IsAutoDownloadEnabled bool `json:"is_auto_download_enabled"` + // The maximum size of a photo file to be auto-downloaded, in bytes + MaxPhotoFileSize int32 `json:"max_photo_file_size"` + // The maximum size of a video file to be auto-downloaded, in bytes + MaxVideoFileSize int64 `json:"max_video_file_size"` + // The maximum size of other file types to be auto-downloaded, in bytes + MaxOtherFileSize int64 `json:"max_other_file_size"` + // The maximum suggested bitrate for uploaded videos, in kbit/s + VideoUploadBitrate int32 `json:"video_upload_bitrate"` + // True, if the beginning of video files needs to be preloaded for instant playback + PreloadLargeVideos bool `json:"preload_large_videos"` + // True, if the next audio track needs to be preloaded while the user is listening to an audio file + PreloadNextAudio bool `json:"preload_next_audio"` + // True, if stories needs to be preloaded + PreloadStories bool `json:"preload_stories"` + // True, if "use less data for calls" option needs to be enabled + UseLessDataForCalls bool `json:"use_less_data_for_calls"` } func (entity *AutoDownloadSettings) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub AutoDownloadSettings + type stub AutoDownloadSettings - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*AutoDownloadSettings) GetClass() string { - return ClassAutoDownloadSettings + return ClassAutoDownloadSettings } func (*AutoDownloadSettings) GetType() string { - return TypeAutoDownloadSettings + return TypeAutoDownloadSettings } // Contains auto-download settings presets for the current user type AutoDownloadSettingsPresets struct { - meta - // Preset with lowest settings; supposed to be used by default when roaming - Low *AutoDownloadSettings `json:"low"` - // Preset with medium settings; supposed to be used by default when using mobile data - Medium *AutoDownloadSettings `json:"medium"` - // Preset with highest settings; supposed to be used by default when connected on Wi-Fi - High *AutoDownloadSettings `json:"high"` + meta + // Preset with lowest settings; expected to be used by default when roaming + Low *AutoDownloadSettings `json:"low"` + // Preset with medium settings; expected to be used by default when using mobile data + Medium *AutoDownloadSettings `json:"medium"` + // Preset with highest settings; expected to be used by default when connected on Wi-Fi + High *AutoDownloadSettings `json:"high"` } func (entity *AutoDownloadSettingsPresets) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub AutoDownloadSettingsPresets + type stub AutoDownloadSettingsPresets - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*AutoDownloadSettingsPresets) GetClass() string { - return ClassAutoDownloadSettingsPresets + return ClassAutoDownloadSettingsPresets } func (*AutoDownloadSettingsPresets) GetType() string { - return TypeAutoDownloadSettingsPresets + return TypeAutoDownloadSettingsPresets } // Autosave settings applied to all private chats without chat-specific settings -type AutosaveSettingsScopePrivateChats struct { - meta +type AutosaveSettingsScopePrivateChats struct{ + meta } func (entity *AutosaveSettingsScopePrivateChats) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub AutosaveSettingsScopePrivateChats + type stub AutosaveSettingsScopePrivateChats - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*AutosaveSettingsScopePrivateChats) GetClass() string { - return ClassAutosaveSettingsScope + return ClassAutosaveSettingsScope } func (*AutosaveSettingsScopePrivateChats) GetType() string { - return TypeAutosaveSettingsScopePrivateChats + return TypeAutosaveSettingsScopePrivateChats } func (*AutosaveSettingsScopePrivateChats) AutosaveSettingsScopeType() string { - return TypeAutosaveSettingsScopePrivateChats + return TypeAutosaveSettingsScopePrivateChats } // Autosave settings applied to all basic group and supergroup chats without chat-specific settings -type AutosaveSettingsScopeGroupChats struct { - meta +type AutosaveSettingsScopeGroupChats struct{ + meta } func (entity *AutosaveSettingsScopeGroupChats) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub AutosaveSettingsScopeGroupChats + type stub AutosaveSettingsScopeGroupChats - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*AutosaveSettingsScopeGroupChats) GetClass() string { - return ClassAutosaveSettingsScope + return ClassAutosaveSettingsScope } func (*AutosaveSettingsScopeGroupChats) GetType() string { - return TypeAutosaveSettingsScopeGroupChats + return TypeAutosaveSettingsScopeGroupChats } func (*AutosaveSettingsScopeGroupChats) AutosaveSettingsScopeType() string { - return TypeAutosaveSettingsScopeGroupChats + return TypeAutosaveSettingsScopeGroupChats } // Autosave settings applied to all channel chats without chat-specific settings -type AutosaveSettingsScopeChannelChats struct { - meta +type AutosaveSettingsScopeChannelChats struct{ + meta } func (entity *AutosaveSettingsScopeChannelChats) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub AutosaveSettingsScopeChannelChats + type stub AutosaveSettingsScopeChannelChats - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*AutosaveSettingsScopeChannelChats) GetClass() string { - return ClassAutosaveSettingsScope + return ClassAutosaveSettingsScope } func (*AutosaveSettingsScopeChannelChats) GetType() string { - return TypeAutosaveSettingsScopeChannelChats + return TypeAutosaveSettingsScopeChannelChats } func (*AutosaveSettingsScopeChannelChats) AutosaveSettingsScopeType() string { - return TypeAutosaveSettingsScopeChannelChats + return TypeAutosaveSettingsScopeChannelChats } // Autosave settings applied to a chat type AutosaveSettingsScopeChat struct { - meta - // Chat identifier - ChatId int64 `json:"chat_id"` + meta + // Chat identifier + ChatId int64 `json:"chat_id"` } func (entity *AutosaveSettingsScopeChat) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub AutosaveSettingsScopeChat + type stub AutosaveSettingsScopeChat - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*AutosaveSettingsScopeChat) GetClass() string { - return ClassAutosaveSettingsScope + return ClassAutosaveSettingsScope } func (*AutosaveSettingsScopeChat) GetType() string { - return TypeAutosaveSettingsScopeChat + return TypeAutosaveSettingsScopeChat } func (*AutosaveSettingsScopeChat) AutosaveSettingsScopeType() string { - return TypeAutosaveSettingsScopeChat + return TypeAutosaveSettingsScopeChat } // Contains autosave settings for an autosave settings scope type ScopeAutosaveSettings struct { - meta - // True, if photo autosave is enabled - AutosavePhotos bool `json:"autosave_photos"` - // True, if video autosave is enabled - AutosaveVideos bool `json:"autosave_videos"` - // The maximum size of a video file to be autosaved, in bytes; 512 KB - 4000 MB - MaxVideoFileSize int64 `json:"max_video_file_size"` + meta + // True, if photo autosave is enabled + AutosavePhotos bool `json:"autosave_photos"` + // True, if video autosave is enabled + AutosaveVideos bool `json:"autosave_videos"` + // The maximum size of a video file to be autosaved, in bytes; 512 KB - 4000 MB + MaxVideoFileSize int64 `json:"max_video_file_size"` } func (entity *ScopeAutosaveSettings) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub ScopeAutosaveSettings + type stub ScopeAutosaveSettings - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*ScopeAutosaveSettings) GetClass() string { - return ClassScopeAutosaveSettings + return ClassScopeAutosaveSettings } func (*ScopeAutosaveSettings) GetType() string { - return TypeScopeAutosaveSettings + return TypeScopeAutosaveSettings } // Contains autosave settings for a chat, which overrides default settings for the corresponding scope type AutosaveSettingsException struct { - meta - // Chat identifier - ChatId int64 `json:"chat_id"` - // Autosave settings for the chat - Settings *ScopeAutosaveSettings `json:"settings"` + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // Autosave settings for the chat + Settings *ScopeAutosaveSettings `json:"settings"` } func (entity *AutosaveSettingsException) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub AutosaveSettingsException + type stub AutosaveSettingsException - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*AutosaveSettingsException) GetClass() string { - return ClassAutosaveSettingsException + return ClassAutosaveSettingsException } func (*AutosaveSettingsException) GetType() string { - return TypeAutosaveSettingsException + return TypeAutosaveSettingsException } // Describes autosave settings type AutosaveSettings struct { - meta - // Default autosave settings for private chats - PrivateChatSettings *ScopeAutosaveSettings `json:"private_chat_settings"` - // Default autosave settings for basic group and supergroup chats - GroupSettings *ScopeAutosaveSettings `json:"group_settings"` - // Default autosave settings for channel chats - ChannelSettings *ScopeAutosaveSettings `json:"channel_settings"` - // Autosave settings for specific chats - Exceptions []*AutosaveSettingsException `json:"exceptions"` + meta + // Default autosave settings for private chats + PrivateChatSettings *ScopeAutosaveSettings `json:"private_chat_settings"` + // Default autosave settings for basic group and supergroup chats + GroupSettings *ScopeAutosaveSettings `json:"group_settings"` + // Default autosave settings for channel chats + ChannelSettings *ScopeAutosaveSettings `json:"channel_settings"` + // Autosave settings for specific chats + Exceptions []*AutosaveSettingsException `json:"exceptions"` } func (entity *AutosaveSettings) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub AutosaveSettings + type stub AutosaveSettings - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*AutosaveSettings) GetClass() string { - return ClassAutosaveSettings + return ClassAutosaveSettings } func (*AutosaveSettings) GetType() string { - return TypeAutosaveSettings + return TypeAutosaveSettings } -// Currently waiting for the network to become available. Use setNetworkType to change the available network type -type ConnectionStateWaitingForNetwork struct { - meta +// Waiting for the network to become available. Use setNetworkType to change the available network type +type ConnectionStateWaitingForNetwork struct{ + meta } func (entity *ConnectionStateWaitingForNetwork) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub ConnectionStateWaitingForNetwork + type stub ConnectionStateWaitingForNetwork - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*ConnectionStateWaitingForNetwork) GetClass() string { - return ClassConnectionState + return ClassConnectionState } func (*ConnectionStateWaitingForNetwork) GetType() string { - return TypeConnectionStateWaitingForNetwork + return TypeConnectionStateWaitingForNetwork } func (*ConnectionStateWaitingForNetwork) ConnectionStateType() string { - return TypeConnectionStateWaitingForNetwork + return TypeConnectionStateWaitingForNetwork } -// Currently establishing a connection with a proxy server -type ConnectionStateConnectingToProxy struct { - meta +// Establishing a connection with a proxy server +type ConnectionStateConnectingToProxy struct{ + meta } func (entity *ConnectionStateConnectingToProxy) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub ConnectionStateConnectingToProxy + type stub ConnectionStateConnectingToProxy - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*ConnectionStateConnectingToProxy) GetClass() string { - return ClassConnectionState + return ClassConnectionState } func (*ConnectionStateConnectingToProxy) GetType() string { - return TypeConnectionStateConnectingToProxy + return TypeConnectionStateConnectingToProxy } func (*ConnectionStateConnectingToProxy) ConnectionStateType() string { - return TypeConnectionStateConnectingToProxy + return TypeConnectionStateConnectingToProxy } -// Currently establishing a connection to the Telegram servers -type ConnectionStateConnecting struct { - meta +// Establishing a connection to the Telegram servers +type ConnectionStateConnecting struct{ + meta } func (entity *ConnectionStateConnecting) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub ConnectionStateConnecting + type stub ConnectionStateConnecting - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*ConnectionStateConnecting) GetClass() string { - return ClassConnectionState + return ClassConnectionState } func (*ConnectionStateConnecting) GetType() string { - return TypeConnectionStateConnecting + return TypeConnectionStateConnecting } func (*ConnectionStateConnecting) ConnectionStateType() string { - return TypeConnectionStateConnecting + return TypeConnectionStateConnecting } -// Downloading data received while the application was offline -type ConnectionStateUpdating struct { - meta +// Downloading data expected to be received while the application was offline +type ConnectionStateUpdating struct{ + meta } func (entity *ConnectionStateUpdating) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub ConnectionStateUpdating + type stub ConnectionStateUpdating - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*ConnectionStateUpdating) GetClass() string { - return ClassConnectionState + return ClassConnectionState } func (*ConnectionStateUpdating) GetType() string { - return TypeConnectionStateUpdating + return TypeConnectionStateUpdating } func (*ConnectionStateUpdating) ConnectionStateType() string { - return TypeConnectionStateUpdating + return TypeConnectionStateUpdating } // There is a working connection to the Telegram servers -type ConnectionStateReady struct { - meta +type ConnectionStateReady struct{ + meta } func (entity *ConnectionStateReady) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub ConnectionStateReady + type stub ConnectionStateReady - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*ConnectionStateReady) GetClass() string { - return ClassConnectionState + return ClassConnectionState } func (*ConnectionStateReady) GetType() string { - return TypeConnectionStateReady + return TypeConnectionStateReady } func (*ConnectionStateReady) ConnectionStateType() string { - return TypeConnectionStateReady + return TypeConnectionStateReady +} + +// Describes parameters for age verification of the current user +type AgeVerificationParameters struct { + meta + // The minimum age required to view restricted content + MinAge int32 `json:"min_age"` + // Username of the bot which main Web App may be used to verify age of the user + VerificationBotUsername string `json:"verification_bot_username"` + // Unique name for the country or region, which legislation required age verification. May be used to get the corresponding localization key + Country string `json:"country"` +} + +func (entity *AgeVerificationParameters) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub AgeVerificationParameters + + return json.Marshal((*stub)(entity)) +} + +func (*AgeVerificationParameters) GetClass() string { + return ClassAgeVerificationParameters +} + +func (*AgeVerificationParameters) GetType() string { + return TypeAgeVerificationParameters } // A category containing frequently used private chats with non-bot users -type TopChatCategoryUsers struct { - meta +type TopChatCategoryUsers struct{ + meta } func (entity *TopChatCategoryUsers) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub TopChatCategoryUsers + type stub TopChatCategoryUsers - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*TopChatCategoryUsers) GetClass() string { - return ClassTopChatCategory + return ClassTopChatCategory } func (*TopChatCategoryUsers) GetType() string { - return TypeTopChatCategoryUsers + return TypeTopChatCategoryUsers } func (*TopChatCategoryUsers) TopChatCategoryType() string { - return TypeTopChatCategoryUsers + return TypeTopChatCategoryUsers } // A category containing frequently used private chats with bot users -type TopChatCategoryBots struct { - meta +type TopChatCategoryBots struct{ + meta } func (entity *TopChatCategoryBots) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub TopChatCategoryBots + type stub TopChatCategoryBots - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*TopChatCategoryBots) GetClass() string { - return ClassTopChatCategory + return ClassTopChatCategory } func (*TopChatCategoryBots) GetType() string { - return TypeTopChatCategoryBots + return TypeTopChatCategoryBots } func (*TopChatCategoryBots) TopChatCategoryType() string { - return TypeTopChatCategoryBots + return TypeTopChatCategoryBots } // A category containing frequently used basic groups and supergroups -type TopChatCategoryGroups struct { - meta +type TopChatCategoryGroups struct{ + meta } func (entity *TopChatCategoryGroups) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub TopChatCategoryGroups + type stub TopChatCategoryGroups - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*TopChatCategoryGroups) GetClass() string { - return ClassTopChatCategory + return ClassTopChatCategory } func (*TopChatCategoryGroups) GetType() string { - return TypeTopChatCategoryGroups + return TypeTopChatCategoryGroups } func (*TopChatCategoryGroups) TopChatCategoryType() string { - return TypeTopChatCategoryGroups + return TypeTopChatCategoryGroups } // A category containing frequently used channels -type TopChatCategoryChannels struct { - meta +type TopChatCategoryChannels struct{ + meta } func (entity *TopChatCategoryChannels) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub TopChatCategoryChannels + type stub TopChatCategoryChannels - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*TopChatCategoryChannels) GetClass() string { - return ClassTopChatCategory + return ClassTopChatCategory } func (*TopChatCategoryChannels) GetType() string { - return TypeTopChatCategoryChannels + return TypeTopChatCategoryChannels } func (*TopChatCategoryChannels) TopChatCategoryType() string { - return TypeTopChatCategoryChannels + return TypeTopChatCategoryChannels } // A category containing frequently used chats with inline bots sorted by their usage in inline mode -type TopChatCategoryInlineBots struct { - meta +type TopChatCategoryInlineBots struct{ + meta } func (entity *TopChatCategoryInlineBots) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub TopChatCategoryInlineBots + type stub TopChatCategoryInlineBots - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*TopChatCategoryInlineBots) GetClass() string { - return ClassTopChatCategory + return ClassTopChatCategory } func (*TopChatCategoryInlineBots) GetType() string { - return TypeTopChatCategoryInlineBots + return TypeTopChatCategoryInlineBots } func (*TopChatCategoryInlineBots) TopChatCategoryType() string { - return TypeTopChatCategoryInlineBots + return TypeTopChatCategoryInlineBots +} + +// A category containing frequently used chats with bots, which Web Apps were opened +type TopChatCategoryWebAppBots struct{ + meta +} + +func (entity *TopChatCategoryWebAppBots) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TopChatCategoryWebAppBots + + return json.Marshal((*stub)(entity)) +} + +func (*TopChatCategoryWebAppBots) GetClass() string { + return ClassTopChatCategory +} + +func (*TopChatCategoryWebAppBots) GetType() string { + return TypeTopChatCategoryWebAppBots +} + +func (*TopChatCategoryWebAppBots) TopChatCategoryType() string { + return TypeTopChatCategoryWebAppBots } // A category containing frequently used chats used for calls -type TopChatCategoryCalls struct { - meta +type TopChatCategoryCalls struct{ + meta } func (entity *TopChatCategoryCalls) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub TopChatCategoryCalls + type stub TopChatCategoryCalls - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*TopChatCategoryCalls) GetClass() string { - return ClassTopChatCategory + return ClassTopChatCategory } func (*TopChatCategoryCalls) GetType() string { - return TypeTopChatCategoryCalls + return TypeTopChatCategoryCalls } func (*TopChatCategoryCalls) TopChatCategoryType() string { - return TypeTopChatCategoryCalls + return TypeTopChatCategoryCalls } // A category containing frequently used chats used to forward messages -type TopChatCategoryForwardChats struct { - meta +type TopChatCategoryForwardChats struct{ + meta } func (entity *TopChatCategoryForwardChats) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub TopChatCategoryForwardChats + type stub TopChatCategoryForwardChats - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*TopChatCategoryForwardChats) GetClass() string { - return ClassTopChatCategory + return ClassTopChatCategory } func (*TopChatCategoryForwardChats) GetType() string { - return TypeTopChatCategoryForwardChats + return TypeTopChatCategoryForwardChats } func (*TopChatCategoryForwardChats) TopChatCategoryType() string { - return TypeTopChatCategoryForwardChats + return TypeTopChatCategoryForwardChats +} + +// Contains 0-based match position +type FoundPosition struct { + meta + // The position of the match + Position int32 `json:"position"` +} + +func (entity *FoundPosition) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub FoundPosition + + return json.Marshal((*stub)(entity)) +} + +func (*FoundPosition) GetClass() string { + return ClassFoundPosition +} + +func (*FoundPosition) GetType() string { + return TypeFoundPosition +} + +// Contains 0-based positions of matched objects +type FoundPositions struct { + meta + // Total number of matched objects + TotalCount int32 `json:"total_count"` + // The positions of the matched objects + Positions []int32 `json:"positions"` +} + +func (entity *FoundPositions) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub FoundPositions + + return json.Marshal((*stub)(entity)) +} + +func (*FoundPositions) GetClass() string { + return ClassFoundPositions +} + +func (*FoundPositions) GetType() string { + return TypeFoundPositions } // A URL linking to a user type TMeUrlTypeUser struct { - meta - // Identifier of the user - UserId int64 `json:"user_id"` + meta + // Identifier of the user + UserId int64 `json:"user_id"` } func (entity *TMeUrlTypeUser) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub TMeUrlTypeUser + type stub TMeUrlTypeUser - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*TMeUrlTypeUser) GetClass() string { - return ClassTMeUrlType + return ClassTMeUrlType } func (*TMeUrlTypeUser) GetType() string { - return TypeTMeUrlTypeUser + return TypeTMeUrlTypeUser } func (*TMeUrlTypeUser) TMeUrlTypeType() string { - return TypeTMeUrlTypeUser + return TypeTMeUrlTypeUser } // A URL linking to a public supergroup or channel type TMeUrlTypeSupergroup struct { - meta - // Identifier of the supergroup or channel - SupergroupId int64 `json:"supergroup_id"` + meta + // Identifier of the supergroup or channel + SupergroupId int64 `json:"supergroup_id"` } func (entity *TMeUrlTypeSupergroup) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub TMeUrlTypeSupergroup + type stub TMeUrlTypeSupergroup - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*TMeUrlTypeSupergroup) GetClass() string { - return ClassTMeUrlType + return ClassTMeUrlType } func (*TMeUrlTypeSupergroup) GetType() string { - return TypeTMeUrlTypeSupergroup + return TypeTMeUrlTypeSupergroup } func (*TMeUrlTypeSupergroup) TMeUrlTypeType() string { - return TypeTMeUrlTypeSupergroup + return TypeTMeUrlTypeSupergroup } // A chat invite link type TMeUrlTypeChatInvite struct { - meta - // Information about the chat invite link - Info *ChatInviteLinkInfo `json:"info"` + meta + // Information about the chat invite link + Info *ChatInviteLinkInfo `json:"info"` } func (entity *TMeUrlTypeChatInvite) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub TMeUrlTypeChatInvite + type stub TMeUrlTypeChatInvite - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*TMeUrlTypeChatInvite) GetClass() string { - return ClassTMeUrlType + return ClassTMeUrlType } func (*TMeUrlTypeChatInvite) GetType() string { - return TypeTMeUrlTypeChatInvite + return TypeTMeUrlTypeChatInvite } func (*TMeUrlTypeChatInvite) TMeUrlTypeType() string { - return TypeTMeUrlTypeChatInvite + return TypeTMeUrlTypeChatInvite } // A URL linking to a sticker set type TMeUrlTypeStickerSet struct { - meta - // Identifier of the sticker set - StickerSetId JsonInt64 `json:"sticker_set_id"` + meta + // Identifier of the sticker set + StickerSetId JsonInt64 `json:"sticker_set_id"` } func (entity *TMeUrlTypeStickerSet) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub TMeUrlTypeStickerSet + type stub TMeUrlTypeStickerSet - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*TMeUrlTypeStickerSet) GetClass() string { - return ClassTMeUrlType + return ClassTMeUrlType } func (*TMeUrlTypeStickerSet) GetType() string { - return TypeTMeUrlTypeStickerSet + return TypeTMeUrlTypeStickerSet } func (*TMeUrlTypeStickerSet) TMeUrlTypeType() string { - return TypeTMeUrlTypeStickerSet + return TypeTMeUrlTypeStickerSet } // Represents a URL linking to an internal Telegram entity type TMeUrl struct { - meta - // URL - Url string `json:"url"` - // Type of the URL - Type TMeUrlType `json:"type"` + meta + // URL + Url string `json:"url"` + // Type of the URL + Type TMeUrlType `json:"type"` } func (entity *TMeUrl) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub TMeUrl + type stub TMeUrl - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*TMeUrl) GetClass() string { - return ClassTMeUrl + return ClassTMeUrl } func (*TMeUrl) GetType() string { - return TypeTMeUrl + return TypeTMeUrl } func (tMeUrl *TMeUrl) UnmarshalJSON(data []byte) error { - var tmp struct { - Url string `json:"url"` - Type json.RawMessage `json:"type"` - } + var tmp struct { + Url string `json:"url"` + Type json.RawMessage `json:"type"` + } - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - tMeUrl.Url = tmp.Url + tMeUrl.Url = tmp.Url - fieldType, _ := UnmarshalTMeUrlType(tmp.Type) - tMeUrl.Type = fieldType + fieldType, _ := UnmarshalTMeUrlType(tmp.Type) + tMeUrl.Type = fieldType - return nil + return nil } // Contains a list of t.me URLs type TMeUrls struct { - meta - // List of URLs - Urls []*TMeUrl `json:"urls"` + meta + // List of URLs + Urls []*TMeUrl `json:"urls"` } func (entity *TMeUrls) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub TMeUrls + type stub TMeUrls - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*TMeUrls) GetClass() string { - return ClassTMeUrls + return ClassTMeUrls } func (*TMeUrls) GetType() string { - return TypeTMeUrls + return TypeTMeUrls } -// Suggests the user to enable "archive_and_mute_new_chats_from_unknown_users" option -type SuggestedActionEnableArchiveAndMuteNewChats struct { - meta +// Suggests the user to enable archive_and_mute_new_chats_from_unknown_users setting in archiveChatListSettings +type SuggestedActionEnableArchiveAndMuteNewChats struct{ + meta } func (entity *SuggestedActionEnableArchiveAndMuteNewChats) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub SuggestedActionEnableArchiveAndMuteNewChats + type stub SuggestedActionEnableArchiveAndMuteNewChats - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*SuggestedActionEnableArchiveAndMuteNewChats) GetClass() string { - return ClassSuggestedAction + return ClassSuggestedAction } func (*SuggestedActionEnableArchiveAndMuteNewChats) GetType() string { - return TypeSuggestedActionEnableArchiveAndMuteNewChats + return TypeSuggestedActionEnableArchiveAndMuteNewChats } func (*SuggestedActionEnableArchiveAndMuteNewChats) SuggestedActionType() string { - return TypeSuggestedActionEnableArchiveAndMuteNewChats + return TypeSuggestedActionEnableArchiveAndMuteNewChats } // Suggests the user to check whether they still remember their 2-step verification password -type SuggestedActionCheckPassword struct { - meta +type SuggestedActionCheckPassword struct{ + meta } func (entity *SuggestedActionCheckPassword) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub SuggestedActionCheckPassword + type stub SuggestedActionCheckPassword - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*SuggestedActionCheckPassword) GetClass() string { - return ClassSuggestedAction + return ClassSuggestedAction } func (*SuggestedActionCheckPassword) GetType() string { - return TypeSuggestedActionCheckPassword + return TypeSuggestedActionCheckPassword } func (*SuggestedActionCheckPassword) SuggestedActionType() string { - return TypeSuggestedActionCheckPassword + return TypeSuggestedActionCheckPassword } // Suggests the user to check whether authorization phone number is correct and change the phone number if it is inaccessible -type SuggestedActionCheckPhoneNumber struct { - meta +type SuggestedActionCheckPhoneNumber struct{ + meta } func (entity *SuggestedActionCheckPhoneNumber) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub SuggestedActionCheckPhoneNumber + type stub SuggestedActionCheckPhoneNumber - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*SuggestedActionCheckPhoneNumber) GetClass() string { - return ClassSuggestedAction + return ClassSuggestedAction } func (*SuggestedActionCheckPhoneNumber) GetType() string { - return TypeSuggestedActionCheckPhoneNumber + return TypeSuggestedActionCheckPhoneNumber } func (*SuggestedActionCheckPhoneNumber) SuggestedActionType() string { - return TypeSuggestedActionCheckPhoneNumber + return TypeSuggestedActionCheckPhoneNumber } // Suggests the user to view a hint about the meaning of one and two check marks on sent messages -type SuggestedActionViewChecksHint struct { - meta +type SuggestedActionViewChecksHint struct{ + meta } func (entity *SuggestedActionViewChecksHint) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub SuggestedActionViewChecksHint + type stub SuggestedActionViewChecksHint - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*SuggestedActionViewChecksHint) GetClass() string { - return ClassSuggestedAction + return ClassSuggestedAction } func (*SuggestedActionViewChecksHint) GetType() string { - return TypeSuggestedActionViewChecksHint + return TypeSuggestedActionViewChecksHint } func (*SuggestedActionViewChecksHint) SuggestedActionType() string { - return TypeSuggestedActionViewChecksHint + return TypeSuggestedActionViewChecksHint } // Suggests the user to convert specified supergroup to a broadcast group type SuggestedActionConvertToBroadcastGroup struct { - meta - // Supergroup identifier - SupergroupId int64 `json:"supergroup_id"` + meta + // Supergroup identifier + SupergroupId int64 `json:"supergroup_id"` } func (entity *SuggestedActionConvertToBroadcastGroup) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub SuggestedActionConvertToBroadcastGroup + type stub SuggestedActionConvertToBroadcastGroup - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*SuggestedActionConvertToBroadcastGroup) GetClass() string { - return ClassSuggestedAction + return ClassSuggestedAction } func (*SuggestedActionConvertToBroadcastGroup) GetType() string { - return TypeSuggestedActionConvertToBroadcastGroup + return TypeSuggestedActionConvertToBroadcastGroup } func (*SuggestedActionConvertToBroadcastGroup) SuggestedActionType() string { - return TypeSuggestedActionConvertToBroadcastGroup + return TypeSuggestedActionConvertToBroadcastGroup } // Suggests the user to set a 2-step verification password to be able to log in again type SuggestedActionSetPassword struct { - meta - // The number of days to pass between consecutive authorizations if the user declines to set password; if 0, then the user is advised to set the password for security reasons - AuthorizationDelay int32 `json:"authorization_delay"` + meta + // The number of days to pass between consecutive authorizations if the user declines to set password; if 0, then the user is advised to set the password for security reasons + AuthorizationDelay int32 `json:"authorization_delay"` } func (entity *SuggestedActionSetPassword) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub SuggestedActionSetPassword + type stub SuggestedActionSetPassword - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*SuggestedActionSetPassword) GetClass() string { - return ClassSuggestedAction + return ClassSuggestedAction } func (*SuggestedActionSetPassword) GetType() string { - return TypeSuggestedActionSetPassword + return TypeSuggestedActionSetPassword } func (*SuggestedActionSetPassword) SuggestedActionType() string { - return TypeSuggestedActionSetPassword + return TypeSuggestedActionSetPassword } // Suggests the user to upgrade the Premium subscription from monthly payments to annual payments -type SuggestedActionUpgradePremium struct { - meta +type SuggestedActionUpgradePremium struct{ + meta } func (entity *SuggestedActionUpgradePremium) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub SuggestedActionUpgradePremium + type stub SuggestedActionUpgradePremium - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*SuggestedActionUpgradePremium) GetClass() string { - return ClassSuggestedAction + return ClassSuggestedAction } func (*SuggestedActionUpgradePremium) GetType() string { - return TypeSuggestedActionUpgradePremium + return TypeSuggestedActionUpgradePremium } func (*SuggestedActionUpgradePremium) SuggestedActionType() string { - return TypeSuggestedActionUpgradePremium + return TypeSuggestedActionUpgradePremium +} + +// Suggests the user to restore a recently expired Premium subscription +type SuggestedActionRestorePremium struct{ + meta +} + +func (entity *SuggestedActionRestorePremium) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SuggestedActionRestorePremium + + return json.Marshal((*stub)(entity)) +} + +func (*SuggestedActionRestorePremium) GetClass() string { + return ClassSuggestedAction +} + +func (*SuggestedActionRestorePremium) GetType() string { + return TypeSuggestedActionRestorePremium +} + +func (*SuggestedActionRestorePremium) SuggestedActionType() string { + return TypeSuggestedActionRestorePremium } // Suggests the user to subscribe to the Premium subscription with annual payments -type SuggestedActionSubscribeToAnnualPremium struct { - meta +type SuggestedActionSubscribeToAnnualPremium struct{ + meta } func (entity *SuggestedActionSubscribeToAnnualPremium) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub SuggestedActionSubscribeToAnnualPremium + type stub SuggestedActionSubscribeToAnnualPremium - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*SuggestedActionSubscribeToAnnualPremium) GetClass() string { - return ClassSuggestedAction + return ClassSuggestedAction } func (*SuggestedActionSubscribeToAnnualPremium) GetType() string { - return TypeSuggestedActionSubscribeToAnnualPremium + return TypeSuggestedActionSubscribeToAnnualPremium } func (*SuggestedActionSubscribeToAnnualPremium) SuggestedActionType() string { - return TypeSuggestedActionSubscribeToAnnualPremium + return TypeSuggestedActionSubscribeToAnnualPremium +} + +// Suggests the user to gift Telegram Premium to friends for Christmas +type SuggestedActionGiftPremiumForChristmas struct{ + meta +} + +func (entity *SuggestedActionGiftPremiumForChristmas) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SuggestedActionGiftPremiumForChristmas + + return json.Marshal((*stub)(entity)) +} + +func (*SuggestedActionGiftPremiumForChristmas) GetClass() string { + return ClassSuggestedAction +} + +func (*SuggestedActionGiftPremiumForChristmas) GetType() string { + return TypeSuggestedActionGiftPremiumForChristmas +} + +func (*SuggestedActionGiftPremiumForChristmas) SuggestedActionType() string { + return TypeSuggestedActionGiftPremiumForChristmas +} + +// Suggests the user to set birthdate +type SuggestedActionSetBirthdate struct{ + meta +} + +func (entity *SuggestedActionSetBirthdate) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SuggestedActionSetBirthdate + + return json.Marshal((*stub)(entity)) +} + +func (*SuggestedActionSetBirthdate) GetClass() string { + return ClassSuggestedAction +} + +func (*SuggestedActionSetBirthdate) GetType() string { + return TypeSuggestedActionSetBirthdate +} + +func (*SuggestedActionSetBirthdate) SuggestedActionType() string { + return TypeSuggestedActionSetBirthdate +} + +// Suggests the user to set profile photo +type SuggestedActionSetProfilePhoto struct{ + meta +} + +func (entity *SuggestedActionSetProfilePhoto) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SuggestedActionSetProfilePhoto + + return json.Marshal((*stub)(entity)) +} + +func (*SuggestedActionSetProfilePhoto) GetClass() string { + return ClassSuggestedAction +} + +func (*SuggestedActionSetProfilePhoto) GetType() string { + return TypeSuggestedActionSetProfilePhoto +} + +func (*SuggestedActionSetProfilePhoto) SuggestedActionType() string { + return TypeSuggestedActionSetProfilePhoto +} + +// Suggests the user to extend their expiring Telegram Premium subscription +type SuggestedActionExtendPremium struct { + meta + // A URL for managing Telegram Premium subscription + ManagePremiumSubscriptionUrl string `json:"manage_premium_subscription_url"` +} + +func (entity *SuggestedActionExtendPremium) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SuggestedActionExtendPremium + + return json.Marshal((*stub)(entity)) +} + +func (*SuggestedActionExtendPremium) GetClass() string { + return ClassSuggestedAction +} + +func (*SuggestedActionExtendPremium) GetType() string { + return TypeSuggestedActionExtendPremium +} + +func (*SuggestedActionExtendPremium) SuggestedActionType() string { + return TypeSuggestedActionExtendPremium +} + +// Suggests the user to extend their expiring Telegram Star subscriptions. Call getStarSubscriptions with only_expiring == true to get the number of expiring subscriptions and the number of required to buy Telegram Stars +type SuggestedActionExtendStarSubscriptions struct{ + meta +} + +func (entity *SuggestedActionExtendStarSubscriptions) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SuggestedActionExtendStarSubscriptions + + return json.Marshal((*stub)(entity)) +} + +func (*SuggestedActionExtendStarSubscriptions) GetClass() string { + return ClassSuggestedAction +} + +func (*SuggestedActionExtendStarSubscriptions) GetType() string { + return TypeSuggestedActionExtendStarSubscriptions +} + +func (*SuggestedActionExtendStarSubscriptions) SuggestedActionType() string { + return TypeSuggestedActionExtendStarSubscriptions +} + +// A custom suggestion to be shown at the top of the chat list +type SuggestedActionCustom struct { + meta + // Unique name of the suggestion + Name string `json:"name"` + // Title of the suggestion + Title *FormattedText `json:"title"` + // Description of the suggestion + Description *FormattedText `json:"description"` + // The link to open when the suggestion is clicked + Url string `json:"url"` +} + +func (entity *SuggestedActionCustom) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SuggestedActionCustom + + return json.Marshal((*stub)(entity)) +} + +func (*SuggestedActionCustom) GetClass() string { + return ClassSuggestedAction +} + +func (*SuggestedActionCustom) GetType() string { + return TypeSuggestedActionCustom +} + +func (*SuggestedActionCustom) SuggestedActionType() string { + return TypeSuggestedActionCustom +} + +// Suggests the user to add login email address. Call isLoginEmailAddressRequired, and then setLoginEmailAddress or checkLoginEmailAddressCode to change the login email address +type SuggestedActionSetLoginEmailAddress struct { + meta + // True, if the suggested action can be hidden using hideSuggestedAction. Otherwise, the user must not be able to use the app without setting up the email address + CanBeHidden bool `json:"can_be_hidden"` +} + +func (entity *SuggestedActionSetLoginEmailAddress) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SuggestedActionSetLoginEmailAddress + + return json.Marshal((*stub)(entity)) +} + +func (*SuggestedActionSetLoginEmailAddress) GetClass() string { + return ClassSuggestedAction +} + +func (*SuggestedActionSetLoginEmailAddress) GetType() string { + return TypeSuggestedActionSetLoginEmailAddress +} + +func (*SuggestedActionSetLoginEmailAddress) SuggestedActionType() string { + return TypeSuggestedActionSetLoginEmailAddress +} + +// Suggests the user to add a passkey for login using addLoginPasskey +type SuggestedActionAddLoginPasskey struct{ + meta +} + +func (entity *SuggestedActionAddLoginPasskey) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub SuggestedActionAddLoginPasskey + + return json.Marshal((*stub)(entity)) +} + +func (*SuggestedActionAddLoginPasskey) GetClass() string { + return ClassSuggestedAction +} + +func (*SuggestedActionAddLoginPasskey) GetType() string { + return TypeSuggestedActionAddLoginPasskey +} + +func (*SuggestedActionAddLoginPasskey) SuggestedActionType() string { + return TypeSuggestedActionAddLoginPasskey } // Contains a counter type Count struct { - meta - // Count - Count int32 `json:"count"` + meta + // Count + Count int32 `json:"count"` } func (entity *Count) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub Count + type stub Count - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*Count) GetClass() string { - return ClassCount + return ClassCount } func (*Count) GetType() string { - return TypeCount + return TypeCount } // Contains some text type Text struct { - meta - // Text - Text string `json:"text"` + meta + // Text + Text string `json:"text"` } func (entity *Text) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub Text + type stub Text - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*Text) GetClass() string { - return ClassText + return ClassText } func (*Text) GetType() string { - return TypeText + return TypeText +} + +// Contains some binary data +type Data struct { + meta + // Data + Data []byte `json:"data"` +} + +func (entity *Data) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub Data + + return json.Marshal((*stub)(entity)) +} + +func (*Data) GetClass() string { + return ClassData +} + +func (*Data) GetType() string { + return TypeData } // Contains a value representing a number of seconds type Seconds struct { - meta - // Number of seconds - Seconds float64 `json:"seconds"` + meta + // Number of seconds + Seconds float64 `json:"seconds"` } func (entity *Seconds) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub Seconds + type stub Seconds - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*Seconds) GetClass() string { - return ClassSeconds + return ClassSeconds } func (*Seconds) GetType() string { - return TypeSeconds + return TypeSeconds } // Contains size of downloaded prefix of a file type FileDownloadedPrefixSize struct { - meta - // The prefix size, in bytes - Size int64 `json:"size"` + meta + // The prefix size, in bytes + Size int64 `json:"size"` } func (entity *FileDownloadedPrefixSize) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub FileDownloadedPrefixSize + type stub FileDownloadedPrefixSize - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*FileDownloadedPrefixSize) GetClass() string { - return ClassFileDownloadedPrefixSize + return ClassFileDownloadedPrefixSize } func (*FileDownloadedPrefixSize) GetType() string { - return TypeFileDownloadedPrefixSize + return TypeFileDownloadedPrefixSize +} + +// Contains a number of Telegram Stars +type StarCount struct { + meta + // Number of Telegram Stars + StarCount int64 `json:"star_count"` +} + +func (entity *StarCount) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarCount + + return json.Marshal((*stub)(entity)) +} + +func (*StarCount) GetClass() string { + return ClassStarCount +} + +func (*StarCount) GetType() string { + return TypeStarCount } // Contains information about a tg: deep link type DeepLinkInfo struct { - meta - // Text to be shown to the user - Text *FormattedText `json:"text"` - // True, if the user must be asked to update the application - NeedUpdateApplication bool `json:"need_update_application"` + meta + // Text to be shown to the user + Text *FormattedText `json:"text"` + // True, if the user must be asked to update the application + NeedUpdateApplication bool `json:"need_update_application"` } func (entity *DeepLinkInfo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub DeepLinkInfo + type stub DeepLinkInfo - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*DeepLinkInfo) GetClass() string { - return ClassDeepLinkInfo + return ClassDeepLinkInfo } func (*DeepLinkInfo) GetType() string { - return TypeDeepLinkInfo + return TypeDeepLinkInfo } // The text uses Markdown-style formatting type TextParseModeMarkdown struct { - meta - // Version of the parser: 0 or 1 - Telegram Bot API "Markdown" parse mode, 2 - Telegram Bot API "MarkdownV2" parse mode - Version int32 `json:"version"` + meta + // Version of the parser: 0 or 1 - Telegram Bot API "Markdown" parse mode, 2 - Telegram Bot API "MarkdownV2" parse mode + Version int32 `json:"version"` } func (entity *TextParseModeMarkdown) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub TextParseModeMarkdown + type stub TextParseModeMarkdown - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*TextParseModeMarkdown) GetClass() string { - return ClassTextParseMode + return ClassTextParseMode } func (*TextParseModeMarkdown) GetType() string { - return TypeTextParseModeMarkdown + return TypeTextParseModeMarkdown } func (*TextParseModeMarkdown) TextParseModeType() string { - return TypeTextParseModeMarkdown + return TypeTextParseModeMarkdown } // The text uses HTML-style formatting. The same as Telegram Bot API "HTML" parse mode -type TextParseModeHTML struct { - meta +type TextParseModeHTML struct{ + meta } func (entity *TextParseModeHTML) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub TextParseModeHTML + type stub TextParseModeHTML - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*TextParseModeHTML) GetClass() string { - return ClassTextParseMode + return ClassTextParseMode } func (*TextParseModeHTML) GetType() string { - return TypeTextParseModeHTML + return TypeTextParseModeHTML } func (*TextParseModeHTML) TextParseModeType() string { - return TypeTextParseModeHTML + return TypeTextParseModeHTML } // A SOCKS5 proxy server type ProxyTypeSocks5 struct { - meta - // Username for logging in; may be empty - Username string `json:"username"` - // Password for logging in; may be empty - Password string `json:"password"` + meta + // Username for logging in; may be empty + Username string `json:"username"` + // Password for logging in; may be empty + Password string `json:"password"` } func (entity *ProxyTypeSocks5) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub ProxyTypeSocks5 + type stub ProxyTypeSocks5 - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*ProxyTypeSocks5) GetClass() string { - return ClassProxyType + return ClassProxyType } func (*ProxyTypeSocks5) GetType() string { - return TypeProxyTypeSocks5 + return TypeProxyTypeSocks5 } func (*ProxyTypeSocks5) ProxyTypeType() string { - return TypeProxyTypeSocks5 + return TypeProxyTypeSocks5 } // A HTTP transparent proxy server type ProxyTypeHttp struct { - meta - // Username for logging in; may be empty - Username string `json:"username"` - // Password for logging in; may be empty - Password string `json:"password"` - // Pass true if the proxy supports only HTTP requests and doesn't support transparent TCP connections via HTTP CONNECT method - HttpOnly bool `json:"http_only"` + meta + // Username for logging in; may be empty + Username string `json:"username"` + // Password for logging in; may be empty + Password string `json:"password"` + // Pass true if the proxy supports only HTTP requests and doesn't support transparent TCP connections via HTTP CONNECT method + HttpOnly bool `json:"http_only"` } func (entity *ProxyTypeHttp) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub ProxyTypeHttp + type stub ProxyTypeHttp - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*ProxyTypeHttp) GetClass() string { - return ClassProxyType + return ClassProxyType } func (*ProxyTypeHttp) GetType() string { - return TypeProxyTypeHttp + return TypeProxyTypeHttp } func (*ProxyTypeHttp) ProxyTypeType() string { - return TypeProxyTypeHttp + return TypeProxyTypeHttp } // An MTProto proxy server type ProxyTypeMtproto struct { - meta - // The proxy's secret in hexadecimal encoding - Secret string `json:"secret"` + meta + // The proxy's secret in hexadecimal encoding + Secret string `json:"secret"` } func (entity *ProxyTypeMtproto) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub ProxyTypeMtproto + type stub ProxyTypeMtproto - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*ProxyTypeMtproto) GetClass() string { - return ClassProxyType + return ClassProxyType } func (*ProxyTypeMtproto) GetType() string { - return TypeProxyTypeMtproto + return TypeProxyTypeMtproto } func (*ProxyTypeMtproto) ProxyTypeType() string { - return TypeProxyTypeMtproto + return TypeProxyTypeMtproto } -// Contains information about a proxy server -type Proxy struct { - meta - // Unique identifier of the proxy - Id int32 `json:"id"` - // Proxy server IP address - Server string `json:"server"` - // Proxy server port - Port int32 `json:"port"` - // Point in time (Unix timestamp) when the proxy was last used; 0 if never - LastUsedDate int32 `json:"last_used_date"` - // True, if the proxy is enabled now - IsEnabled bool `json:"is_enabled"` - // Type of the proxy - Type ProxyType `json:"type"` +// Contains information about a proxy server added to the list of proxies +type AddedProxy struct { + meta + // Unique identifier of the proxy + Id int32 `json:"id"` + // Point in time (Unix timestamp) when the proxy was last used; 0 if never + LastUsedDate int32 `json:"last_used_date"` + // True, if the proxy is enabled now + IsEnabled bool `json:"is_enabled"` + // The proxy + Proxy *Proxy `json:"proxy"` } -func (entity *Proxy) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *AddedProxy) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub Proxy + type stub AddedProxy - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*Proxy) GetClass() string { - return ClassProxy +func (*AddedProxy) GetClass() string { + return ClassAddedProxy } -func (*Proxy) GetType() string { - return TypeProxy +func (*AddedProxy) GetType() string { + return TypeAddedProxy } -func (proxy *Proxy) UnmarshalJSON(data []byte) error { - var tmp struct { - Id int32 `json:"id"` - Server string `json:"server"` - Port int32 `json:"port"` - LastUsedDate int32 `json:"last_used_date"` - IsEnabled bool `json:"is_enabled"` - Type json.RawMessage `json:"type"` - } - - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } - - proxy.Id = tmp.Id - proxy.Server = tmp.Server - proxy.Port = tmp.Port - proxy.LastUsedDate = tmp.LastUsedDate - proxy.IsEnabled = tmp.IsEnabled - - fieldType, _ := UnmarshalProxyType(tmp.Type) - proxy.Type = fieldType - - return nil +// Represents a list of added proxy servers +type AddedProxies struct { + meta + // List of proxy servers + Proxies []*AddedProxy `json:"proxies"` } -// Represents a list of proxy servers -type Proxies struct { - meta - // List of proxy servers - Proxies []*Proxy `json:"proxies"` +func (entity *AddedProxies) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub AddedProxies + + return json.Marshal((*stub)(entity)) } -func (entity *Proxies) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() - - type stub Proxies - - return json.Marshal((*stub)(entity)) +func (*AddedProxies) GetClass() string { + return ClassAddedProxies } -func (*Proxies) GetClass() string { - return ClassProxies -} - -func (*Proxies) GetType() string { - return TypeProxies +func (*AddedProxies) GetType() string { + return TypeAddedProxies } // A sticker to be added to a sticker set type InputSticker struct { - meta - // File with the sticker; must fit in a 512x512 square. For WEBP stickers the file must be in WEBP or PNG format, which will be converted to WEBP server-side. See https://core.telegram.org/animated_stickers#technical-requirements for technical requirements - Sticker InputFile `json:"sticker"` - // String with 1-20 emoji corresponding to the sticker - Emojis string `json:"emojis"` - // Position where the mask is placed; pass null if not specified - MaskPosition *MaskPosition `json:"mask_position"` - // List of up to 20 keywords with total length up to 64 characters, which can be used to find the sticker - Keywords []string `json:"keywords"` + meta + // File with the sticker; must fit in a 512x512 square. For WEBP stickers the file must be in WEBP or PNG format, which will be converted to WEBP server-side. See https://core.telegram.org/animated_stickers#technical-requirements for technical requirements + Sticker InputFile `json:"sticker"` + // Format of the sticker + Format StickerFormat `json:"format"` + // String with 1-20 emoji corresponding to the sticker + Emojis string `json:"emojis"` + // Position where the mask is placed; pass null if not specified + MaskPosition *MaskPosition `json:"mask_position"` + // List of up to 20 keywords with total length up to 64 characters, which can be used to find the sticker + Keywords []string `json:"keywords"` } func (entity *InputSticker) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub InputSticker + type stub InputSticker - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*InputSticker) GetClass() string { - return ClassInputSticker + return ClassInputSticker } func (*InputSticker) GetType() string { - return TypeInputSticker + return TypeInputSticker } func (inputSticker *InputSticker) UnmarshalJSON(data []byte) error { - var tmp struct { - Sticker json.RawMessage `json:"sticker"` - Emojis string `json:"emojis"` - MaskPosition *MaskPosition `json:"mask_position"` - Keywords []string `json:"keywords"` - } + var tmp struct { + Sticker json.RawMessage `json:"sticker"` + Format json.RawMessage `json:"format"` + Emojis string `json:"emojis"` + MaskPosition *MaskPosition `json:"mask_position"` + Keywords []string `json:"keywords"` + } - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - inputSticker.Emojis = tmp.Emojis - inputSticker.MaskPosition = tmp.MaskPosition - inputSticker.Keywords = tmp.Keywords + inputSticker.Emojis = tmp.Emojis + inputSticker.MaskPosition = tmp.MaskPosition + inputSticker.Keywords = tmp.Keywords - fieldSticker, _ := UnmarshalInputFile(tmp.Sticker) - inputSticker.Sticker = fieldSticker + fieldSticker, _ := UnmarshalInputFile(tmp.Sticker) + inputSticker.Sticker = fieldSticker - return nil + fieldFormat, _ := UnmarshalStickerFormat(tmp.Format) + inputSticker.Format = fieldFormat + + return nil } // Represents a date range type DateRange struct { - meta - // Point in time (Unix timestamp) at which the date range begins - StartDate int32 `json:"start_date"` - // Point in time (Unix timestamp) at which the date range ends - EndDate int32 `json:"end_date"` + meta + // Point in time (Unix timestamp) at which the date range begins + StartDate int32 `json:"start_date"` + // Point in time (Unix timestamp) at which the date range ends + EndDate int32 `json:"end_date"` } func (entity *DateRange) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub DateRange + type stub DateRange - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*DateRange) GetClass() string { - return ClassDateRange + return ClassDateRange } func (*DateRange) GetType() string { - return TypeDateRange + return TypeDateRange } // A value with information about its recent changes type StatisticalValue struct { - meta - // The current value - Value float64 `json:"value"` - // The value for the previous day - PreviousValue float64 `json:"previous_value"` - // The growth rate of the value, as a percentage - GrowthRatePercentage float64 `json:"growth_rate_percentage"` + meta + // The current value + Value float64 `json:"value"` + // The value for the previous day + PreviousValue float64 `json:"previous_value"` + // The growth rate of the value, as a percentage + GrowthRatePercentage float64 `json:"growth_rate_percentage"` } func (entity *StatisticalValue) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub StatisticalValue + type stub StatisticalValue - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*StatisticalValue) GetClass() string { - return ClassStatisticalValue + return ClassStatisticalValue } func (*StatisticalValue) GetType() string { - return TypeStatisticalValue + return TypeStatisticalValue } // A graph data type StatisticalGraphData struct { - meta - // Graph data in JSON format - JsonData string `json:"json_data"` - // If non-empty, a token which can be used to receive a zoomed in graph - ZoomToken string `json:"zoom_token"` + meta + // Graph data in JSON format + JsonData string `json:"json_data"` + // If non-empty, a token which can be used to receive a zoomed in graph + ZoomToken string `json:"zoom_token"` } func (entity *StatisticalGraphData) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub StatisticalGraphData + type stub StatisticalGraphData - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*StatisticalGraphData) GetClass() string { - return ClassStatisticalGraph + return ClassStatisticalGraph } func (*StatisticalGraphData) GetType() string { - return TypeStatisticalGraphData + return TypeStatisticalGraphData } func (*StatisticalGraphData) StatisticalGraphType() string { - return TypeStatisticalGraphData + return TypeStatisticalGraphData } // The graph data to be asynchronously loaded through getStatisticalGraph type StatisticalGraphAsync struct { - meta - // The token to use for data loading - Token string `json:"token"` + meta + // The token to use for data loading + Token string `json:"token"` } func (entity *StatisticalGraphAsync) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub StatisticalGraphAsync + type stub StatisticalGraphAsync - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*StatisticalGraphAsync) GetClass() string { - return ClassStatisticalGraph + return ClassStatisticalGraph } func (*StatisticalGraphAsync) GetType() string { - return TypeStatisticalGraphAsync + return TypeStatisticalGraphAsync } func (*StatisticalGraphAsync) StatisticalGraphType() string { - return TypeStatisticalGraphAsync + return TypeStatisticalGraphAsync } // An error message to be shown to the user instead of the graph type StatisticalGraphError struct { - meta - // The error message - ErrorMessage string `json:"error_message"` + meta + // The error message + ErrorMessage string `json:"error_message"` } func (entity *StatisticalGraphError) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub StatisticalGraphError + type stub StatisticalGraphError - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*StatisticalGraphError) GetClass() string { - return ClassStatisticalGraph + return ClassStatisticalGraph } func (*StatisticalGraphError) GetType() string { - return TypeStatisticalGraphError + return TypeStatisticalGraphError } func (*StatisticalGraphError) StatisticalGraphType() string { - return TypeStatisticalGraphError + return TypeStatisticalGraphError } -// Contains statistics about interactions with a message -type ChatStatisticsMessageInteractionInfo struct { - meta - // Message identifier - MessageId int64 `json:"message_id"` - // Number of times the message was viewed - ViewCount int32 `json:"view_count"` - // Number of times the message was forwarded - ForwardCount int32 `json:"forward_count"` +// Describes a message sent in the chat +type ChatStatisticsObjectTypeMessage struct { + meta + // Message identifier + MessageId int64 `json:"message_id"` } -func (entity *ChatStatisticsMessageInteractionInfo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *ChatStatisticsObjectTypeMessage) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub ChatStatisticsMessageInteractionInfo + type stub ChatStatisticsObjectTypeMessage - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*ChatStatisticsMessageInteractionInfo) GetClass() string { - return ClassChatStatisticsMessageInteractionInfo +func (*ChatStatisticsObjectTypeMessage) GetClass() string { + return ClassChatStatisticsObjectType } -func (*ChatStatisticsMessageInteractionInfo) GetType() string { - return TypeChatStatisticsMessageInteractionInfo +func (*ChatStatisticsObjectTypeMessage) GetType() string { + return TypeChatStatisticsObjectTypeMessage +} + +func (*ChatStatisticsObjectTypeMessage) ChatStatisticsObjectTypeType() string { + return TypeChatStatisticsObjectTypeMessage +} + +// Describes a story posted on behalf of the chat +type ChatStatisticsObjectTypeStory struct { + meta + // Story identifier + StoryId int32 `json:"story_id"` +} + +func (entity *ChatStatisticsObjectTypeStory) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatStatisticsObjectTypeStory + + return json.Marshal((*stub)(entity)) +} + +func (*ChatStatisticsObjectTypeStory) GetClass() string { + return ClassChatStatisticsObjectType +} + +func (*ChatStatisticsObjectTypeStory) GetType() string { + return TypeChatStatisticsObjectTypeStory +} + +func (*ChatStatisticsObjectTypeStory) ChatStatisticsObjectTypeType() string { + return TypeChatStatisticsObjectTypeStory +} + +// Contains statistics about interactions with a message sent in the chat or a story posted on behalf of the chat +type ChatStatisticsInteractionInfo struct { + meta + // Type of the object + ObjectType ChatStatisticsObjectType `json:"object_type"` + // Number of times the object was viewed + ViewCount int32 `json:"view_count"` + // Number of times the object was forwarded + ForwardCount int32 `json:"forward_count"` + // Number of times reactions were added to the object + ReactionCount int32 `json:"reaction_count"` +} + +func (entity *ChatStatisticsInteractionInfo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatStatisticsInteractionInfo + + return json.Marshal((*stub)(entity)) +} + +func (*ChatStatisticsInteractionInfo) GetClass() string { + return ClassChatStatisticsInteractionInfo +} + +func (*ChatStatisticsInteractionInfo) GetType() string { + return TypeChatStatisticsInteractionInfo +} + +func (chatStatisticsInteractionInfo *ChatStatisticsInteractionInfo) UnmarshalJSON(data []byte) error { + var tmp struct { + ObjectType json.RawMessage `json:"object_type"` + ViewCount int32 `json:"view_count"` + ForwardCount int32 `json:"forward_count"` + ReactionCount int32 `json:"reaction_count"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + chatStatisticsInteractionInfo.ViewCount = tmp.ViewCount + chatStatisticsInteractionInfo.ForwardCount = tmp.ForwardCount + chatStatisticsInteractionInfo.ReactionCount = tmp.ReactionCount + + fieldObjectType, _ := UnmarshalChatStatisticsObjectType(tmp.ObjectType) + chatStatisticsInteractionInfo.ObjectType = fieldObjectType + + return nil } // Contains statistics about messages sent by a user type ChatStatisticsMessageSenderInfo struct { - meta - // User identifier - UserId int64 `json:"user_id"` - // Number of sent messages - SentMessageCount int32 `json:"sent_message_count"` - // Average number of characters in sent messages; 0 if unknown - AverageCharacterCount int32 `json:"average_character_count"` + meta + // User identifier + UserId int64 `json:"user_id"` + // Number of sent messages + SentMessageCount int32 `json:"sent_message_count"` + // Average number of characters in sent messages; 0 if unknown + AverageCharacterCount int32 `json:"average_character_count"` } func (entity *ChatStatisticsMessageSenderInfo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub ChatStatisticsMessageSenderInfo + type stub ChatStatisticsMessageSenderInfo - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*ChatStatisticsMessageSenderInfo) GetClass() string { - return ClassChatStatisticsMessageSenderInfo + return ClassChatStatisticsMessageSenderInfo } func (*ChatStatisticsMessageSenderInfo) GetType() string { - return TypeChatStatisticsMessageSenderInfo + return TypeChatStatisticsMessageSenderInfo } // Contains statistics about administrator actions done by a user type ChatStatisticsAdministratorActionsInfo struct { - meta - // Administrator user identifier - UserId int64 `json:"user_id"` - // Number of messages deleted by the administrator - DeletedMessageCount int32 `json:"deleted_message_count"` - // Number of users banned by the administrator - BannedUserCount int32 `json:"banned_user_count"` - // Number of users restricted by the administrator - RestrictedUserCount int32 `json:"restricted_user_count"` + meta + // Administrator user identifier + UserId int64 `json:"user_id"` + // Number of messages deleted by the administrator + DeletedMessageCount int32 `json:"deleted_message_count"` + // Number of users banned by the administrator + BannedUserCount int32 `json:"banned_user_count"` + // Number of users restricted by the administrator + RestrictedUserCount int32 `json:"restricted_user_count"` } func (entity *ChatStatisticsAdministratorActionsInfo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub ChatStatisticsAdministratorActionsInfo + type stub ChatStatisticsAdministratorActionsInfo - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*ChatStatisticsAdministratorActionsInfo) GetClass() string { - return ClassChatStatisticsAdministratorActionsInfo + return ClassChatStatisticsAdministratorActionsInfo } func (*ChatStatisticsAdministratorActionsInfo) GetType() string { - return TypeChatStatisticsAdministratorActionsInfo + return TypeChatStatisticsAdministratorActionsInfo } // Contains statistics about number of new members invited by a user type ChatStatisticsInviterInfo struct { - meta - // User identifier - UserId int64 `json:"user_id"` - // Number of new members invited by the user - AddedMemberCount int32 `json:"added_member_count"` + meta + // User identifier + UserId int64 `json:"user_id"` + // Number of new members invited by the user + AddedMemberCount int32 `json:"added_member_count"` } func (entity *ChatStatisticsInviterInfo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub ChatStatisticsInviterInfo + type stub ChatStatisticsInviterInfo - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*ChatStatisticsInviterInfo) GetClass() string { - return ClassChatStatisticsInviterInfo + return ClassChatStatisticsInviterInfo } func (*ChatStatisticsInviterInfo) GetType() string { - return TypeChatStatisticsInviterInfo + return TypeChatStatisticsInviterInfo } // A detailed statistics about a supergroup chat type ChatStatisticsSupergroup struct { - meta - // A period to which the statistics applies - Period *DateRange `json:"period"` - // Number of members in the chat - MemberCount *StatisticalValue `json:"member_count"` - // Number of messages sent to the chat - MessageCount *StatisticalValue `json:"message_count"` - // Number of users who viewed messages in the chat - ViewerCount *StatisticalValue `json:"viewer_count"` - // Number of users who sent messages to the chat - SenderCount *StatisticalValue `json:"sender_count"` - // A graph containing number of members in the chat - MemberCountGraph StatisticalGraph `json:"member_count_graph"` - // A graph containing number of members joined and left the chat - JoinGraph StatisticalGraph `json:"join_graph"` - // A graph containing number of new member joins per source - JoinBySourceGraph StatisticalGraph `json:"join_by_source_graph"` - // A graph containing distribution of active users per language - LanguageGraph StatisticalGraph `json:"language_graph"` - // A graph containing distribution of sent messages by content type - MessageContentGraph StatisticalGraph `json:"message_content_graph"` - // A graph containing number of different actions in the chat - ActionGraph StatisticalGraph `json:"action_graph"` - // A graph containing distribution of message views per hour - DayGraph StatisticalGraph `json:"day_graph"` - // A graph containing distribution of message views per day of week - WeekGraph StatisticalGraph `json:"week_graph"` - // List of users sent most messages in the last week - TopSenders []*ChatStatisticsMessageSenderInfo `json:"top_senders"` - // List of most active administrators in the last week - TopAdministrators []*ChatStatisticsAdministratorActionsInfo `json:"top_administrators"` - // List of most active inviters of new members in the last week - TopInviters []*ChatStatisticsInviterInfo `json:"top_inviters"` + meta + // A period to which the statistics applies + Period *DateRange `json:"period"` + // Number of members in the chat + MemberCount *StatisticalValue `json:"member_count"` + // Number of messages sent to the chat + MessageCount *StatisticalValue `json:"message_count"` + // Number of users who viewed messages in the chat + ViewerCount *StatisticalValue `json:"viewer_count"` + // Number of users who sent messages to the chat + SenderCount *StatisticalValue `json:"sender_count"` + // A graph containing number of members in the chat + MemberCountGraph StatisticalGraph `json:"member_count_graph"` + // A graph containing number of members joined and left the chat + JoinGraph StatisticalGraph `json:"join_graph"` + // A graph containing number of new member joins per source + JoinBySourceGraph StatisticalGraph `json:"join_by_source_graph"` + // A graph containing distribution of active users per language + LanguageGraph StatisticalGraph `json:"language_graph"` + // A graph containing distribution of sent messages by content type + MessageContentGraph StatisticalGraph `json:"message_content_graph"` + // A graph containing number of different actions in the chat + ActionGraph StatisticalGraph `json:"action_graph"` + // A graph containing distribution of message views per hour + DayGraph StatisticalGraph `json:"day_graph"` + // A graph containing distribution of message views per day of week + WeekGraph StatisticalGraph `json:"week_graph"` + // List of users sent most messages in the last week + TopSenders []*ChatStatisticsMessageSenderInfo `json:"top_senders"` + // List of most active administrators in the last week + TopAdministrators []*ChatStatisticsAdministratorActionsInfo `json:"top_administrators"` + // List of most active inviters of new members in the last week + TopInviters []*ChatStatisticsInviterInfo `json:"top_inviters"` } func (entity *ChatStatisticsSupergroup) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub ChatStatisticsSupergroup + type stub ChatStatisticsSupergroup - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*ChatStatisticsSupergroup) GetClass() string { - return ClassChatStatistics + return ClassChatStatistics } func (*ChatStatisticsSupergroup) GetType() string { - return TypeChatStatisticsSupergroup + return TypeChatStatisticsSupergroup } func (*ChatStatisticsSupergroup) ChatStatisticsType() string { - return TypeChatStatisticsSupergroup + return TypeChatStatisticsSupergroup } func (chatStatisticsSupergroup *ChatStatisticsSupergroup) UnmarshalJSON(data []byte) error { - var tmp struct { - Period *DateRange `json:"period"` - MemberCount *StatisticalValue `json:"member_count"` - MessageCount *StatisticalValue `json:"message_count"` - ViewerCount *StatisticalValue `json:"viewer_count"` - SenderCount *StatisticalValue `json:"sender_count"` - MemberCountGraph json.RawMessage `json:"member_count_graph"` - JoinGraph json.RawMessage `json:"join_graph"` - JoinBySourceGraph json.RawMessage `json:"join_by_source_graph"` - LanguageGraph json.RawMessage `json:"language_graph"` - MessageContentGraph json.RawMessage `json:"message_content_graph"` - ActionGraph json.RawMessage `json:"action_graph"` - DayGraph json.RawMessage `json:"day_graph"` - WeekGraph json.RawMessage `json:"week_graph"` - TopSenders []*ChatStatisticsMessageSenderInfo `json:"top_senders"` - TopAdministrators []*ChatStatisticsAdministratorActionsInfo `json:"top_administrators"` - TopInviters []*ChatStatisticsInviterInfo `json:"top_inviters"` - } + var tmp struct { + Period *DateRange `json:"period"` + MemberCount *StatisticalValue `json:"member_count"` + MessageCount *StatisticalValue `json:"message_count"` + ViewerCount *StatisticalValue `json:"viewer_count"` + SenderCount *StatisticalValue `json:"sender_count"` + MemberCountGraph json.RawMessage `json:"member_count_graph"` + JoinGraph json.RawMessage `json:"join_graph"` + JoinBySourceGraph json.RawMessage `json:"join_by_source_graph"` + LanguageGraph json.RawMessage `json:"language_graph"` + MessageContentGraph json.RawMessage `json:"message_content_graph"` + ActionGraph json.RawMessage `json:"action_graph"` + DayGraph json.RawMessage `json:"day_graph"` + WeekGraph json.RawMessage `json:"week_graph"` + TopSenders []*ChatStatisticsMessageSenderInfo `json:"top_senders"` + TopAdministrators []*ChatStatisticsAdministratorActionsInfo `json:"top_administrators"` + TopInviters []*ChatStatisticsInviterInfo `json:"top_inviters"` + } - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - chatStatisticsSupergroup.Period = tmp.Period - chatStatisticsSupergroup.MemberCount = tmp.MemberCount - chatStatisticsSupergroup.MessageCount = tmp.MessageCount - chatStatisticsSupergroup.ViewerCount = tmp.ViewerCount - chatStatisticsSupergroup.SenderCount = tmp.SenderCount - chatStatisticsSupergroup.TopSenders = tmp.TopSenders - chatStatisticsSupergroup.TopAdministrators = tmp.TopAdministrators - chatStatisticsSupergroup.TopInviters = tmp.TopInviters + chatStatisticsSupergroup.Period = tmp.Period + chatStatisticsSupergroup.MemberCount = tmp.MemberCount + chatStatisticsSupergroup.MessageCount = tmp.MessageCount + chatStatisticsSupergroup.ViewerCount = tmp.ViewerCount + chatStatisticsSupergroup.SenderCount = tmp.SenderCount + chatStatisticsSupergroup.TopSenders = tmp.TopSenders + chatStatisticsSupergroup.TopAdministrators = tmp.TopAdministrators + chatStatisticsSupergroup.TopInviters = tmp.TopInviters - fieldMemberCountGraph, _ := UnmarshalStatisticalGraph(tmp.MemberCountGraph) - chatStatisticsSupergroup.MemberCountGraph = fieldMemberCountGraph + fieldMemberCountGraph, _ := UnmarshalStatisticalGraph(tmp.MemberCountGraph) + chatStatisticsSupergroup.MemberCountGraph = fieldMemberCountGraph - fieldJoinGraph, _ := UnmarshalStatisticalGraph(tmp.JoinGraph) - chatStatisticsSupergroup.JoinGraph = fieldJoinGraph + fieldJoinGraph, _ := UnmarshalStatisticalGraph(tmp.JoinGraph) + chatStatisticsSupergroup.JoinGraph = fieldJoinGraph - fieldJoinBySourceGraph, _ := UnmarshalStatisticalGraph(tmp.JoinBySourceGraph) - chatStatisticsSupergroup.JoinBySourceGraph = fieldJoinBySourceGraph + fieldJoinBySourceGraph, _ := UnmarshalStatisticalGraph(tmp.JoinBySourceGraph) + chatStatisticsSupergroup.JoinBySourceGraph = fieldJoinBySourceGraph - fieldLanguageGraph, _ := UnmarshalStatisticalGraph(tmp.LanguageGraph) - chatStatisticsSupergroup.LanguageGraph = fieldLanguageGraph + fieldLanguageGraph, _ := UnmarshalStatisticalGraph(tmp.LanguageGraph) + chatStatisticsSupergroup.LanguageGraph = fieldLanguageGraph - fieldMessageContentGraph, _ := UnmarshalStatisticalGraph(tmp.MessageContentGraph) - chatStatisticsSupergroup.MessageContentGraph = fieldMessageContentGraph + fieldMessageContentGraph, _ := UnmarshalStatisticalGraph(tmp.MessageContentGraph) + chatStatisticsSupergroup.MessageContentGraph = fieldMessageContentGraph - fieldActionGraph, _ := UnmarshalStatisticalGraph(tmp.ActionGraph) - chatStatisticsSupergroup.ActionGraph = fieldActionGraph + fieldActionGraph, _ := UnmarshalStatisticalGraph(tmp.ActionGraph) + chatStatisticsSupergroup.ActionGraph = fieldActionGraph - fieldDayGraph, _ := UnmarshalStatisticalGraph(tmp.DayGraph) - chatStatisticsSupergroup.DayGraph = fieldDayGraph + fieldDayGraph, _ := UnmarshalStatisticalGraph(tmp.DayGraph) + chatStatisticsSupergroup.DayGraph = fieldDayGraph - fieldWeekGraph, _ := UnmarshalStatisticalGraph(tmp.WeekGraph) - chatStatisticsSupergroup.WeekGraph = fieldWeekGraph + fieldWeekGraph, _ := UnmarshalStatisticalGraph(tmp.WeekGraph) + chatStatisticsSupergroup.WeekGraph = fieldWeekGraph - return nil + return nil } // A detailed statistics about a channel chat type ChatStatisticsChannel struct { - meta - // A period to which the statistics applies - Period *DateRange `json:"period"` - // Number of members in the chat - MemberCount *StatisticalValue `json:"member_count"` - // Mean number of times the recently sent messages was viewed - MeanViewCount *StatisticalValue `json:"mean_view_count"` - // Mean number of times the recently sent messages was shared - MeanShareCount *StatisticalValue `json:"mean_share_count"` - // A percentage of users with enabled notifications for the chat - EnabledNotificationsPercentage float64 `json:"enabled_notifications_percentage"` - // A graph containing number of members in the chat - MemberCountGraph StatisticalGraph `json:"member_count_graph"` - // A graph containing number of members joined and left the chat - JoinGraph StatisticalGraph `json:"join_graph"` - // A graph containing number of members muted and unmuted the chat - MuteGraph StatisticalGraph `json:"mute_graph"` - // A graph containing number of message views in a given hour in the last two weeks - ViewCountByHourGraph StatisticalGraph `json:"view_count_by_hour_graph"` - // A graph containing number of message views per source - ViewCountBySourceGraph StatisticalGraph `json:"view_count_by_source_graph"` - // A graph containing number of new member joins per source - JoinBySourceGraph StatisticalGraph `json:"join_by_source_graph"` - // A graph containing number of users viewed chat messages per language - LanguageGraph StatisticalGraph `json:"language_graph"` - // A graph containing number of chat message views and shares - MessageInteractionGraph StatisticalGraph `json:"message_interaction_graph"` - // A graph containing number of views of associated with the chat instant views - InstantViewInteractionGraph StatisticalGraph `json:"instant_view_interaction_graph"` - // Detailed statistics about number of views and shares of recently sent messages - RecentMessageInteractions []*ChatStatisticsMessageInteractionInfo `json:"recent_message_interactions"` + meta + // A period to which the statistics applies + Period *DateRange `json:"period"` + // Number of members in the chat + MemberCount *StatisticalValue `json:"member_count"` + // Mean number of times the recently sent messages were viewed + MeanMessageViewCount *StatisticalValue `json:"mean_message_view_count"` + // Mean number of times the recently sent messages were shared + MeanMessageShareCount *StatisticalValue `json:"mean_message_share_count"` + // Mean number of times reactions were added to the recently sent messages + MeanMessageReactionCount *StatisticalValue `json:"mean_message_reaction_count"` + // Mean number of times the recently posted stories were viewed + MeanStoryViewCount *StatisticalValue `json:"mean_story_view_count"` + // Mean number of times the recently posted stories were shared + MeanStoryShareCount *StatisticalValue `json:"mean_story_share_count"` + // Mean number of times reactions were added to the recently posted stories + MeanStoryReactionCount *StatisticalValue `json:"mean_story_reaction_count"` + // A percentage of users with enabled notifications for the chat; 0-100 + EnabledNotificationsPercentage float64 `json:"enabled_notifications_percentage"` + // A graph containing number of members in the chat + MemberCountGraph StatisticalGraph `json:"member_count_graph"` + // A graph containing number of members joined and left the chat + JoinGraph StatisticalGraph `json:"join_graph"` + // A graph containing number of members muted and unmuted the chat + MuteGraph StatisticalGraph `json:"mute_graph"` + // A graph containing number of message views in a given hour in the last two weeks + ViewCountByHourGraph StatisticalGraph `json:"view_count_by_hour_graph"` + // A graph containing number of message views per source + ViewCountBySourceGraph StatisticalGraph `json:"view_count_by_source_graph"` + // A graph containing number of new member joins per source + JoinBySourceGraph StatisticalGraph `json:"join_by_source_graph"` + // A graph containing number of users viewed chat messages per language + LanguageGraph StatisticalGraph `json:"language_graph"` + // A graph containing number of chat message views and shares + MessageInteractionGraph StatisticalGraph `json:"message_interaction_graph"` + // A graph containing number of reactions on messages + MessageReactionGraph StatisticalGraph `json:"message_reaction_graph"` + // A graph containing number of story views and shares + StoryInteractionGraph StatisticalGraph `json:"story_interaction_graph"` + // A graph containing number of reactions on stories + StoryReactionGraph StatisticalGraph `json:"story_reaction_graph"` + // A graph containing number of views of associated with the chat instant views + InstantViewInteractionGraph StatisticalGraph `json:"instant_view_interaction_graph"` + // Detailed statistics about number of views and shares of recently sent messages and posted stories + RecentInteractions []*ChatStatisticsInteractionInfo `json:"recent_interactions"` } func (entity *ChatStatisticsChannel) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub ChatStatisticsChannel + type stub ChatStatisticsChannel - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*ChatStatisticsChannel) GetClass() string { - return ClassChatStatistics + return ClassChatStatistics } func (*ChatStatisticsChannel) GetType() string { - return TypeChatStatisticsChannel + return TypeChatStatisticsChannel } func (*ChatStatisticsChannel) ChatStatisticsType() string { - return TypeChatStatisticsChannel + return TypeChatStatisticsChannel } func (chatStatisticsChannel *ChatStatisticsChannel) UnmarshalJSON(data []byte) error { - var tmp struct { - Period *DateRange `json:"period"` - MemberCount *StatisticalValue `json:"member_count"` - MeanViewCount *StatisticalValue `json:"mean_view_count"` - MeanShareCount *StatisticalValue `json:"mean_share_count"` - EnabledNotificationsPercentage float64 `json:"enabled_notifications_percentage"` - MemberCountGraph json.RawMessage `json:"member_count_graph"` - JoinGraph json.RawMessage `json:"join_graph"` - MuteGraph json.RawMessage `json:"mute_graph"` - ViewCountByHourGraph json.RawMessage `json:"view_count_by_hour_graph"` - ViewCountBySourceGraph json.RawMessage `json:"view_count_by_source_graph"` - JoinBySourceGraph json.RawMessage `json:"join_by_source_graph"` - LanguageGraph json.RawMessage `json:"language_graph"` - MessageInteractionGraph json.RawMessage `json:"message_interaction_graph"` - InstantViewInteractionGraph json.RawMessage `json:"instant_view_interaction_graph"` - RecentMessageInteractions []*ChatStatisticsMessageInteractionInfo `json:"recent_message_interactions"` - } + var tmp struct { + Period *DateRange `json:"period"` + MemberCount *StatisticalValue `json:"member_count"` + MeanMessageViewCount *StatisticalValue `json:"mean_message_view_count"` + MeanMessageShareCount *StatisticalValue `json:"mean_message_share_count"` + MeanMessageReactionCount *StatisticalValue `json:"mean_message_reaction_count"` + MeanStoryViewCount *StatisticalValue `json:"mean_story_view_count"` + MeanStoryShareCount *StatisticalValue `json:"mean_story_share_count"` + MeanStoryReactionCount *StatisticalValue `json:"mean_story_reaction_count"` + EnabledNotificationsPercentage float64 `json:"enabled_notifications_percentage"` + MemberCountGraph json.RawMessage `json:"member_count_graph"` + JoinGraph json.RawMessage `json:"join_graph"` + MuteGraph json.RawMessage `json:"mute_graph"` + ViewCountByHourGraph json.RawMessage `json:"view_count_by_hour_graph"` + ViewCountBySourceGraph json.RawMessage `json:"view_count_by_source_graph"` + JoinBySourceGraph json.RawMessage `json:"join_by_source_graph"` + LanguageGraph json.RawMessage `json:"language_graph"` + MessageInteractionGraph json.RawMessage `json:"message_interaction_graph"` + MessageReactionGraph json.RawMessage `json:"message_reaction_graph"` + StoryInteractionGraph json.RawMessage `json:"story_interaction_graph"` + StoryReactionGraph json.RawMessage `json:"story_reaction_graph"` + InstantViewInteractionGraph json.RawMessage `json:"instant_view_interaction_graph"` + RecentInteractions []*ChatStatisticsInteractionInfo `json:"recent_interactions"` + } - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - chatStatisticsChannel.Period = tmp.Period - chatStatisticsChannel.MemberCount = tmp.MemberCount - chatStatisticsChannel.MeanViewCount = tmp.MeanViewCount - chatStatisticsChannel.MeanShareCount = tmp.MeanShareCount - chatStatisticsChannel.EnabledNotificationsPercentage = tmp.EnabledNotificationsPercentage - chatStatisticsChannel.RecentMessageInteractions = tmp.RecentMessageInteractions + chatStatisticsChannel.Period = tmp.Period + chatStatisticsChannel.MemberCount = tmp.MemberCount + chatStatisticsChannel.MeanMessageViewCount = tmp.MeanMessageViewCount + chatStatisticsChannel.MeanMessageShareCount = tmp.MeanMessageShareCount + chatStatisticsChannel.MeanMessageReactionCount = tmp.MeanMessageReactionCount + chatStatisticsChannel.MeanStoryViewCount = tmp.MeanStoryViewCount + chatStatisticsChannel.MeanStoryShareCount = tmp.MeanStoryShareCount + chatStatisticsChannel.MeanStoryReactionCount = tmp.MeanStoryReactionCount + chatStatisticsChannel.EnabledNotificationsPercentage = tmp.EnabledNotificationsPercentage + chatStatisticsChannel.RecentInteractions = tmp.RecentInteractions - fieldMemberCountGraph, _ := UnmarshalStatisticalGraph(tmp.MemberCountGraph) - chatStatisticsChannel.MemberCountGraph = fieldMemberCountGraph + fieldMemberCountGraph, _ := UnmarshalStatisticalGraph(tmp.MemberCountGraph) + chatStatisticsChannel.MemberCountGraph = fieldMemberCountGraph - fieldJoinGraph, _ := UnmarshalStatisticalGraph(tmp.JoinGraph) - chatStatisticsChannel.JoinGraph = fieldJoinGraph + fieldJoinGraph, _ := UnmarshalStatisticalGraph(tmp.JoinGraph) + chatStatisticsChannel.JoinGraph = fieldJoinGraph - fieldMuteGraph, _ := UnmarshalStatisticalGraph(tmp.MuteGraph) - chatStatisticsChannel.MuteGraph = fieldMuteGraph + fieldMuteGraph, _ := UnmarshalStatisticalGraph(tmp.MuteGraph) + chatStatisticsChannel.MuteGraph = fieldMuteGraph - fieldViewCountByHourGraph, _ := UnmarshalStatisticalGraph(tmp.ViewCountByHourGraph) - chatStatisticsChannel.ViewCountByHourGraph = fieldViewCountByHourGraph + fieldViewCountByHourGraph, _ := UnmarshalStatisticalGraph(tmp.ViewCountByHourGraph) + chatStatisticsChannel.ViewCountByHourGraph = fieldViewCountByHourGraph - fieldViewCountBySourceGraph, _ := UnmarshalStatisticalGraph(tmp.ViewCountBySourceGraph) - chatStatisticsChannel.ViewCountBySourceGraph = fieldViewCountBySourceGraph + fieldViewCountBySourceGraph, _ := UnmarshalStatisticalGraph(tmp.ViewCountBySourceGraph) + chatStatisticsChannel.ViewCountBySourceGraph = fieldViewCountBySourceGraph - fieldJoinBySourceGraph, _ := UnmarshalStatisticalGraph(tmp.JoinBySourceGraph) - chatStatisticsChannel.JoinBySourceGraph = fieldJoinBySourceGraph + fieldJoinBySourceGraph, _ := UnmarshalStatisticalGraph(tmp.JoinBySourceGraph) + chatStatisticsChannel.JoinBySourceGraph = fieldJoinBySourceGraph - fieldLanguageGraph, _ := UnmarshalStatisticalGraph(tmp.LanguageGraph) - chatStatisticsChannel.LanguageGraph = fieldLanguageGraph + fieldLanguageGraph, _ := UnmarshalStatisticalGraph(tmp.LanguageGraph) + chatStatisticsChannel.LanguageGraph = fieldLanguageGraph - fieldMessageInteractionGraph, _ := UnmarshalStatisticalGraph(tmp.MessageInteractionGraph) - chatStatisticsChannel.MessageInteractionGraph = fieldMessageInteractionGraph + fieldMessageInteractionGraph, _ := UnmarshalStatisticalGraph(tmp.MessageInteractionGraph) + chatStatisticsChannel.MessageInteractionGraph = fieldMessageInteractionGraph - fieldInstantViewInteractionGraph, _ := UnmarshalStatisticalGraph(tmp.InstantViewInteractionGraph) - chatStatisticsChannel.InstantViewInteractionGraph = fieldInstantViewInteractionGraph + fieldMessageReactionGraph, _ := UnmarshalStatisticalGraph(tmp.MessageReactionGraph) + chatStatisticsChannel.MessageReactionGraph = fieldMessageReactionGraph - return nil + fieldStoryInteractionGraph, _ := UnmarshalStatisticalGraph(tmp.StoryInteractionGraph) + chatStatisticsChannel.StoryInteractionGraph = fieldStoryInteractionGraph + + fieldStoryReactionGraph, _ := UnmarshalStatisticalGraph(tmp.StoryReactionGraph) + chatStatisticsChannel.StoryReactionGraph = fieldStoryReactionGraph + + fieldInstantViewInteractionGraph, _ := UnmarshalStatisticalGraph(tmp.InstantViewInteractionGraph) + chatStatisticsChannel.InstantViewInteractionGraph = fieldInstantViewInteractionGraph + + return nil +} + +// Contains information about revenue earned from sponsored messages in a chat +type ChatRevenueAmount struct { + meta + // Cryptocurrency in which revenue is calculated + Cryptocurrency string `json:"cryptocurrency"` + // Total amount of the cryptocurrency earned, in the smallest units of the cryptocurrency + TotalAmount JsonInt64 `json:"total_amount"` + // Amount of the cryptocurrency that isn't withdrawn yet, in the smallest units of the cryptocurrency + BalanceAmount JsonInt64 `json:"balance_amount"` + // Amount of the cryptocurrency available for withdrawal, in the smallest units of the cryptocurrency + AvailableAmount JsonInt64 `json:"available_amount"` + // True, if Telegram Stars can be withdrawn now or later + WithdrawalEnabled bool `json:"withdrawal_enabled"` +} + +func (entity *ChatRevenueAmount) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatRevenueAmount + + return json.Marshal((*stub)(entity)) +} + +func (*ChatRevenueAmount) GetClass() string { + return ClassChatRevenueAmount +} + +func (*ChatRevenueAmount) GetType() string { + return TypeChatRevenueAmount +} + +// A detailed statistics about revenue earned from sponsored messages in a chat +type ChatRevenueStatistics struct { + meta + // A graph containing amount of revenue in a given hour + RevenueByHourGraph StatisticalGraph `json:"revenue_by_hour_graph"` + // A graph containing amount of revenue + RevenueGraph StatisticalGraph `json:"revenue_graph"` + // Amount of earned revenue + RevenueAmount *ChatRevenueAmount `json:"revenue_amount"` + // Current conversion rate of the cryptocurrency in which revenue is calculated to USD + UsdRate float64 `json:"usd_rate"` +} + +func (entity *ChatRevenueStatistics) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatRevenueStatistics + + return json.Marshal((*stub)(entity)) +} + +func (*ChatRevenueStatistics) GetClass() string { + return ClassChatRevenueStatistics +} + +func (*ChatRevenueStatistics) GetType() string { + return TypeChatRevenueStatistics +} + +func (chatRevenueStatistics *ChatRevenueStatistics) UnmarshalJSON(data []byte) error { + var tmp struct { + RevenueByHourGraph json.RawMessage `json:"revenue_by_hour_graph"` + RevenueGraph json.RawMessage `json:"revenue_graph"` + RevenueAmount *ChatRevenueAmount `json:"revenue_amount"` + UsdRate float64 `json:"usd_rate"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + chatRevenueStatistics.RevenueAmount = tmp.RevenueAmount + chatRevenueStatistics.UsdRate = tmp.UsdRate + + fieldRevenueByHourGraph, _ := UnmarshalStatisticalGraph(tmp.RevenueByHourGraph) + chatRevenueStatistics.RevenueByHourGraph = fieldRevenueByHourGraph + + fieldRevenueGraph, _ := UnmarshalStatisticalGraph(tmp.RevenueGraph) + chatRevenueStatistics.RevenueGraph = fieldRevenueGraph + + return nil } // A detailed statistics about a message type MessageStatistics struct { - meta - // A graph containing number of message views and shares - MessageInteractionGraph StatisticalGraph `json:"message_interaction_graph"` + meta + // A graph containing number of message views and shares + MessageInteractionGraph StatisticalGraph `json:"message_interaction_graph"` + // A graph containing number of message reactions + MessageReactionGraph StatisticalGraph `json:"message_reaction_graph"` } func (entity *MessageStatistics) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub MessageStatistics + type stub MessageStatistics - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*MessageStatistics) GetClass() string { - return ClassMessageStatistics + return ClassMessageStatistics } func (*MessageStatistics) GetType() string { - return TypeMessageStatistics + return TypeMessageStatistics } func (messageStatistics *MessageStatistics) UnmarshalJSON(data []byte) error { - var tmp struct { - MessageInteractionGraph json.RawMessage `json:"message_interaction_graph"` - } + var tmp struct { + MessageInteractionGraph json.RawMessage `json:"message_interaction_graph"` + MessageReactionGraph json.RawMessage `json:"message_reaction_graph"` + } - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - fieldMessageInteractionGraph, _ := UnmarshalStatisticalGraph(tmp.MessageInteractionGraph) - messageStatistics.MessageInteractionGraph = fieldMessageInteractionGraph + fieldMessageInteractionGraph, _ := UnmarshalStatisticalGraph(tmp.MessageInteractionGraph) + messageStatistics.MessageInteractionGraph = fieldMessageInteractionGraph - return nil + fieldMessageReactionGraph, _ := UnmarshalStatisticalGraph(tmp.MessageReactionGraph) + messageStatistics.MessageReactionGraph = fieldMessageReactionGraph + + return nil +} + +// A detailed statistics about a story +type StoryStatistics struct { + meta + // A graph containing number of story views and shares + StoryInteractionGraph StatisticalGraph `json:"story_interaction_graph"` + // A graph containing number of story reactions + StoryReactionGraph StatisticalGraph `json:"story_reaction_graph"` +} + +func (entity *StoryStatistics) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StoryStatistics + + return json.Marshal((*stub)(entity)) +} + +func (*StoryStatistics) GetClass() string { + return ClassStoryStatistics +} + +func (*StoryStatistics) GetType() string { + return TypeStoryStatistics +} + +func (storyStatistics *StoryStatistics) UnmarshalJSON(data []byte) error { + var tmp struct { + StoryInteractionGraph json.RawMessage `json:"story_interaction_graph"` + StoryReactionGraph json.RawMessage `json:"story_reaction_graph"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldStoryInteractionGraph, _ := UnmarshalStatisticalGraph(tmp.StoryInteractionGraph) + storyStatistics.StoryInteractionGraph = fieldStoryInteractionGraph + + fieldStoryReactionGraph, _ := UnmarshalStatisticalGraph(tmp.StoryReactionGraph) + storyStatistics.StoryReactionGraph = fieldStoryReactionGraph + + return nil +} + +// Withdrawal is pending +type RevenueWithdrawalStatePending struct{ + meta +} + +func (entity *RevenueWithdrawalStatePending) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub RevenueWithdrawalStatePending + + return json.Marshal((*stub)(entity)) +} + +func (*RevenueWithdrawalStatePending) GetClass() string { + return ClassRevenueWithdrawalState +} + +func (*RevenueWithdrawalStatePending) GetType() string { + return TypeRevenueWithdrawalStatePending +} + +func (*RevenueWithdrawalStatePending) RevenueWithdrawalStateType() string { + return TypeRevenueWithdrawalStatePending +} + +// Withdrawal succeeded +type RevenueWithdrawalStateSucceeded struct { + meta + // Point in time (Unix timestamp) when the withdrawal was completed + Date int32 `json:"date"` + // The URL where the withdrawal transaction can be viewed + Url string `json:"url"` +} + +func (entity *RevenueWithdrawalStateSucceeded) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub RevenueWithdrawalStateSucceeded + + return json.Marshal((*stub)(entity)) +} + +func (*RevenueWithdrawalStateSucceeded) GetClass() string { + return ClassRevenueWithdrawalState +} + +func (*RevenueWithdrawalStateSucceeded) GetType() string { + return TypeRevenueWithdrawalStateSucceeded +} + +func (*RevenueWithdrawalStateSucceeded) RevenueWithdrawalStateType() string { + return TypeRevenueWithdrawalStateSucceeded +} + +// Withdrawal failed +type RevenueWithdrawalStateFailed struct{ + meta +} + +func (entity *RevenueWithdrawalStateFailed) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub RevenueWithdrawalStateFailed + + return json.Marshal((*stub)(entity)) +} + +func (*RevenueWithdrawalStateFailed) GetClass() string { + return ClassRevenueWithdrawalState +} + +func (*RevenueWithdrawalStateFailed) GetType() string { + return TypeRevenueWithdrawalStateFailed +} + +func (*RevenueWithdrawalStateFailed) RevenueWithdrawalStateType() string { + return TypeRevenueWithdrawalStateFailed +} + +// Describes an unsupported transaction +type ChatRevenueTransactionTypeUnsupported struct{ + meta +} + +func (entity *ChatRevenueTransactionTypeUnsupported) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatRevenueTransactionTypeUnsupported + + return json.Marshal((*stub)(entity)) +} + +func (*ChatRevenueTransactionTypeUnsupported) GetClass() string { + return ClassChatRevenueTransactionType +} + +func (*ChatRevenueTransactionTypeUnsupported) GetType() string { + return TypeChatRevenueTransactionTypeUnsupported +} + +func (*ChatRevenueTransactionTypeUnsupported) ChatRevenueTransactionTypeType() string { + return TypeChatRevenueTransactionTypeUnsupported +} + +// Describes earnings from sponsored messages in a chat in some time frame +type ChatRevenueTransactionTypeSponsoredMessageEarnings struct { + meta + // Point in time (Unix timestamp) when the earnings started + StartDate int32 `json:"start_date"` + // Point in time (Unix timestamp) when the earnings ended + EndDate int32 `json:"end_date"` +} + +func (entity *ChatRevenueTransactionTypeSponsoredMessageEarnings) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatRevenueTransactionTypeSponsoredMessageEarnings + + return json.Marshal((*stub)(entity)) +} + +func (*ChatRevenueTransactionTypeSponsoredMessageEarnings) GetClass() string { + return ClassChatRevenueTransactionType +} + +func (*ChatRevenueTransactionTypeSponsoredMessageEarnings) GetType() string { + return TypeChatRevenueTransactionTypeSponsoredMessageEarnings +} + +func (*ChatRevenueTransactionTypeSponsoredMessageEarnings) ChatRevenueTransactionTypeType() string { + return TypeChatRevenueTransactionTypeSponsoredMessageEarnings +} + +// Describes earnings from a published suggested post +type ChatRevenueTransactionTypeSuggestedPostEarnings struct { + meta + // Identifier of the user who paid for the suggested post + UserId int64 `json:"user_id"` +} + +func (entity *ChatRevenueTransactionTypeSuggestedPostEarnings) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatRevenueTransactionTypeSuggestedPostEarnings + + return json.Marshal((*stub)(entity)) +} + +func (*ChatRevenueTransactionTypeSuggestedPostEarnings) GetClass() string { + return ClassChatRevenueTransactionType +} + +func (*ChatRevenueTransactionTypeSuggestedPostEarnings) GetType() string { + return TypeChatRevenueTransactionTypeSuggestedPostEarnings +} + +func (*ChatRevenueTransactionTypeSuggestedPostEarnings) ChatRevenueTransactionTypeType() string { + return TypeChatRevenueTransactionTypeSuggestedPostEarnings +} + +// Describes a withdrawal of earnings through Fragment +type ChatRevenueTransactionTypeFragmentWithdrawal struct { + meta + // Point in time (Unix timestamp) when the earnings withdrawal started + WithdrawalDate int32 `json:"withdrawal_date"` + // State of the withdrawal + State RevenueWithdrawalState `json:"state"` +} + +func (entity *ChatRevenueTransactionTypeFragmentWithdrawal) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatRevenueTransactionTypeFragmentWithdrawal + + return json.Marshal((*stub)(entity)) +} + +func (*ChatRevenueTransactionTypeFragmentWithdrawal) GetClass() string { + return ClassChatRevenueTransactionType +} + +func (*ChatRevenueTransactionTypeFragmentWithdrawal) GetType() string { + return TypeChatRevenueTransactionTypeFragmentWithdrawal +} + +func (*ChatRevenueTransactionTypeFragmentWithdrawal) ChatRevenueTransactionTypeType() string { + return TypeChatRevenueTransactionTypeFragmentWithdrawal +} + +func (chatRevenueTransactionTypeFragmentWithdrawal *ChatRevenueTransactionTypeFragmentWithdrawal) UnmarshalJSON(data []byte) error { + var tmp struct { + WithdrawalDate int32 `json:"withdrawal_date"` + State json.RawMessage `json:"state"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + chatRevenueTransactionTypeFragmentWithdrawal.WithdrawalDate = tmp.WithdrawalDate + + fieldState, _ := UnmarshalRevenueWithdrawalState(tmp.State) + chatRevenueTransactionTypeFragmentWithdrawal.State = fieldState + + return nil +} + +// Describes a refund for failed withdrawal of earnings through Fragment +type ChatRevenueTransactionTypeFragmentRefund struct { + meta + // Point in time (Unix timestamp) when the transaction was refunded + RefundDate int32 `json:"refund_date"` +} + +func (entity *ChatRevenueTransactionTypeFragmentRefund) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatRevenueTransactionTypeFragmentRefund + + return json.Marshal((*stub)(entity)) +} + +func (*ChatRevenueTransactionTypeFragmentRefund) GetClass() string { + return ClassChatRevenueTransactionType +} + +func (*ChatRevenueTransactionTypeFragmentRefund) GetType() string { + return TypeChatRevenueTransactionTypeFragmentRefund +} + +func (*ChatRevenueTransactionTypeFragmentRefund) ChatRevenueTransactionTypeType() string { + return TypeChatRevenueTransactionTypeFragmentRefund +} + +// Contains a chat revenue transactions +type ChatRevenueTransaction struct { + meta + // Cryptocurrency in which revenue is calculated + Cryptocurrency string `json:"cryptocurrency"` + // The withdrawn amount, in the smallest units of the cryptocurrency + CryptocurrencyAmount JsonInt64 `json:"cryptocurrency_amount"` + // Type of the transaction + Type ChatRevenueTransactionType `json:"type"` +} + +func (entity *ChatRevenueTransaction) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatRevenueTransaction + + return json.Marshal((*stub)(entity)) +} + +func (*ChatRevenueTransaction) GetClass() string { + return ClassChatRevenueTransaction +} + +func (*ChatRevenueTransaction) GetType() string { + return TypeChatRevenueTransaction +} + +func (chatRevenueTransaction *ChatRevenueTransaction) UnmarshalJSON(data []byte) error { + var tmp struct { + Cryptocurrency string `json:"cryptocurrency"` + CryptocurrencyAmount JsonInt64 `json:"cryptocurrency_amount"` + Type json.RawMessage `json:"type"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + chatRevenueTransaction.Cryptocurrency = tmp.Cryptocurrency + chatRevenueTransaction.CryptocurrencyAmount = tmp.CryptocurrencyAmount + + fieldType, _ := UnmarshalChatRevenueTransactionType(tmp.Type) + chatRevenueTransaction.Type = fieldType + + return nil +} + +// Contains a list of chat revenue transactions +type ChatRevenueTransactions struct { + meta + // The amount of owned Toncoins; in the smallest units of the cryptocurrency + TonAmount int64 `json:"ton_amount"` + // List of transactions + Transactions []*ChatRevenueTransaction `json:"transactions"` + // The offset for the next request. If empty, then there are no more results + NextOffset string `json:"next_offset"` +} + +func (entity *ChatRevenueTransactions) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub ChatRevenueTransactions + + return json.Marshal((*stub)(entity)) +} + +func (*ChatRevenueTransactions) GetClass() string { + return ClassChatRevenueTransactions +} + +func (*ChatRevenueTransactions) GetType() string { + return TypeChatRevenueTransactions +} + +// Contains information about Telegram Stars earned by a user or a chat +type StarRevenueStatus struct { + meta + // Total Telegram Star amount earned + TotalAmount *StarAmount `json:"total_amount"` + // The Telegram Star amount that isn't withdrawn yet + CurrentAmount *StarAmount `json:"current_amount"` + // The Telegram Star amount that is available for withdrawal + AvailableAmount *StarAmount `json:"available_amount"` + // True, if Telegram Stars can be withdrawn now or later + WithdrawalEnabled bool `json:"withdrawal_enabled"` + // Time left before the next withdrawal can be started, in seconds; 0 if withdrawal can be started now + NextWithdrawalIn int32 `json:"next_withdrawal_in"` +} + +func (entity *StarRevenueStatus) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarRevenueStatus + + return json.Marshal((*stub)(entity)) +} + +func (*StarRevenueStatus) GetClass() string { + return ClassStarRevenueStatus +} + +func (*StarRevenueStatus) GetType() string { + return TypeStarRevenueStatus +} + +// A detailed statistics about Telegram Stars earned by a user or a chat +type StarRevenueStatistics struct { + meta + // A graph containing amount of revenue in a given day + RevenueByDayGraph StatisticalGraph `json:"revenue_by_day_graph"` + // Telegram Star revenue status + Status *StarRevenueStatus `json:"status"` + // Current conversion rate of a Telegram Star to USD + UsdRate float64 `json:"usd_rate"` +} + +func (entity *StarRevenueStatistics) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub StarRevenueStatistics + + return json.Marshal((*stub)(entity)) +} + +func (*StarRevenueStatistics) GetClass() string { + return ClassStarRevenueStatistics +} + +func (*StarRevenueStatistics) GetType() string { + return TypeStarRevenueStatistics +} + +func (starRevenueStatistics *StarRevenueStatistics) UnmarshalJSON(data []byte) error { + var tmp struct { + RevenueByDayGraph json.RawMessage `json:"revenue_by_day_graph"` + Status *StarRevenueStatus `json:"status"` + UsdRate float64 `json:"usd_rate"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + starRevenueStatistics.Status = tmp.Status + starRevenueStatistics.UsdRate = tmp.UsdRate + + fieldRevenueByDayGraph, _ := UnmarshalStatisticalGraph(tmp.RevenueByDayGraph) + starRevenueStatistics.RevenueByDayGraph = fieldRevenueByDayGraph + + return nil +} + +// Contains information about Toncoins earned by the current user +type TonRevenueStatus struct { + meta + // Total Toncoin amount earned; in the smallest units of the cryptocurrency + TotalAmount JsonInt64 `json:"total_amount"` + // The Toncoin amount that isn't withdrawn yet; in the smallest units of the cryptocurrency + BalanceAmount JsonInt64 `json:"balance_amount"` + // The Toncoin amount that is available for withdrawal; in the smallest units of the cryptocurrency + AvailableAmount JsonInt64 `json:"available_amount"` + // True, if Toncoins can be withdrawn + WithdrawalEnabled bool `json:"withdrawal_enabled"` +} + +func (entity *TonRevenueStatus) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TonRevenueStatus + + return json.Marshal((*stub)(entity)) +} + +func (*TonRevenueStatus) GetClass() string { + return ClassTonRevenueStatus +} + +func (*TonRevenueStatus) GetType() string { + return TypeTonRevenueStatus +} + +// A detailed statistics about Toncoins earned by the current user +type TonRevenueStatistics struct { + meta + // A graph containing amount of revenue in a given day + RevenueByDayGraph StatisticalGraph `json:"revenue_by_day_graph"` + // Amount of earned revenue + Status *TonRevenueStatus `json:"status"` + // Current conversion rate of nanotoncoin to USD cents + UsdRate float64 `json:"usd_rate"` +} + +func (entity *TonRevenueStatistics) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub TonRevenueStatistics + + return json.Marshal((*stub)(entity)) +} + +func (*TonRevenueStatistics) GetClass() string { + return ClassTonRevenueStatistics +} + +func (*TonRevenueStatistics) GetType() string { + return TypeTonRevenueStatistics +} + +func (tonRevenueStatistics *TonRevenueStatistics) UnmarshalJSON(data []byte) error { + var tmp struct { + RevenueByDayGraph json.RawMessage `json:"revenue_by_day_graph"` + Status *TonRevenueStatus `json:"status"` + UsdRate float64 `json:"usd_rate"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + tonRevenueStatistics.Status = tmp.Status + tonRevenueStatistics.UsdRate = tmp.UsdRate + + fieldRevenueByDayGraph, _ := UnmarshalStatisticalGraph(tmp.RevenueByDayGraph) + tonRevenueStatistics.RevenueByDayGraph = fieldRevenueByDayGraph + + return nil } // A point on a Cartesian plane type Point struct { - meta - // The point's first coordinate - X float64 `json:"x"` - // The point's second coordinate - Y float64 `json:"y"` + meta + // The point's first coordinate + X float64 `json:"x"` + // The point's second coordinate + Y float64 `json:"y"` } func (entity *Point) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub Point + type stub Point - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*Point) GetClass() string { - return ClassPoint + return ClassPoint } func (*Point) GetType() string { - return TypePoint + return TypePoint } // A straight line to a given point type VectorPathCommandLine struct { - meta - // The end point of the straight line - EndPoint *Point `json:"end_point"` + meta + // The end point of the straight line + EndPoint *Point `json:"end_point"` } func (entity *VectorPathCommandLine) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub VectorPathCommandLine + type stub VectorPathCommandLine - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*VectorPathCommandLine) GetClass() string { - return ClassVectorPathCommand + return ClassVectorPathCommand } func (*VectorPathCommandLine) GetType() string { - return TypeVectorPathCommandLine + return TypeVectorPathCommandLine } func (*VectorPathCommandLine) VectorPathCommandType() string { - return TypeVectorPathCommandLine + return TypeVectorPathCommandLine } -// A cubic Bézier curve to a given point +// A cubic Bézier curve to a given point type VectorPathCommandCubicBezierCurve struct { - meta - // The start control point of the curve - StartControlPoint *Point `json:"start_control_point"` - // The end control point of the curve - EndControlPoint *Point `json:"end_control_point"` - // The end point of the curve - EndPoint *Point `json:"end_point"` + meta + // The start control point of the curve + StartControlPoint *Point `json:"start_control_point"` + // The end control point of the curve + EndControlPoint *Point `json:"end_control_point"` + // The end point of the curve + EndPoint *Point `json:"end_point"` } func (entity *VectorPathCommandCubicBezierCurve) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub VectorPathCommandCubicBezierCurve + type stub VectorPathCommandCubicBezierCurve - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*VectorPathCommandCubicBezierCurve) GetClass() string { - return ClassVectorPathCommand + return ClassVectorPathCommand } func (*VectorPathCommandCubicBezierCurve) GetType() string { - return TypeVectorPathCommandCubicBezierCurve + return TypeVectorPathCommandCubicBezierCurve } func (*VectorPathCommandCubicBezierCurve) VectorPathCommandType() string { - return TypeVectorPathCommandCubicBezierCurve + return TypeVectorPathCommandCubicBezierCurve } // A scope covering all users -type BotCommandScopeDefault struct { - meta +type BotCommandScopeDefault struct{ + meta } func (entity *BotCommandScopeDefault) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub BotCommandScopeDefault + type stub BotCommandScopeDefault - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*BotCommandScopeDefault) GetClass() string { - return ClassBotCommandScope + return ClassBotCommandScope } func (*BotCommandScopeDefault) GetType() string { - return TypeBotCommandScopeDefault + return TypeBotCommandScopeDefault } func (*BotCommandScopeDefault) BotCommandScopeType() string { - return TypeBotCommandScopeDefault + return TypeBotCommandScopeDefault } // A scope covering all private chats -type BotCommandScopeAllPrivateChats struct { - meta +type BotCommandScopeAllPrivateChats struct{ + meta } func (entity *BotCommandScopeAllPrivateChats) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub BotCommandScopeAllPrivateChats + type stub BotCommandScopeAllPrivateChats - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*BotCommandScopeAllPrivateChats) GetClass() string { - return ClassBotCommandScope + return ClassBotCommandScope } func (*BotCommandScopeAllPrivateChats) GetType() string { - return TypeBotCommandScopeAllPrivateChats + return TypeBotCommandScopeAllPrivateChats } func (*BotCommandScopeAllPrivateChats) BotCommandScopeType() string { - return TypeBotCommandScopeAllPrivateChats + return TypeBotCommandScopeAllPrivateChats } // A scope covering all group and supergroup chats -type BotCommandScopeAllGroupChats struct { - meta +type BotCommandScopeAllGroupChats struct{ + meta } func (entity *BotCommandScopeAllGroupChats) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub BotCommandScopeAllGroupChats + type stub BotCommandScopeAllGroupChats - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*BotCommandScopeAllGroupChats) GetClass() string { - return ClassBotCommandScope + return ClassBotCommandScope } func (*BotCommandScopeAllGroupChats) GetType() string { - return TypeBotCommandScopeAllGroupChats + return TypeBotCommandScopeAllGroupChats } func (*BotCommandScopeAllGroupChats) BotCommandScopeType() string { - return TypeBotCommandScopeAllGroupChats + return TypeBotCommandScopeAllGroupChats } // A scope covering all group and supergroup chat administrators -type BotCommandScopeAllChatAdministrators struct { - meta +type BotCommandScopeAllChatAdministrators struct{ + meta } func (entity *BotCommandScopeAllChatAdministrators) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub BotCommandScopeAllChatAdministrators + type stub BotCommandScopeAllChatAdministrators - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*BotCommandScopeAllChatAdministrators) GetClass() string { - return ClassBotCommandScope + return ClassBotCommandScope } func (*BotCommandScopeAllChatAdministrators) GetType() string { - return TypeBotCommandScopeAllChatAdministrators + return TypeBotCommandScopeAllChatAdministrators } func (*BotCommandScopeAllChatAdministrators) BotCommandScopeType() string { - return TypeBotCommandScopeAllChatAdministrators + return TypeBotCommandScopeAllChatAdministrators } // A scope covering all members of a chat type BotCommandScopeChat struct { - meta - // Chat identifier - ChatId int64 `json:"chat_id"` + meta + // Chat identifier + ChatId int64 `json:"chat_id"` } func (entity *BotCommandScopeChat) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub BotCommandScopeChat + type stub BotCommandScopeChat - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*BotCommandScopeChat) GetClass() string { - return ClassBotCommandScope + return ClassBotCommandScope } func (*BotCommandScopeChat) GetType() string { - return TypeBotCommandScopeChat + return TypeBotCommandScopeChat } func (*BotCommandScopeChat) BotCommandScopeType() string { - return TypeBotCommandScopeChat + return TypeBotCommandScopeChat } // A scope covering all administrators of a chat type BotCommandScopeChatAdministrators struct { - meta - // Chat identifier - ChatId int64 `json:"chat_id"` + meta + // Chat identifier + ChatId int64 `json:"chat_id"` } func (entity *BotCommandScopeChatAdministrators) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub BotCommandScopeChatAdministrators + type stub BotCommandScopeChatAdministrators - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*BotCommandScopeChatAdministrators) GetClass() string { - return ClassBotCommandScope + return ClassBotCommandScope } func (*BotCommandScopeChatAdministrators) GetType() string { - return TypeBotCommandScopeChatAdministrators + return TypeBotCommandScopeChatAdministrators } func (*BotCommandScopeChatAdministrators) BotCommandScopeType() string { - return TypeBotCommandScopeChatAdministrators + return TypeBotCommandScopeChatAdministrators } // A scope covering a member of a chat type BotCommandScopeChatMember struct { - meta - // Chat identifier - ChatId int64 `json:"chat_id"` - // User identifier - UserId int64 `json:"user_id"` + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // User identifier + UserId int64 `json:"user_id"` } func (entity *BotCommandScopeChatMember) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub BotCommandScopeChatMember + type stub BotCommandScopeChatMember - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*BotCommandScopeChatMember) GetClass() string { - return ClassBotCommandScope + return ClassBotCommandScope } func (*BotCommandScopeChatMember) GetType() string { - return TypeBotCommandScopeChatMember + return TypeBotCommandScopeChatMember } func (*BotCommandScopeChatMember) BotCommandScopeType() string { - return TypeBotCommandScopeChatMember + return TypeBotCommandScopeChatMember +} + +// Checks ownership of a new phone number to change the user's authentication phone number; for official Android and iOS applications only +type PhoneNumberCodeTypeChange struct{ + meta +} + +func (entity *PhoneNumberCodeTypeChange) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PhoneNumberCodeTypeChange + + return json.Marshal((*stub)(entity)) +} + +func (*PhoneNumberCodeTypeChange) GetClass() string { + return ClassPhoneNumberCodeType +} + +func (*PhoneNumberCodeTypeChange) GetType() string { + return TypePhoneNumberCodeTypeChange +} + +func (*PhoneNumberCodeTypeChange) PhoneNumberCodeTypeType() string { + return TypePhoneNumberCodeTypeChange +} + +// Verifies ownership of a phone number to be added to the user's Telegram Passport +type PhoneNumberCodeTypeVerify struct{ + meta +} + +func (entity *PhoneNumberCodeTypeVerify) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PhoneNumberCodeTypeVerify + + return json.Marshal((*stub)(entity)) +} + +func (*PhoneNumberCodeTypeVerify) GetClass() string { + return ClassPhoneNumberCodeType +} + +func (*PhoneNumberCodeTypeVerify) GetType() string { + return TypePhoneNumberCodeTypeVerify +} + +func (*PhoneNumberCodeTypeVerify) PhoneNumberCodeTypeType() string { + return TypePhoneNumberCodeTypeVerify +} + +// Confirms ownership of a phone number to prevent account deletion while handling links of the type internalLinkTypePhoneNumberConfirmation +type PhoneNumberCodeTypeConfirmOwnership struct { + meta + // Hash value from the link + Hash string `json:"hash"` +} + +func (entity *PhoneNumberCodeTypeConfirmOwnership) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub PhoneNumberCodeTypeConfirmOwnership + + return json.Marshal((*stub)(entity)) +} + +func (*PhoneNumberCodeTypeConfirmOwnership) GetClass() string { + return ClassPhoneNumberCodeType +} + +func (*PhoneNumberCodeTypeConfirmOwnership) GetType() string { + return TypePhoneNumberCodeTypeConfirmOwnership +} + +func (*PhoneNumberCodeTypeConfirmOwnership) PhoneNumberCodeTypeType() string { + return TypePhoneNumberCodeTypeConfirmOwnership } // The user authorization state has changed type UpdateAuthorizationState struct { - meta - // New authorization state - AuthorizationState AuthorizationState `json:"authorization_state"` + meta + // New authorization state + AuthorizationState AuthorizationState `json:"authorization_state"` } func (entity *UpdateAuthorizationState) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateAuthorizationState + type stub UpdateAuthorizationState - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateAuthorizationState) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateAuthorizationState) GetType() string { - return TypeUpdateAuthorizationState + return TypeUpdateAuthorizationState } func (*UpdateAuthorizationState) UpdateType() string { - return TypeUpdateAuthorizationState + return TypeUpdateAuthorizationState } func (updateAuthorizationState *UpdateAuthorizationState) UnmarshalJSON(data []byte) error { - var tmp struct { - AuthorizationState json.RawMessage `json:"authorization_state"` - } + var tmp struct { + AuthorizationState json.RawMessage `json:"authorization_state"` + } - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - fieldAuthorizationState, _ := UnmarshalAuthorizationState(tmp.AuthorizationState) - updateAuthorizationState.AuthorizationState = fieldAuthorizationState + fieldAuthorizationState, _ := UnmarshalAuthorizationState(tmp.AuthorizationState) + updateAuthorizationState.AuthorizationState = fieldAuthorizationState - return nil + return nil } // A new message was received; can also be an outgoing message type UpdateNewMessage struct { - meta - // The new message - Message *Message `json:"message"` + meta + // The new message + Message *Message `json:"message"` } func (entity *UpdateNewMessage) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateNewMessage + type stub UpdateNewMessage - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateNewMessage) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateNewMessage) GetType() string { - return TypeUpdateNewMessage + return TypeUpdateNewMessage } func (*UpdateNewMessage) UpdateType() string { - return TypeUpdateNewMessage + return TypeUpdateNewMessage } -// A request to send a message has reached the Telegram server. This doesn't mean that the message will be sent successfully or even that the send message request will be processed. This update will be sent only if the option "use_quick_ack" is set to true. This update may be sent multiple times for the same message +// A request to send a message has reached the Telegram server. This doesn't mean that the message will be sent successfully. This update is sent only if the option "use_quick_ack" is set to true. This update may be sent multiple times for the same message type UpdateMessageSendAcknowledged struct { - meta - // The chat identifier of the sent message - ChatId int64 `json:"chat_id"` - // A temporary message identifier - MessageId int64 `json:"message_id"` + meta + // The chat identifier of the sent message + ChatId int64 `json:"chat_id"` + // A temporary message identifier + MessageId int64 `json:"message_id"` } func (entity *UpdateMessageSendAcknowledged) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateMessageSendAcknowledged + type stub UpdateMessageSendAcknowledged - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateMessageSendAcknowledged) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateMessageSendAcknowledged) GetType() string { - return TypeUpdateMessageSendAcknowledged + return TypeUpdateMessageSendAcknowledged } func (*UpdateMessageSendAcknowledged) UpdateType() string { - return TypeUpdateMessageSendAcknowledged + return TypeUpdateMessageSendAcknowledged } // A message has been successfully sent type UpdateMessageSendSucceeded struct { - meta - // The sent message. Usually only the message identifier, date, and content are changed, but almost all other fields can also change - Message *Message `json:"message"` - // The previous temporary message identifier - OldMessageId int64 `json:"old_message_id"` + meta + // The sent message. Almost any field of the new message can be different from the corresponding field of the original message. For example, the field scheduling_state may change, making the message scheduled, or non-scheduled + Message *Message `json:"message"` + // The previous temporary message identifier + OldMessageId int64 `json:"old_message_id"` } func (entity *UpdateMessageSendSucceeded) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateMessageSendSucceeded + type stub UpdateMessageSendSucceeded - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateMessageSendSucceeded) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateMessageSendSucceeded) GetType() string { - return TypeUpdateMessageSendSucceeded + return TypeUpdateMessageSendSucceeded } func (*UpdateMessageSendSucceeded) UpdateType() string { - return TypeUpdateMessageSendSucceeded + return TypeUpdateMessageSendSucceeded } // A message failed to send. Be aware that some messages being sent can be irrecoverably deleted, in which case updateDeleteMessages will be received instead of this update type UpdateMessageSendFailed struct { - meta - // The failed to send message - Message *Message `json:"message"` - // The previous temporary message identifier - OldMessageId int64 `json:"old_message_id"` - // An error code - ErrorCode int32 `json:"error_code"` - // Error message - ErrorMessage string `json:"error_message"` + meta + // The failed to send message + Message *Message `json:"message"` + // The previous temporary message identifier + OldMessageId int64 `json:"old_message_id"` + // The cause of the message sending failure + Error *Error `json:"error"` } func (entity *UpdateMessageSendFailed) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateMessageSendFailed + type stub UpdateMessageSendFailed - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateMessageSendFailed) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateMessageSendFailed) GetType() string { - return TypeUpdateMessageSendFailed + return TypeUpdateMessageSendFailed } func (*UpdateMessageSendFailed) UpdateType() string { - return TypeUpdateMessageSendFailed + return TypeUpdateMessageSendFailed } // The message content has changed type UpdateMessageContent struct { - meta - // Chat identifier - ChatId int64 `json:"chat_id"` - // Message identifier - MessageId int64 `json:"message_id"` - // New message content - NewContent MessageContent `json:"new_content"` + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // Message identifier + MessageId int64 `json:"message_id"` + // New message content + NewContent MessageContent `json:"new_content"` } func (entity *UpdateMessageContent) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateMessageContent + type stub UpdateMessageContent - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateMessageContent) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateMessageContent) GetType() string { - return TypeUpdateMessageContent + return TypeUpdateMessageContent } func (*UpdateMessageContent) UpdateType() string { - return TypeUpdateMessageContent + return TypeUpdateMessageContent } func (updateMessageContent *UpdateMessageContent) UnmarshalJSON(data []byte) error { - var tmp struct { - ChatId int64 `json:"chat_id"` - MessageId int64 `json:"message_id"` - NewContent json.RawMessage `json:"new_content"` - } + var tmp struct { + ChatId int64 `json:"chat_id"` + MessageId int64 `json:"message_id"` + NewContent json.RawMessage `json:"new_content"` + } - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - updateMessageContent.ChatId = tmp.ChatId - updateMessageContent.MessageId = tmp.MessageId + updateMessageContent.ChatId = tmp.ChatId + updateMessageContent.MessageId = tmp.MessageId - fieldNewContent, _ := UnmarshalMessageContent(tmp.NewContent) - updateMessageContent.NewContent = fieldNewContent + fieldNewContent, _ := UnmarshalMessageContent(tmp.NewContent) + updateMessageContent.NewContent = fieldNewContent - return nil + return nil } // A message was edited. Changes in the message content will come in a separate updateMessageContent type UpdateMessageEdited struct { - meta - // Chat identifier - ChatId int64 `json:"chat_id"` - // Message identifier - MessageId int64 `json:"message_id"` - // Point in time (Unix timestamp) when the message was edited - EditDate int32 `json:"edit_date"` - // New message reply markup; may be null - ReplyMarkup ReplyMarkup `json:"reply_markup"` + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // Message identifier + MessageId int64 `json:"message_id"` + // Point in time (Unix timestamp) when the message was edited + EditDate int32 `json:"edit_date"` + // New message reply markup; may be null + ReplyMarkup ReplyMarkup `json:"reply_markup"` } func (entity *UpdateMessageEdited) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateMessageEdited + type stub UpdateMessageEdited - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateMessageEdited) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateMessageEdited) GetType() string { - return TypeUpdateMessageEdited + return TypeUpdateMessageEdited } func (*UpdateMessageEdited) UpdateType() string { - return TypeUpdateMessageEdited + return TypeUpdateMessageEdited } func (updateMessageEdited *UpdateMessageEdited) UnmarshalJSON(data []byte) error { - var tmp struct { - ChatId int64 `json:"chat_id"` - MessageId int64 `json:"message_id"` - EditDate int32 `json:"edit_date"` - ReplyMarkup json.RawMessage `json:"reply_markup"` - } + var tmp struct { + ChatId int64 `json:"chat_id"` + MessageId int64 `json:"message_id"` + EditDate int32 `json:"edit_date"` + ReplyMarkup json.RawMessage `json:"reply_markup"` + } - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - updateMessageEdited.ChatId = tmp.ChatId - updateMessageEdited.MessageId = tmp.MessageId - updateMessageEdited.EditDate = tmp.EditDate + updateMessageEdited.ChatId = tmp.ChatId + updateMessageEdited.MessageId = tmp.MessageId + updateMessageEdited.EditDate = tmp.EditDate - fieldReplyMarkup, _ := UnmarshalReplyMarkup(tmp.ReplyMarkup) - updateMessageEdited.ReplyMarkup = fieldReplyMarkup + fieldReplyMarkup, _ := UnmarshalReplyMarkup(tmp.ReplyMarkup) + updateMessageEdited.ReplyMarkup = fieldReplyMarkup - return nil + return nil } // The message pinned state was changed type UpdateMessageIsPinned struct { - meta - // Chat identifier - ChatId int64 `json:"chat_id"` - // The message identifier - MessageId int64 `json:"message_id"` - // True, if the message is pinned - IsPinned bool `json:"is_pinned"` + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // The message identifier + MessageId int64 `json:"message_id"` + // True, if the message is pinned + IsPinned bool `json:"is_pinned"` } func (entity *UpdateMessageIsPinned) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateMessageIsPinned + type stub UpdateMessageIsPinned - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateMessageIsPinned) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateMessageIsPinned) GetType() string { - return TypeUpdateMessageIsPinned + return TypeUpdateMessageIsPinned } func (*UpdateMessageIsPinned) UpdateType() string { - return TypeUpdateMessageIsPinned + return TypeUpdateMessageIsPinned } // The information about interactions with a message has changed type UpdateMessageInteractionInfo struct { - meta - // Chat identifier - ChatId int64 `json:"chat_id"` - // Message identifier - MessageId int64 `json:"message_id"` - // New information about interactions with the message; may be null - InteractionInfo *MessageInteractionInfo `json:"interaction_info"` + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // Message identifier + MessageId int64 `json:"message_id"` + // New information about interactions with the message; may be null + InteractionInfo *MessageInteractionInfo `json:"interaction_info"` } func (entity *UpdateMessageInteractionInfo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateMessageInteractionInfo + type stub UpdateMessageInteractionInfo - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateMessageInteractionInfo) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateMessageInteractionInfo) GetType() string { - return TypeUpdateMessageInteractionInfo + return TypeUpdateMessageInteractionInfo } func (*UpdateMessageInteractionInfo) UpdateType() string { - return TypeUpdateMessageInteractionInfo + return TypeUpdateMessageInteractionInfo } // The message content was opened. Updates voice note messages to "listened", video note messages to "viewed" and starts the self-destruct timer type UpdateMessageContentOpened struct { - meta - // Chat identifier - ChatId int64 `json:"chat_id"` - // Message identifier - MessageId int64 `json:"message_id"` + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // Message identifier + MessageId int64 `json:"message_id"` } func (entity *UpdateMessageContentOpened) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateMessageContentOpened + type stub UpdateMessageContentOpened - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateMessageContentOpened) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateMessageContentOpened) GetType() string { - return TypeUpdateMessageContentOpened + return TypeUpdateMessageContentOpened } func (*UpdateMessageContentOpened) UpdateType() string { - return TypeUpdateMessageContentOpened + return TypeUpdateMessageContentOpened } // A message with an unread mention was read type UpdateMessageMentionRead struct { - meta - // Chat identifier - ChatId int64 `json:"chat_id"` - // Message identifier - MessageId int64 `json:"message_id"` - // The new number of unread mention messages left in the chat - UnreadMentionCount int32 `json:"unread_mention_count"` + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // Message identifier + MessageId int64 `json:"message_id"` + // The new number of unread mention messages left in the chat + UnreadMentionCount int32 `json:"unread_mention_count"` } func (entity *UpdateMessageMentionRead) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateMessageMentionRead + type stub UpdateMessageMentionRead - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateMessageMentionRead) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateMessageMentionRead) GetType() string { - return TypeUpdateMessageMentionRead + return TypeUpdateMessageMentionRead } func (*UpdateMessageMentionRead) UpdateType() string { - return TypeUpdateMessageMentionRead + return TypeUpdateMessageMentionRead } // The list of unread reactions added to a message was changed type UpdateMessageUnreadReactions struct { - meta - // Chat identifier - ChatId int64 `json:"chat_id"` - // Message identifier - MessageId int64 `json:"message_id"` - // The new list of unread reactions - UnreadReactions []*UnreadReaction `json:"unread_reactions"` - // The new number of messages with unread reactions left in the chat - UnreadReactionCount int32 `json:"unread_reaction_count"` + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // Message identifier + MessageId int64 `json:"message_id"` + // The new list of unread reactions + UnreadReactions []*UnreadReaction `json:"unread_reactions"` + // The new number of messages with unread reactions left in the chat + UnreadReactionCount int32 `json:"unread_reaction_count"` } func (entity *UpdateMessageUnreadReactions) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateMessageUnreadReactions + type stub UpdateMessageUnreadReactions - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateMessageUnreadReactions) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateMessageUnreadReactions) GetType() string { - return TypeUpdateMessageUnreadReactions + return TypeUpdateMessageUnreadReactions } func (*UpdateMessageUnreadReactions) UpdateType() string { - return TypeUpdateMessageUnreadReactions + return TypeUpdateMessageUnreadReactions } -// A message with a live location was viewed. When the update is received, the application is supposed to update the live location +// A fact-check added to a message was changed +type UpdateMessageFactCheck struct { + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // Message identifier + MessageId int64 `json:"message_id"` + // The new fact-check + FactCheck *FactCheck `json:"fact_check"` +} + +func (entity *UpdateMessageFactCheck) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateMessageFactCheck + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateMessageFactCheck) GetClass() string { + return ClassUpdate +} + +func (*UpdateMessageFactCheck) GetType() string { + return TypeUpdateMessageFactCheck +} + +func (*UpdateMessageFactCheck) UpdateType() string { + return TypeUpdateMessageFactCheck +} + +// Information about suggested post of a message was changed +type UpdateMessageSuggestedPostInfo struct { + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // Message identifier + MessageId int64 `json:"message_id"` + // The new information about the suggested post + SuggestedPostInfo *SuggestedPostInfo `json:"suggested_post_info"` +} + +func (entity *UpdateMessageSuggestedPostInfo) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateMessageSuggestedPostInfo + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateMessageSuggestedPostInfo) GetClass() string { + return ClassUpdate +} + +func (*UpdateMessageSuggestedPostInfo) GetType() string { + return TypeUpdateMessageSuggestedPostInfo +} + +func (*UpdateMessageSuggestedPostInfo) UpdateType() string { + return TypeUpdateMessageSuggestedPostInfo +} + +// A message with a live location was viewed. When the update is received, the application is expected to update the live location type UpdateMessageLiveLocationViewed struct { - meta - // Identifier of the chat with the live location message - ChatId int64 `json:"chat_id"` - // Identifier of the message with live location - MessageId int64 `json:"message_id"` + meta + // Identifier of the chat with the live location message + ChatId int64 `json:"chat_id"` + // Identifier of the message with live location + MessageId int64 `json:"message_id"` } func (entity *UpdateMessageLiveLocationViewed) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateMessageLiveLocationViewed + type stub UpdateMessageLiveLocationViewed - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateMessageLiveLocationViewed) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateMessageLiveLocationViewed) GetType() string { - return TypeUpdateMessageLiveLocationViewed + return TypeUpdateMessageLiveLocationViewed } func (*UpdateMessageLiveLocationViewed) UpdateType() string { - return TypeUpdateMessageLiveLocationViewed + return TypeUpdateMessageLiveLocationViewed +} + +// An automatically scheduled message with video has been successfully sent after conversion +type UpdateVideoPublished struct { + meta + // Identifier of the chat with the message + ChatId int64 `json:"chat_id"` + // Identifier of the sent message + MessageId int64 `json:"message_id"` +} + +func (entity *UpdateVideoPublished) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateVideoPublished + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateVideoPublished) GetClass() string { + return ClassUpdate +} + +func (*UpdateVideoPublished) GetType() string { + return TypeUpdateVideoPublished +} + +func (*UpdateVideoPublished) UpdateType() string { + return TypeUpdateVideoPublished } // A new chat has been loaded/created. This update is guaranteed to come before the chat identifier is returned to the application. The chat field changes will be reported through separate updates type UpdateNewChat struct { - meta - // The chat - Chat *Chat `json:"chat"` + meta + // The chat + Chat *Chat `json:"chat"` } func (entity *UpdateNewChat) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateNewChat + type stub UpdateNewChat - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateNewChat) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateNewChat) GetType() string { - return TypeUpdateNewChat + return TypeUpdateNewChat } func (*UpdateNewChat) UpdateType() string { - return TypeUpdateNewChat + return TypeUpdateNewChat } // The title of a chat was changed type UpdateChatTitle struct { - meta - // Chat identifier - ChatId int64 `json:"chat_id"` - // The new chat title - Title string `json:"title"` + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // The new chat title + Title string `json:"title"` } func (entity *UpdateChatTitle) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateChatTitle + type stub UpdateChatTitle - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateChatTitle) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateChatTitle) GetType() string { - return TypeUpdateChatTitle + return TypeUpdateChatTitle } func (*UpdateChatTitle) UpdateType() string { - return TypeUpdateChatTitle + return TypeUpdateChatTitle } // A chat photo was changed type UpdateChatPhoto struct { - meta - // Chat identifier - ChatId int64 `json:"chat_id"` - // The new chat photo; may be null - Photo *ChatPhotoInfo `json:"photo"` + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // The new chat photo; may be null + Photo *ChatPhotoInfo `json:"photo"` } func (entity *UpdateChatPhoto) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateChatPhoto + type stub UpdateChatPhoto - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateChatPhoto) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateChatPhoto) GetType() string { - return TypeUpdateChatPhoto + return TypeUpdateChatPhoto } func (*UpdateChatPhoto) UpdateType() string { - return TypeUpdateChatPhoto + return TypeUpdateChatPhoto } -// Chat permissions was changed +// Chat accent colors have changed +type UpdateChatAccentColors struct { + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // The new chat accent color identifier + AccentColorId int32 `json:"accent_color_id"` + // The new identifier of a custom emoji to be shown on the reply header and link preview background; 0 if none + BackgroundCustomEmojiId JsonInt64 `json:"background_custom_emoji_id"` + // Color scheme based on an upgraded gift to be used for the chat instead of accent_color_id and background_custom_emoji_id; may be null if none + UpgradedGiftColors *UpgradedGiftColors `json:"upgraded_gift_colors"` + // The new chat profile accent color identifier; -1 if none + ProfileAccentColorId int32 `json:"profile_accent_color_id"` + // The new identifier of a custom emoji to be shown on the profile background; 0 if none + ProfileBackgroundCustomEmojiId JsonInt64 `json:"profile_background_custom_emoji_id"` +} + +func (entity *UpdateChatAccentColors) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateChatAccentColors + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateChatAccentColors) GetClass() string { + return ClassUpdate +} + +func (*UpdateChatAccentColors) GetType() string { + return TypeUpdateChatAccentColors +} + +func (*UpdateChatAccentColors) UpdateType() string { + return TypeUpdateChatAccentColors +} + +// Chat permissions were changed type UpdateChatPermissions struct { - meta - // Chat identifier - ChatId int64 `json:"chat_id"` - // The new chat permissions - Permissions *ChatPermissions `json:"permissions"` + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // The new chat permissions + Permissions *ChatPermissions `json:"permissions"` } func (entity *UpdateChatPermissions) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateChatPermissions + type stub UpdateChatPermissions - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateChatPermissions) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateChatPermissions) GetType() string { - return TypeUpdateChatPermissions + return TypeUpdateChatPermissions } func (*UpdateChatPermissions) UpdateType() string { - return TypeUpdateChatPermissions + return TypeUpdateChatPermissions } -// The last message of a chat was changed. If last_message is null, then the last message in the chat became unknown. Some new unknown messages might be added to the chat in this case +// The last message of a chat was changed type UpdateChatLastMessage struct { - meta - // Chat identifier - ChatId int64 `json:"chat_id"` - // The new last message in the chat; may be null - LastMessage *Message `json:"last_message"` - // The new chat positions in the chat lists - Positions []*ChatPosition `json:"positions"` + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // The new last message in the chat; may be null if the last message became unknown. While the last message is unknown, new messages can be added to the chat without corresponding updateNewMessage update + LastMessage *Message `json:"last_message"` + // The new chat positions in the chat lists + Positions []*ChatPosition `json:"positions"` } func (entity *UpdateChatLastMessage) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateChatLastMessage + type stub UpdateChatLastMessage - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateChatLastMessage) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateChatLastMessage) GetType() string { - return TypeUpdateChatLastMessage + return TypeUpdateChatLastMessage } func (*UpdateChatLastMessage) UpdateType() string { - return TypeUpdateChatLastMessage + return TypeUpdateChatLastMessage } // The position of a chat in a chat list has changed. An updateChatLastMessage or updateChatDraftMessage update might be sent instead of the update type UpdateChatPosition struct { - meta - // Chat identifier - ChatId int64 `json:"chat_id"` - // New chat position. If new order is 0, then the chat needs to be removed from the list - Position *ChatPosition `json:"position"` + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // New chat position. If new order is 0, then the chat needs to be removed from the list + Position *ChatPosition `json:"position"` } func (entity *UpdateChatPosition) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateChatPosition + type stub UpdateChatPosition - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateChatPosition) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateChatPosition) GetType() string { - return TypeUpdateChatPosition + return TypeUpdateChatPosition } func (*UpdateChatPosition) UpdateType() string { - return TypeUpdateChatPosition + return TypeUpdateChatPosition +} + +// A chat was added to a chat list +type UpdateChatAddedToList struct { + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // The chat list to which the chat was added + ChatList ChatList `json:"chat_list"` +} + +func (entity *UpdateChatAddedToList) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateChatAddedToList + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateChatAddedToList) GetClass() string { + return ClassUpdate +} + +func (*UpdateChatAddedToList) GetType() string { + return TypeUpdateChatAddedToList +} + +func (*UpdateChatAddedToList) UpdateType() string { + return TypeUpdateChatAddedToList +} + +func (updateChatAddedToList *UpdateChatAddedToList) UnmarshalJSON(data []byte) error { + var tmp struct { + ChatId int64 `json:"chat_id"` + ChatList json.RawMessage `json:"chat_list"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + updateChatAddedToList.ChatId = tmp.ChatId + + fieldChatList, _ := UnmarshalChatList(tmp.ChatList) + updateChatAddedToList.ChatList = fieldChatList + + return nil +} + +// A chat was removed from a chat list +type UpdateChatRemovedFromList struct { + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // The chat list from which the chat was removed + ChatList ChatList `json:"chat_list"` +} + +func (entity *UpdateChatRemovedFromList) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateChatRemovedFromList + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateChatRemovedFromList) GetClass() string { + return ClassUpdate +} + +func (*UpdateChatRemovedFromList) GetType() string { + return TypeUpdateChatRemovedFromList +} + +func (*UpdateChatRemovedFromList) UpdateType() string { + return TypeUpdateChatRemovedFromList +} + +func (updateChatRemovedFromList *UpdateChatRemovedFromList) UnmarshalJSON(data []byte) error { + var tmp struct { + ChatId int64 `json:"chat_id"` + ChatList json.RawMessage `json:"chat_list"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + updateChatRemovedFromList.ChatId = tmp.ChatId + + fieldChatList, _ := UnmarshalChatList(tmp.ChatList) + updateChatRemovedFromList.ChatList = fieldChatList + + return nil } // Incoming messages were read or the number of unread messages has been changed type UpdateChatReadInbox struct { - meta - // Chat identifier - ChatId int64 `json:"chat_id"` - // Identifier of the last read incoming message - LastReadInboxMessageId int64 `json:"last_read_inbox_message_id"` - // The number of unread messages left in the chat - UnreadCount int32 `json:"unread_count"` + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // Identifier of the last read incoming message + LastReadInboxMessageId int64 `json:"last_read_inbox_message_id"` + // The number of unread messages left in the chat + UnreadCount int32 `json:"unread_count"` } func (entity *UpdateChatReadInbox) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateChatReadInbox + type stub UpdateChatReadInbox - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateChatReadInbox) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateChatReadInbox) GetType() string { - return TypeUpdateChatReadInbox + return TypeUpdateChatReadInbox } func (*UpdateChatReadInbox) UpdateType() string { - return TypeUpdateChatReadInbox + return TypeUpdateChatReadInbox } // Outgoing messages were read type UpdateChatReadOutbox struct { - meta - // Chat identifier - ChatId int64 `json:"chat_id"` - // Identifier of last read outgoing message - LastReadOutboxMessageId int64 `json:"last_read_outbox_message_id"` + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // Identifier of last read outgoing message + LastReadOutboxMessageId int64 `json:"last_read_outbox_message_id"` } func (entity *UpdateChatReadOutbox) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateChatReadOutbox + type stub UpdateChatReadOutbox - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateChatReadOutbox) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateChatReadOutbox) GetType() string { - return TypeUpdateChatReadOutbox + return TypeUpdateChatReadOutbox } func (*UpdateChatReadOutbox) UpdateType() string { - return TypeUpdateChatReadOutbox + return TypeUpdateChatReadOutbox } // The chat action bar was changed type UpdateChatActionBar struct { - meta - // Chat identifier - ChatId int64 `json:"chat_id"` - // The new value of the action bar; may be null - ActionBar ChatActionBar `json:"action_bar"` + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // The new value of the action bar; may be null + ActionBar ChatActionBar `json:"action_bar"` } func (entity *UpdateChatActionBar) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateChatActionBar + type stub UpdateChatActionBar - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateChatActionBar) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateChatActionBar) GetType() string { - return TypeUpdateChatActionBar + return TypeUpdateChatActionBar } func (*UpdateChatActionBar) UpdateType() string { - return TypeUpdateChatActionBar + return TypeUpdateChatActionBar } func (updateChatActionBar *UpdateChatActionBar) UnmarshalJSON(data []byte) error { - var tmp struct { - ChatId int64 `json:"chat_id"` - ActionBar json.RawMessage `json:"action_bar"` - } + var tmp struct { + ChatId int64 `json:"chat_id"` + ActionBar json.RawMessage `json:"action_bar"` + } - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - updateChatActionBar.ChatId = tmp.ChatId + updateChatActionBar.ChatId = tmp.ChatId - fieldActionBar, _ := UnmarshalChatActionBar(tmp.ActionBar) - updateChatActionBar.ActionBar = fieldActionBar + fieldActionBar, _ := UnmarshalChatActionBar(tmp.ActionBar) + updateChatActionBar.ActionBar = fieldActionBar - return nil + return nil +} + +// The bar for managing business bot was changed in a chat +type UpdateChatBusinessBotManageBar struct { + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // The new value of the business bot manage bar; may be null + BusinessBotManageBar *BusinessBotManageBar `json:"business_bot_manage_bar"` +} + +func (entity *UpdateChatBusinessBotManageBar) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateChatBusinessBotManageBar + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateChatBusinessBotManageBar) GetClass() string { + return ClassUpdate +} + +func (*UpdateChatBusinessBotManageBar) GetType() string { + return TypeUpdateChatBusinessBotManageBar +} + +func (*UpdateChatBusinessBotManageBar) UpdateType() string { + return TypeUpdateChatBusinessBotManageBar } // The chat available reactions were changed type UpdateChatAvailableReactions struct { - meta - // Chat identifier - ChatId int64 `json:"chat_id"` - // The new reactions, available in the chat - AvailableReactions ChatAvailableReactions `json:"available_reactions"` + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // The new reactions, available in the chat + AvailableReactions ChatAvailableReactions `json:"available_reactions"` } func (entity *UpdateChatAvailableReactions) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateChatAvailableReactions + type stub UpdateChatAvailableReactions - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateChatAvailableReactions) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateChatAvailableReactions) GetType() string { - return TypeUpdateChatAvailableReactions + return TypeUpdateChatAvailableReactions } func (*UpdateChatAvailableReactions) UpdateType() string { - return TypeUpdateChatAvailableReactions + return TypeUpdateChatAvailableReactions } func (updateChatAvailableReactions *UpdateChatAvailableReactions) UnmarshalJSON(data []byte) error { - var tmp struct { - ChatId int64 `json:"chat_id"` - AvailableReactions json.RawMessage `json:"available_reactions"` - } + var tmp struct { + ChatId int64 `json:"chat_id"` + AvailableReactions json.RawMessage `json:"available_reactions"` + } - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - updateChatAvailableReactions.ChatId = tmp.ChatId + updateChatAvailableReactions.ChatId = tmp.ChatId - fieldAvailableReactions, _ := UnmarshalChatAvailableReactions(tmp.AvailableReactions) - updateChatAvailableReactions.AvailableReactions = fieldAvailableReactions + fieldAvailableReactions, _ := UnmarshalChatAvailableReactions(tmp.AvailableReactions) + updateChatAvailableReactions.AvailableReactions = fieldAvailableReactions - return nil + return nil } // A chat draft has changed. Be aware that the update may come in the currently opened chat but with old content of the draft. If the user has changed the content of the draft, this update mustn't be applied type UpdateChatDraftMessage struct { - meta - // Chat identifier - ChatId int64 `json:"chat_id"` - // The new draft message; may be null - DraftMessage *DraftMessage `json:"draft_message"` - // The new chat positions in the chat lists - Positions []*ChatPosition `json:"positions"` + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // The new draft message; may be null if none + DraftMessage *DraftMessage `json:"draft_message"` + // The new chat positions in the chat lists + Positions []*ChatPosition `json:"positions"` } func (entity *UpdateChatDraftMessage) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateChatDraftMessage + type stub UpdateChatDraftMessage - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateChatDraftMessage) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateChatDraftMessage) GetType() string { - return TypeUpdateChatDraftMessage + return TypeUpdateChatDraftMessage } func (*UpdateChatDraftMessage) UpdateType() string { - return TypeUpdateChatDraftMessage + return TypeUpdateChatDraftMessage +} + +// Chat emoji status has changed +type UpdateChatEmojiStatus struct { + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // The new chat emoji status; may be null + EmojiStatus *EmojiStatus `json:"emoji_status"` +} + +func (entity *UpdateChatEmojiStatus) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateChatEmojiStatus + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateChatEmojiStatus) GetClass() string { + return ClassUpdate +} + +func (*UpdateChatEmojiStatus) GetType() string { + return TypeUpdateChatEmojiStatus +} + +func (*UpdateChatEmojiStatus) UpdateType() string { + return TypeUpdateChatEmojiStatus } // The message sender that is selected to send messages in a chat has changed type UpdateChatMessageSender struct { - meta - // Chat identifier - ChatId int64 `json:"chat_id"` - // New value of message_sender_id; may be null if the user can't change message sender - MessageSenderId MessageSender `json:"message_sender_id"` + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // New value of message_sender_id; may be null if the user can't change message sender + MessageSenderId MessageSender `json:"message_sender_id"` } func (entity *UpdateChatMessageSender) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateChatMessageSender + type stub UpdateChatMessageSender - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateChatMessageSender) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateChatMessageSender) GetType() string { - return TypeUpdateChatMessageSender + return TypeUpdateChatMessageSender } func (*UpdateChatMessageSender) UpdateType() string { - return TypeUpdateChatMessageSender + return TypeUpdateChatMessageSender } func (updateChatMessageSender *UpdateChatMessageSender) UnmarshalJSON(data []byte) error { - var tmp struct { - ChatId int64 `json:"chat_id"` - MessageSenderId json.RawMessage `json:"message_sender_id"` - } + var tmp struct { + ChatId int64 `json:"chat_id"` + MessageSenderId json.RawMessage `json:"message_sender_id"` + } - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - updateChatMessageSender.ChatId = tmp.ChatId + updateChatMessageSender.ChatId = tmp.ChatId - fieldMessageSenderId, _ := UnmarshalMessageSender(tmp.MessageSenderId) - updateChatMessageSender.MessageSenderId = fieldMessageSenderId + fieldMessageSenderId, _ := UnmarshalMessageSender(tmp.MessageSenderId) + updateChatMessageSender.MessageSenderId = fieldMessageSenderId - return nil + return nil } // The message auto-delete or self-destruct timer setting for a chat was changed type UpdateChatMessageAutoDeleteTime struct { - meta - // Chat identifier - ChatId int64 `json:"chat_id"` - // New value of message_auto_delete_time - MessageAutoDeleteTime int32 `json:"message_auto_delete_time"` + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // New value of message_auto_delete_time + MessageAutoDeleteTime int32 `json:"message_auto_delete_time"` } func (entity *UpdateChatMessageAutoDeleteTime) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateChatMessageAutoDeleteTime + type stub UpdateChatMessageAutoDeleteTime - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateChatMessageAutoDeleteTime) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateChatMessageAutoDeleteTime) GetType() string { - return TypeUpdateChatMessageAutoDeleteTime + return TypeUpdateChatMessageAutoDeleteTime } func (*UpdateChatMessageAutoDeleteTime) UpdateType() string { - return TypeUpdateChatMessageAutoDeleteTime + return TypeUpdateChatMessageAutoDeleteTime } // Notification settings for a chat were changed type UpdateChatNotificationSettings struct { - meta - // Chat identifier - ChatId int64 `json:"chat_id"` - // The new notification settings - NotificationSettings *ChatNotificationSettings `json:"notification_settings"` + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // The new notification settings + NotificationSettings *ChatNotificationSettings `json:"notification_settings"` } func (entity *UpdateChatNotificationSettings) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateChatNotificationSettings + type stub UpdateChatNotificationSettings - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateChatNotificationSettings) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateChatNotificationSettings) GetType() string { - return TypeUpdateChatNotificationSettings + return TypeUpdateChatNotificationSettings } func (*UpdateChatNotificationSettings) UpdateType() string { - return TypeUpdateChatNotificationSettings + return TypeUpdateChatNotificationSettings } // The chat pending join requests were changed type UpdateChatPendingJoinRequests struct { - meta - // Chat identifier - ChatId int64 `json:"chat_id"` - // The new data about pending join requests; may be null - PendingJoinRequests *ChatJoinRequestsInfo `json:"pending_join_requests"` + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // The new data about pending join requests; may be null + PendingJoinRequests *ChatJoinRequestsInfo `json:"pending_join_requests"` } func (entity *UpdateChatPendingJoinRequests) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateChatPendingJoinRequests + type stub UpdateChatPendingJoinRequests - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateChatPendingJoinRequests) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateChatPendingJoinRequests) GetType() string { - return TypeUpdateChatPendingJoinRequests + return TypeUpdateChatPendingJoinRequests } func (*UpdateChatPendingJoinRequests) UpdateType() string { - return TypeUpdateChatPendingJoinRequests + return TypeUpdateChatPendingJoinRequests } // The default chat reply markup was changed. Can occur because new messages with reply markup were received or because an old reply markup was hidden by the user type UpdateChatReplyMarkup struct { - meta - // Chat identifier - ChatId int64 `json:"chat_id"` - // Identifier of the message from which reply markup needs to be used; 0 if there is no default custom reply markup in the chat - ReplyMarkupMessageId int64 `json:"reply_markup_message_id"` + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // Identifier of the message from which reply markup needs to be used; 0 if there is no default custom reply markup in the chat + ReplyMarkupMessageId int64 `json:"reply_markup_message_id"` } func (entity *UpdateChatReplyMarkup) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateChatReplyMarkup + type stub UpdateChatReplyMarkup - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateChatReplyMarkup) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateChatReplyMarkup) GetType() string { - return TypeUpdateChatReplyMarkup + return TypeUpdateChatReplyMarkup } func (*UpdateChatReplyMarkup) UpdateType() string { - return TypeUpdateChatReplyMarkup + return TypeUpdateChatReplyMarkup +} + +// The chat background was changed +type UpdateChatBackground struct { + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // The new chat background; may be null if background was reset to default + Background *ChatBackground `json:"background"` +} + +func (entity *UpdateChatBackground) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateChatBackground + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateChatBackground) GetClass() string { + return ClassUpdate +} + +func (*UpdateChatBackground) GetType() string { + return TypeUpdateChatBackground +} + +func (*UpdateChatBackground) UpdateType() string { + return TypeUpdateChatBackground } // The chat theme was changed type UpdateChatTheme struct { - meta - // Chat identifier - ChatId int64 `json:"chat_id"` - // The new name of the chat theme; may be empty if theme was reset to default - ThemeName string `json:"theme_name"` + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // The new theme of the chat; may be null if theme was reset to default + Theme ChatTheme `json:"theme"` } func (entity *UpdateChatTheme) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateChatTheme + type stub UpdateChatTheme - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateChatTheme) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateChatTheme) GetType() string { - return TypeUpdateChatTheme + return TypeUpdateChatTheme } func (*UpdateChatTheme) UpdateType() string { - return TypeUpdateChatTheme + return TypeUpdateChatTheme +} + +func (updateChatTheme *UpdateChatTheme) UnmarshalJSON(data []byte) error { + var tmp struct { + ChatId int64 `json:"chat_id"` + Theme json.RawMessage `json:"theme"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + updateChatTheme.ChatId = tmp.ChatId + + fieldTheme, _ := UnmarshalChatTheme(tmp.Theme) + updateChatTheme.Theme = fieldTheme + + return nil } // The chat unread_mention_count has changed type UpdateChatUnreadMentionCount struct { - meta - // Chat identifier - ChatId int64 `json:"chat_id"` - // The number of unread mention messages left in the chat - UnreadMentionCount int32 `json:"unread_mention_count"` + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // The number of unread mention messages left in the chat + UnreadMentionCount int32 `json:"unread_mention_count"` } func (entity *UpdateChatUnreadMentionCount) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateChatUnreadMentionCount + type stub UpdateChatUnreadMentionCount - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateChatUnreadMentionCount) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateChatUnreadMentionCount) GetType() string { - return TypeUpdateChatUnreadMentionCount + return TypeUpdateChatUnreadMentionCount } func (*UpdateChatUnreadMentionCount) UpdateType() string { - return TypeUpdateChatUnreadMentionCount + return TypeUpdateChatUnreadMentionCount } // The chat unread_reaction_count has changed type UpdateChatUnreadReactionCount struct { - meta - // Chat identifier - ChatId int64 `json:"chat_id"` - // The number of messages with unread reactions left in the chat - UnreadReactionCount int32 `json:"unread_reaction_count"` + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // The number of messages with unread reactions left in the chat + UnreadReactionCount int32 `json:"unread_reaction_count"` } func (entity *UpdateChatUnreadReactionCount) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateChatUnreadReactionCount + type stub UpdateChatUnreadReactionCount - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateChatUnreadReactionCount) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateChatUnreadReactionCount) GetType() string { - return TypeUpdateChatUnreadReactionCount + return TypeUpdateChatUnreadReactionCount } func (*UpdateChatUnreadReactionCount) UpdateType() string { - return TypeUpdateChatUnreadReactionCount + return TypeUpdateChatUnreadReactionCount } // A chat video chat state has changed type UpdateChatVideoChat struct { - meta - // Chat identifier - ChatId int64 `json:"chat_id"` - // New value of video_chat - VideoChat *VideoChat `json:"video_chat"` + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // New value of video_chat + VideoChat *VideoChat `json:"video_chat"` } func (entity *UpdateChatVideoChat) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateChatVideoChat + type stub UpdateChatVideoChat - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateChatVideoChat) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateChatVideoChat) GetType() string { - return TypeUpdateChatVideoChat + return TypeUpdateChatVideoChat } func (*UpdateChatVideoChat) UpdateType() string { - return TypeUpdateChatVideoChat + return TypeUpdateChatVideoChat } // The value of the default disable_notification parameter, used when a message is sent to the chat, was changed type UpdateChatDefaultDisableNotification struct { - meta - // Chat identifier - ChatId int64 `json:"chat_id"` - // The new default_disable_notification value - DefaultDisableNotification bool `json:"default_disable_notification"` + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // The new default_disable_notification value + DefaultDisableNotification bool `json:"default_disable_notification"` } func (entity *UpdateChatDefaultDisableNotification) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateChatDefaultDisableNotification + type stub UpdateChatDefaultDisableNotification - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateChatDefaultDisableNotification) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateChatDefaultDisableNotification) GetType() string { - return TypeUpdateChatDefaultDisableNotification + return TypeUpdateChatDefaultDisableNotification } func (*UpdateChatDefaultDisableNotification) UpdateType() string { - return TypeUpdateChatDefaultDisableNotification + return TypeUpdateChatDefaultDisableNotification } // A chat content was allowed or restricted for saving type UpdateChatHasProtectedContent struct { - meta - // Chat identifier - ChatId int64 `json:"chat_id"` - // New value of has_protected_content - HasProtectedContent bool `json:"has_protected_content"` + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // New value of has_protected_content + HasProtectedContent bool `json:"has_protected_content"` } func (entity *UpdateChatHasProtectedContent) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateChatHasProtectedContent + type stub UpdateChatHasProtectedContent - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateChatHasProtectedContent) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateChatHasProtectedContent) GetType() string { - return TypeUpdateChatHasProtectedContent + return TypeUpdateChatHasProtectedContent } func (*UpdateChatHasProtectedContent) UpdateType() string { - return TypeUpdateChatHasProtectedContent + return TypeUpdateChatHasProtectedContent } // Translation of chat messages was enabled or disabled type UpdateChatIsTranslatable struct { - meta - // Chat identifier - ChatId int64 `json:"chat_id"` - // New value of is_translatable - IsTranslatable bool `json:"is_translatable"` + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // New value of is_translatable + IsTranslatable bool `json:"is_translatable"` } func (entity *UpdateChatIsTranslatable) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateChatIsTranslatable + type stub UpdateChatIsTranslatable - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateChatIsTranslatable) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateChatIsTranslatable) GetType() string { - return TypeUpdateChatIsTranslatable + return TypeUpdateChatIsTranslatable } func (*UpdateChatIsTranslatable) UpdateType() string { - return TypeUpdateChatIsTranslatable + return TypeUpdateChatIsTranslatable } // A chat was marked as unread or was read type UpdateChatIsMarkedAsUnread struct { - meta - // Chat identifier - ChatId int64 `json:"chat_id"` - // New value of is_marked_as_unread - IsMarkedAsUnread bool `json:"is_marked_as_unread"` + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // New value of is_marked_as_unread + IsMarkedAsUnread bool `json:"is_marked_as_unread"` } func (entity *UpdateChatIsMarkedAsUnread) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateChatIsMarkedAsUnread + type stub UpdateChatIsMarkedAsUnread - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateChatIsMarkedAsUnread) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateChatIsMarkedAsUnread) GetType() string { - return TypeUpdateChatIsMarkedAsUnread + return TypeUpdateChatIsMarkedAsUnread } func (*UpdateChatIsMarkedAsUnread) UpdateType() string { - return TypeUpdateChatIsMarkedAsUnread + return TypeUpdateChatIsMarkedAsUnread +} + +// A chat default appearance has changed +type UpdateChatViewAsTopics struct { + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // New value of view_as_topics + ViewAsTopics bool `json:"view_as_topics"` +} + +func (entity *UpdateChatViewAsTopics) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateChatViewAsTopics + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateChatViewAsTopics) GetClass() string { + return ClassUpdate +} + +func (*UpdateChatViewAsTopics) GetType() string { + return TypeUpdateChatViewAsTopics +} + +func (*UpdateChatViewAsTopics) UpdateType() string { + return TypeUpdateChatViewAsTopics } // A chat was blocked or unblocked -type UpdateChatIsBlocked struct { - meta - // Chat identifier - ChatId int64 `json:"chat_id"` - // New value of is_blocked - IsBlocked bool `json:"is_blocked"` +type UpdateChatBlockList struct { + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // Block list to which the chat is added; may be null if none + BlockList BlockList `json:"block_list"` } -func (entity *UpdateChatIsBlocked) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *UpdateChatBlockList) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub UpdateChatIsBlocked + type stub UpdateChatBlockList - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*UpdateChatIsBlocked) GetClass() string { - return ClassUpdate +func (*UpdateChatBlockList) GetClass() string { + return ClassUpdate } -func (*UpdateChatIsBlocked) GetType() string { - return TypeUpdateChatIsBlocked +func (*UpdateChatBlockList) GetType() string { + return TypeUpdateChatBlockList } -func (*UpdateChatIsBlocked) UpdateType() string { - return TypeUpdateChatIsBlocked +func (*UpdateChatBlockList) UpdateType() string { + return TypeUpdateChatBlockList +} + +func (updateChatBlockList *UpdateChatBlockList) UnmarshalJSON(data []byte) error { + var tmp struct { + ChatId int64 `json:"chat_id"` + BlockList json.RawMessage `json:"block_list"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + updateChatBlockList.ChatId = tmp.ChatId + + fieldBlockList, _ := UnmarshalBlockList(tmp.BlockList) + updateChatBlockList.BlockList = fieldBlockList + + return nil } // A chat's has_scheduled_messages field has changed type UpdateChatHasScheduledMessages struct { - meta - // Chat identifier - ChatId int64 `json:"chat_id"` - // New value of has_scheduled_messages - HasScheduledMessages bool `json:"has_scheduled_messages"` + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // New value of has_scheduled_messages + HasScheduledMessages bool `json:"has_scheduled_messages"` } func (entity *UpdateChatHasScheduledMessages) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateChatHasScheduledMessages + type stub UpdateChatHasScheduledMessages - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateChatHasScheduledMessages) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateChatHasScheduledMessages) GetType() string { - return TypeUpdateChatHasScheduledMessages + return TypeUpdateChatHasScheduledMessages } func (*UpdateChatHasScheduledMessages) UpdateType() string { - return TypeUpdateChatHasScheduledMessages + return TypeUpdateChatHasScheduledMessages } -// The list of chat filters or a chat filter has changed -type UpdateChatFilters struct { - meta - // The new list of chat filters - ChatFilters []*ChatFilterInfo `json:"chat_filters"` - // Position of the main chat list among chat filters, 0-based - MainChatListPosition int32 `json:"main_chat_list_position"` +// The list of chat folders or a chat folder has changed +type UpdateChatFolders struct { + meta + // The new list of chat folders + ChatFolders []*ChatFolderInfo `json:"chat_folders"` + // Position of the main chat list among chat folders, 0-based + MainChatListPosition int32 `json:"main_chat_list_position"` + // True, if folder tags are enabled + AreTagsEnabled bool `json:"are_tags_enabled"` } -func (entity *UpdateChatFilters) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *UpdateChatFolders) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub UpdateChatFilters + type stub UpdateChatFolders - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*UpdateChatFilters) GetClass() string { - return ClassUpdate +func (*UpdateChatFolders) GetClass() string { + return ClassUpdate } -func (*UpdateChatFilters) GetType() string { - return TypeUpdateChatFilters +func (*UpdateChatFolders) GetType() string { + return TypeUpdateChatFolders } -func (*UpdateChatFilters) UpdateType() string { - return TypeUpdateChatFilters +func (*UpdateChatFolders) UpdateType() string { + return TypeUpdateChatFolders } -// The number of online group members has changed. This update with non-zero number of online group members is sent only for currently opened chats. There is no guarantee that it will be sent just after the number of online users has changed +// The number of online group members has changed. This update with non-zero number of online group members is sent only for currently opened chats. There is no guarantee that it is sent just after the number of online users has changed type UpdateChatOnlineMemberCount struct { - meta - // Identifier of the chat - ChatId int64 `json:"chat_id"` - // New number of online members in the chat, or 0 if unknown - OnlineMemberCount int32 `json:"online_member_count"` + meta + // Identifier of the chat + ChatId int64 `json:"chat_id"` + // New number of online members in the chat, or 0 if unknown + OnlineMemberCount int32 `json:"online_member_count"` } func (entity *UpdateChatOnlineMemberCount) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateChatOnlineMemberCount + type stub UpdateChatOnlineMemberCount - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateChatOnlineMemberCount) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateChatOnlineMemberCount) GetType() string { - return TypeUpdateChatOnlineMemberCount + return TypeUpdateChatOnlineMemberCount } func (*UpdateChatOnlineMemberCount) UpdateType() string { - return TypeUpdateChatOnlineMemberCount + return TypeUpdateChatOnlineMemberCount +} + +// Basic information about a Saved Messages topic has changed. This update is guaranteed to come before the topic identifier is returned to the application +type UpdateSavedMessagesTopic struct { + meta + // New data about the topic + Topic *SavedMessagesTopic `json:"topic"` +} + +func (entity *UpdateSavedMessagesTopic) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateSavedMessagesTopic + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateSavedMessagesTopic) GetClass() string { + return ClassUpdate +} + +func (*UpdateSavedMessagesTopic) GetType() string { + return TypeUpdateSavedMessagesTopic +} + +func (*UpdateSavedMessagesTopic) UpdateType() string { + return TypeUpdateSavedMessagesTopic +} + +// Number of Saved Messages topics has changed +type UpdateSavedMessagesTopicCount struct { + meta + // Approximate total number of Saved Messages topics + TopicCount int32 `json:"topic_count"` +} + +func (entity *UpdateSavedMessagesTopicCount) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateSavedMessagesTopicCount + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateSavedMessagesTopicCount) GetClass() string { + return ClassUpdate +} + +func (*UpdateSavedMessagesTopicCount) GetType() string { + return TypeUpdateSavedMessagesTopicCount +} + +func (*UpdateSavedMessagesTopicCount) UpdateType() string { + return TypeUpdateSavedMessagesTopicCount +} + +// Basic information about a topic in a channel direct messages chat administered by the current user has changed. This update is guaranteed to come before the topic identifier is returned to the application +type UpdateDirectMessagesChatTopic struct { + meta + // New data about the topic + Topic *DirectMessagesChatTopic `json:"topic"` +} + +func (entity *UpdateDirectMessagesChatTopic) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateDirectMessagesChatTopic + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateDirectMessagesChatTopic) GetClass() string { + return ClassUpdate +} + +func (*UpdateDirectMessagesChatTopic) GetType() string { + return TypeUpdateDirectMessagesChatTopic +} + +func (*UpdateDirectMessagesChatTopic) UpdateType() string { + return TypeUpdateDirectMessagesChatTopic +} + +// Number of messages in a topic has changed; for Saved Messages and channel direct messages chat topics only +type UpdateTopicMessageCount struct { + meta + // Identifier of the chat in topic of which the number of messages has changed + ChatId int64 `json:"chat_id"` + // Identifier of the topic + TopicId MessageTopic `json:"topic_id"` + // Approximate number of messages in the topic + MessageCount int32 `json:"message_count"` +} + +func (entity *UpdateTopicMessageCount) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateTopicMessageCount + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateTopicMessageCount) GetClass() string { + return ClassUpdate +} + +func (*UpdateTopicMessageCount) GetType() string { + return TypeUpdateTopicMessageCount +} + +func (*UpdateTopicMessageCount) UpdateType() string { + return TypeUpdateTopicMessageCount +} + +func (updateTopicMessageCount *UpdateTopicMessageCount) UnmarshalJSON(data []byte) error { + var tmp struct { + ChatId int64 `json:"chat_id"` + TopicId json.RawMessage `json:"topic_id"` + MessageCount int32 `json:"message_count"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + updateTopicMessageCount.ChatId = tmp.ChatId + updateTopicMessageCount.MessageCount = tmp.MessageCount + + fieldTopicId, _ := UnmarshalMessageTopic(tmp.TopicId) + updateTopicMessageCount.TopicId = fieldTopicId + + return nil +} + +// Basic information about a quick reply shortcut has changed. This update is guaranteed to come before the quick shortcut name is returned to the application +type UpdateQuickReplyShortcut struct { + meta + // New data about the shortcut + Shortcut *QuickReplyShortcut `json:"shortcut"` +} + +func (entity *UpdateQuickReplyShortcut) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateQuickReplyShortcut + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateQuickReplyShortcut) GetClass() string { + return ClassUpdate +} + +func (*UpdateQuickReplyShortcut) GetType() string { + return TypeUpdateQuickReplyShortcut +} + +func (*UpdateQuickReplyShortcut) UpdateType() string { + return TypeUpdateQuickReplyShortcut +} + +// A quick reply shortcut and all its messages were deleted +type UpdateQuickReplyShortcutDeleted struct { + meta + // The identifier of the deleted shortcut + ShortcutId int32 `json:"shortcut_id"` +} + +func (entity *UpdateQuickReplyShortcutDeleted) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateQuickReplyShortcutDeleted + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateQuickReplyShortcutDeleted) GetClass() string { + return ClassUpdate +} + +func (*UpdateQuickReplyShortcutDeleted) GetType() string { + return TypeUpdateQuickReplyShortcutDeleted +} + +func (*UpdateQuickReplyShortcutDeleted) UpdateType() string { + return TypeUpdateQuickReplyShortcutDeleted +} + +// The list of quick reply shortcuts has changed +type UpdateQuickReplyShortcuts struct { + meta + // The new list of identifiers of quick reply shortcuts + ShortcutIds []int32 `json:"shortcut_ids"` +} + +func (entity *UpdateQuickReplyShortcuts) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateQuickReplyShortcuts + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateQuickReplyShortcuts) GetClass() string { + return ClassUpdate +} + +func (*UpdateQuickReplyShortcuts) GetType() string { + return TypeUpdateQuickReplyShortcuts +} + +func (*UpdateQuickReplyShortcuts) UpdateType() string { + return TypeUpdateQuickReplyShortcuts +} + +// The list of quick reply shortcut messages has changed +type UpdateQuickReplyShortcutMessages struct { + meta + // The identifier of the shortcut + ShortcutId int32 `json:"shortcut_id"` + // The new list of quick reply messages for the shortcut in order from the first to the last sent + Messages []*QuickReplyMessage `json:"messages"` +} + +func (entity *UpdateQuickReplyShortcutMessages) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateQuickReplyShortcutMessages + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateQuickReplyShortcutMessages) GetClass() string { + return ClassUpdate +} + +func (*UpdateQuickReplyShortcutMessages) GetType() string { + return TypeUpdateQuickReplyShortcutMessages +} + +func (*UpdateQuickReplyShortcutMessages) UpdateType() string { + return TypeUpdateQuickReplyShortcutMessages } // Basic information about a topic in a forum chat was changed type UpdateForumTopicInfo struct { - meta - // Chat identifier - ChatId int64 `json:"chat_id"` - // New information about the topic - Info *ForumTopicInfo `json:"info"` + meta + // New information about the topic + Info *ForumTopicInfo `json:"info"` } func (entity *UpdateForumTopicInfo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateForumTopicInfo + type stub UpdateForumTopicInfo - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateForumTopicInfo) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateForumTopicInfo) GetType() string { - return TypeUpdateForumTopicInfo + return TypeUpdateForumTopicInfo } func (*UpdateForumTopicInfo) UpdateType() string { - return TypeUpdateForumTopicInfo + return TypeUpdateForumTopicInfo +} + +// Information about a topic in a forum chat was changed +type UpdateForumTopic struct { + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // Forum topic identifier of the topic + ForumTopicId int32 `json:"forum_topic_id"` + // True, if the topic is pinned in the topic list + IsPinned bool `json:"is_pinned"` + // Identifier of the last read incoming message + LastReadInboxMessageId int64 `json:"last_read_inbox_message_id"` + // Identifier of the last read outgoing message + LastReadOutboxMessageId int64 `json:"last_read_outbox_message_id"` + // Number of unread messages with a mention/reply in the topic + UnreadMentionCount int32 `json:"unread_mention_count"` + // Number of messages with unread reactions in the topic + UnreadReactionCount int32 `json:"unread_reaction_count"` + // Notification settings for the topic + NotificationSettings *ChatNotificationSettings `json:"notification_settings"` + // A draft of a message in the topic; may be null if none + DraftMessage *DraftMessage `json:"draft_message"` +} + +func (entity *UpdateForumTopic) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateForumTopic + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateForumTopic) GetClass() string { + return ClassUpdate +} + +func (*UpdateForumTopic) GetType() string { + return TypeUpdateForumTopic +} + +func (*UpdateForumTopic) UpdateType() string { + return TypeUpdateForumTopic } // Notification settings for some type of chats were updated type UpdateScopeNotificationSettings struct { - meta - // Types of chats for which notification settings were updated - Scope NotificationSettingsScope `json:"scope"` - // The new notification settings - NotificationSettings *ScopeNotificationSettings `json:"notification_settings"` + meta + // Types of chats for which notification settings were updated + Scope NotificationSettingsScope `json:"scope"` + // The new notification settings + NotificationSettings *ScopeNotificationSettings `json:"notification_settings"` } func (entity *UpdateScopeNotificationSettings) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateScopeNotificationSettings + type stub UpdateScopeNotificationSettings - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateScopeNotificationSettings) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateScopeNotificationSettings) GetType() string { - return TypeUpdateScopeNotificationSettings + return TypeUpdateScopeNotificationSettings } func (*UpdateScopeNotificationSettings) UpdateType() string { - return TypeUpdateScopeNotificationSettings + return TypeUpdateScopeNotificationSettings } func (updateScopeNotificationSettings *UpdateScopeNotificationSettings) UnmarshalJSON(data []byte) error { - var tmp struct { - Scope json.RawMessage `json:"scope"` - NotificationSettings *ScopeNotificationSettings `json:"notification_settings"` - } + var tmp struct { + Scope json.RawMessage `json:"scope"` + NotificationSettings *ScopeNotificationSettings `json:"notification_settings"` + } - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - updateScopeNotificationSettings.NotificationSettings = tmp.NotificationSettings + updateScopeNotificationSettings.NotificationSettings = tmp.NotificationSettings - fieldScope, _ := UnmarshalNotificationSettingsScope(tmp.Scope) - updateScopeNotificationSettings.Scope = fieldScope + fieldScope, _ := UnmarshalNotificationSettingsScope(tmp.Scope) + updateScopeNotificationSettings.Scope = fieldScope - return nil + return nil +} + +// Notification settings for reactions were updated +type UpdateReactionNotificationSettings struct { + meta + // The new notification settings + NotificationSettings *ReactionNotificationSettings `json:"notification_settings"` +} + +func (entity *UpdateReactionNotificationSettings) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateReactionNotificationSettings + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateReactionNotificationSettings) GetClass() string { + return ClassUpdate +} + +func (*UpdateReactionNotificationSettings) GetType() string { + return TypeUpdateReactionNotificationSettings +} + +func (*UpdateReactionNotificationSettings) UpdateType() string { + return TypeUpdateReactionNotificationSettings } // A notification was changed type UpdateNotification struct { - meta - // Unique notification group identifier - NotificationGroupId int32 `json:"notification_group_id"` - // Changed notification - Notification *Notification `json:"notification"` + meta + // Unique notification group identifier + NotificationGroupId int32 `json:"notification_group_id"` + // Changed notification + Notification *Notification `json:"notification"` } func (entity *UpdateNotification) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateNotification + type stub UpdateNotification - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateNotification) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateNotification) GetType() string { - return TypeUpdateNotification + return TypeUpdateNotification } func (*UpdateNotification) UpdateType() string { - return TypeUpdateNotification + return TypeUpdateNotification } // A list of active notifications in a notification group has changed type UpdateNotificationGroup struct { - meta - // Unique notification group identifier - NotificationGroupId int32 `json:"notification_group_id"` - // New type of the notification group - Type NotificationGroupType `json:"type"` - // Identifier of a chat to which all notifications in the group belong - ChatId int64 `json:"chat_id"` - // Chat identifier, which notification settings must be applied to the added notifications - NotificationSettingsChatId int64 `json:"notification_settings_chat_id"` - // Identifier of the notification sound to be played; 0 if sound is disabled - NotificationSoundId JsonInt64 `json:"notification_sound_id"` - // Total number of unread notifications in the group, can be bigger than number of active notifications - TotalCount int32 `json:"total_count"` - // List of added group notifications, sorted by notification ID - AddedNotifications []*Notification `json:"added_notifications"` - // Identifiers of removed group notifications, sorted by notification ID - RemovedNotificationIds []int32 `json:"removed_notification_ids"` + meta + // Unique notification group identifier + NotificationGroupId int32 `json:"notification_group_id"` + // New type of the notification group + Type NotificationGroupType `json:"type"` + // Identifier of a chat to which all notifications in the group belong + ChatId int64 `json:"chat_id"` + // Chat identifier, which notification settings must be applied to the added notifications + NotificationSettingsChatId int64 `json:"notification_settings_chat_id"` + // Identifier of the notification sound to be played; 0 if sound is disabled + NotificationSoundId JsonInt64 `json:"notification_sound_id"` + // Total number of unread notifications in the group, can be bigger than number of active notifications + TotalCount int32 `json:"total_count"` + // List of added group notifications, sorted by notification identifier + AddedNotifications []*Notification `json:"added_notifications"` + // Identifiers of removed group notifications, sorted by notification identifier + RemovedNotificationIds []int32 `json:"removed_notification_ids"` } func (entity *UpdateNotificationGroup) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateNotificationGroup + type stub UpdateNotificationGroup - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateNotificationGroup) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateNotificationGroup) GetType() string { - return TypeUpdateNotificationGroup + return TypeUpdateNotificationGroup } func (*UpdateNotificationGroup) UpdateType() string { - return TypeUpdateNotificationGroup + return TypeUpdateNotificationGroup } func (updateNotificationGroup *UpdateNotificationGroup) UnmarshalJSON(data []byte) error { - var tmp struct { - NotificationGroupId int32 `json:"notification_group_id"` - Type json.RawMessage `json:"type"` - ChatId int64 `json:"chat_id"` - NotificationSettingsChatId int64 `json:"notification_settings_chat_id"` - NotificationSoundId JsonInt64 `json:"notification_sound_id"` - TotalCount int32 `json:"total_count"` - AddedNotifications []*Notification `json:"added_notifications"` - RemovedNotificationIds []int32 `json:"removed_notification_ids"` - } + var tmp struct { + NotificationGroupId int32 `json:"notification_group_id"` + Type json.RawMessage `json:"type"` + ChatId int64 `json:"chat_id"` + NotificationSettingsChatId int64 `json:"notification_settings_chat_id"` + NotificationSoundId JsonInt64 `json:"notification_sound_id"` + TotalCount int32 `json:"total_count"` + AddedNotifications []*Notification `json:"added_notifications"` + RemovedNotificationIds []int32 `json:"removed_notification_ids"` + } - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - updateNotificationGroup.NotificationGroupId = tmp.NotificationGroupId - updateNotificationGroup.ChatId = tmp.ChatId - updateNotificationGroup.NotificationSettingsChatId = tmp.NotificationSettingsChatId - updateNotificationGroup.NotificationSoundId = tmp.NotificationSoundId - updateNotificationGroup.TotalCount = tmp.TotalCount - updateNotificationGroup.AddedNotifications = tmp.AddedNotifications - updateNotificationGroup.RemovedNotificationIds = tmp.RemovedNotificationIds + updateNotificationGroup.NotificationGroupId = tmp.NotificationGroupId + updateNotificationGroup.ChatId = tmp.ChatId + updateNotificationGroup.NotificationSettingsChatId = tmp.NotificationSettingsChatId + updateNotificationGroup.NotificationSoundId = tmp.NotificationSoundId + updateNotificationGroup.TotalCount = tmp.TotalCount + updateNotificationGroup.AddedNotifications = tmp.AddedNotifications + updateNotificationGroup.RemovedNotificationIds = tmp.RemovedNotificationIds - fieldType, _ := UnmarshalNotificationGroupType(tmp.Type) - updateNotificationGroup.Type = fieldType + fieldType, _ := UnmarshalNotificationGroupType(tmp.Type) + updateNotificationGroup.Type = fieldType - return nil + return nil } -// Contains active notifications that was shown on previous application launches. This update is sent only if the message database is used. In that case it comes once before any updateNotification and updateNotificationGroup update +// Contains active notifications that were shown on previous application launches. This update is sent only if the message database is used. In that case it comes once before any updateNotification and updateNotificationGroup update type UpdateActiveNotifications struct { - meta - // Lists of active notification groups - Groups []*NotificationGroup `json:"groups"` + meta + // Lists of active notification groups + Groups []*NotificationGroup `json:"groups"` } func (entity *UpdateActiveNotifications) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateActiveNotifications + type stub UpdateActiveNotifications - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateActiveNotifications) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateActiveNotifications) GetType() string { - return TypeUpdateActiveNotifications + return TypeUpdateActiveNotifications } func (*UpdateActiveNotifications) UpdateType() string { - return TypeUpdateActiveNotifications + return TypeUpdateActiveNotifications } // Describes whether there are some pending notification updates. Can be used to prevent application from killing, while there are some pending notifications type UpdateHavePendingNotifications struct { - meta - // True, if there are some delayed notification updates, which will be sent soon - HaveDelayedNotifications bool `json:"have_delayed_notifications"` - // True, if there can be some yet unreceived notifications, which are being fetched from the server - HaveUnreceivedNotifications bool `json:"have_unreceived_notifications"` + meta + // True, if there are some delayed notification updates, which will be sent soon + HaveDelayedNotifications bool `json:"have_delayed_notifications"` + // True, if there can be some yet unreceived notifications, which are being fetched from the server + HaveUnreceivedNotifications bool `json:"have_unreceived_notifications"` } func (entity *UpdateHavePendingNotifications) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateHavePendingNotifications + type stub UpdateHavePendingNotifications - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateHavePendingNotifications) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateHavePendingNotifications) GetType() string { - return TypeUpdateHavePendingNotifications + return TypeUpdateHavePendingNotifications } func (*UpdateHavePendingNotifications) UpdateType() string { - return TypeUpdateHavePendingNotifications + return TypeUpdateHavePendingNotifications } // Some messages were deleted type UpdateDeleteMessages struct { - meta - // Chat identifier - ChatId int64 `json:"chat_id"` - // Identifiers of the deleted messages - MessageIds []int64 `json:"message_ids"` - // True, if the messages are permanently deleted by a user (as opposed to just becoming inaccessible) - IsPermanent bool `json:"is_permanent"` - // True, if the messages are deleted only from the cache and can possibly be retrieved again in the future - FromCache bool `json:"from_cache"` + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // Identifiers of the deleted messages + MessageIds []int64 `json:"message_ids"` + // True, if the messages are permanently deleted by a user (as opposed to just becoming inaccessible) + IsPermanent bool `json:"is_permanent"` + // True, if the messages are deleted only from the cache and can possibly be retrieved again in the future + FromCache bool `json:"from_cache"` } func (entity *UpdateDeleteMessages) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateDeleteMessages + type stub UpdateDeleteMessages - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateDeleteMessages) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateDeleteMessages) GetType() string { - return TypeUpdateDeleteMessages + return TypeUpdateDeleteMessages } func (*UpdateDeleteMessages) UpdateType() string { - return TypeUpdateDeleteMessages + return TypeUpdateDeleteMessages } // A message sender activity in the chat has changed type UpdateChatAction struct { - meta - // Chat identifier - ChatId int64 `json:"chat_id"` - // If not 0, a message thread identifier in which the action was performed - MessageThreadId int64 `json:"message_thread_id"` - // Identifier of a message sender performing the action - SenderId MessageSender `json:"sender_id"` - // The action - Action ChatAction `json:"action"` + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // Identifier of the specific topic in which the action was performed; may be null if none + TopicId MessageTopic `json:"topic_id"` + // Identifier of a message sender performing the action + SenderId MessageSender `json:"sender_id"` + // The action + Action ChatAction `json:"action"` } func (entity *UpdateChatAction) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateChatAction + type stub UpdateChatAction - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateChatAction) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateChatAction) GetType() string { - return TypeUpdateChatAction + return TypeUpdateChatAction } func (*UpdateChatAction) UpdateType() string { - return TypeUpdateChatAction + return TypeUpdateChatAction } func (updateChatAction *UpdateChatAction) UnmarshalJSON(data []byte) error { - var tmp struct { - ChatId int64 `json:"chat_id"` - MessageThreadId int64 `json:"message_thread_id"` - SenderId json.RawMessage `json:"sender_id"` - Action json.RawMessage `json:"action"` - } + var tmp struct { + ChatId int64 `json:"chat_id"` + TopicId json.RawMessage `json:"topic_id"` + SenderId json.RawMessage `json:"sender_id"` + Action json.RawMessage `json:"action"` + } - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - updateChatAction.ChatId = tmp.ChatId - updateChatAction.MessageThreadId = tmp.MessageThreadId + updateChatAction.ChatId = tmp.ChatId - fieldSenderId, _ := UnmarshalMessageSender(tmp.SenderId) - updateChatAction.SenderId = fieldSenderId + fieldTopicId, _ := UnmarshalMessageTopic(tmp.TopicId) + updateChatAction.TopicId = fieldTopicId - fieldAction, _ := UnmarshalChatAction(tmp.Action) - updateChatAction.Action = fieldAction + fieldSenderId, _ := UnmarshalMessageSender(tmp.SenderId) + updateChatAction.SenderId = fieldSenderId - return nil + fieldAction, _ := UnmarshalChatAction(tmp.Action) + updateChatAction.Action = fieldAction + + return nil +} + +// A new pending text message was received in a chat with a bot. The message must be shown in the chat for at most getOption("pending_text_message_period") seconds, replace any other pending message with the same draft_id, and be deleted whenever any incoming message from the bot in the message thread is received +type UpdatePendingTextMessage struct { + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // The forum topic identifier in which the message will be sent; 0 if none + ForumTopicId int32 `json:"forum_topic_id"` + // Unique identifier of the message draft within the message thread + DraftId JsonInt64 `json:"draft_id"` + // Text of the pending message + Text *FormattedText `json:"text"` +} + +func (entity *UpdatePendingTextMessage) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdatePendingTextMessage + + return json.Marshal((*stub)(entity)) +} + +func (*UpdatePendingTextMessage) GetClass() string { + return ClassUpdate +} + +func (*UpdatePendingTextMessage) GetType() string { + return TypeUpdatePendingTextMessage +} + +func (*UpdatePendingTextMessage) UpdateType() string { + return TypeUpdatePendingTextMessage } // The user went online or offline type UpdateUserStatus struct { - meta - // User identifier - UserId int64 `json:"user_id"` - // New status of the user - Status UserStatus `json:"status"` + meta + // User identifier + UserId int64 `json:"user_id"` + // New status of the user + Status UserStatus `json:"status"` } func (entity *UpdateUserStatus) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateUserStatus + type stub UpdateUserStatus - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateUserStatus) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateUserStatus) GetType() string { - return TypeUpdateUserStatus + return TypeUpdateUserStatus } func (*UpdateUserStatus) UpdateType() string { - return TypeUpdateUserStatus + return TypeUpdateUserStatus } func (updateUserStatus *UpdateUserStatus) UnmarshalJSON(data []byte) error { - var tmp struct { - UserId int64 `json:"user_id"` - Status json.RawMessage `json:"status"` - } + var tmp struct { + UserId int64 `json:"user_id"` + Status json.RawMessage `json:"status"` + } - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - updateUserStatus.UserId = tmp.UserId + updateUserStatus.UserId = tmp.UserId - fieldStatus, _ := UnmarshalUserStatus(tmp.Status) - updateUserStatus.Status = fieldStatus + fieldStatus, _ := UnmarshalUserStatus(tmp.Status) + updateUserStatus.Status = fieldStatus - return nil + return nil } // Some data of a user has changed. This update is guaranteed to come before the user identifier is returned to the application type UpdateUser struct { - meta - // New data about the user - User *User `json:"user"` + meta + // New data about the user + User *User `json:"user"` } func (entity *UpdateUser) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateUser + type stub UpdateUser - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateUser) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateUser) GetType() string { - return TypeUpdateUser + return TypeUpdateUser } func (*UpdateUser) UpdateType() string { - return TypeUpdateUser + return TypeUpdateUser } // Some data of a basic group has changed. This update is guaranteed to come before the basic group identifier is returned to the application type UpdateBasicGroup struct { - meta - // New data about the group - BasicGroup *BasicGroup `json:"basic_group"` + meta + // New data about the group + BasicGroup *BasicGroup `json:"basic_group"` } func (entity *UpdateBasicGroup) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateBasicGroup + type stub UpdateBasicGroup - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateBasicGroup) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateBasicGroup) GetType() string { - return TypeUpdateBasicGroup + return TypeUpdateBasicGroup } func (*UpdateBasicGroup) UpdateType() string { - return TypeUpdateBasicGroup + return TypeUpdateBasicGroup } // Some data of a supergroup or a channel has changed. This update is guaranteed to come before the supergroup identifier is returned to the application type UpdateSupergroup struct { - meta - // New data about the supergroup - Supergroup *Supergroup `json:"supergroup"` + meta + // New data about the supergroup + Supergroup *Supergroup `json:"supergroup"` } func (entity *UpdateSupergroup) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateSupergroup + type stub UpdateSupergroup - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateSupergroup) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateSupergroup) GetType() string { - return TypeUpdateSupergroup + return TypeUpdateSupergroup } func (*UpdateSupergroup) UpdateType() string { - return TypeUpdateSupergroup + return TypeUpdateSupergroup } // Some data of a secret chat has changed. This update is guaranteed to come before the secret chat identifier is returned to the application type UpdateSecretChat struct { - meta - // New data about the secret chat - SecretChat *SecretChat `json:"secret_chat"` + meta + // New data about the secret chat + SecretChat *SecretChat `json:"secret_chat"` } func (entity *UpdateSecretChat) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateSecretChat + type stub UpdateSecretChat - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateSecretChat) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateSecretChat) GetType() string { - return TypeUpdateSecretChat + return TypeUpdateSecretChat } func (*UpdateSecretChat) UpdateType() string { - return TypeUpdateSecretChat + return TypeUpdateSecretChat } // Some data in userFullInfo has been changed type UpdateUserFullInfo struct { - meta - // User identifier - UserId int64 `json:"user_id"` - // New full information about the user - UserFullInfo *UserFullInfo `json:"user_full_info"` + meta + // User identifier + UserId int64 `json:"user_id"` + // New full information about the user + UserFullInfo *UserFullInfo `json:"user_full_info"` } func (entity *UpdateUserFullInfo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateUserFullInfo + type stub UpdateUserFullInfo - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateUserFullInfo) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateUserFullInfo) GetType() string { - return TypeUpdateUserFullInfo + return TypeUpdateUserFullInfo } func (*UpdateUserFullInfo) UpdateType() string { - return TypeUpdateUserFullInfo + return TypeUpdateUserFullInfo } // Some data in basicGroupFullInfo has been changed type UpdateBasicGroupFullInfo struct { - meta - // Identifier of a basic group - BasicGroupId int64 `json:"basic_group_id"` - // New full information about the group - BasicGroupFullInfo *BasicGroupFullInfo `json:"basic_group_full_info"` + meta + // Identifier of a basic group + BasicGroupId int64 `json:"basic_group_id"` + // New full information about the group + BasicGroupFullInfo *BasicGroupFullInfo `json:"basic_group_full_info"` } func (entity *UpdateBasicGroupFullInfo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateBasicGroupFullInfo + type stub UpdateBasicGroupFullInfo - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateBasicGroupFullInfo) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateBasicGroupFullInfo) GetType() string { - return TypeUpdateBasicGroupFullInfo + return TypeUpdateBasicGroupFullInfo } func (*UpdateBasicGroupFullInfo) UpdateType() string { - return TypeUpdateBasicGroupFullInfo + return TypeUpdateBasicGroupFullInfo } // Some data in supergroupFullInfo has been changed type UpdateSupergroupFullInfo struct { - meta - // Identifier of the supergroup or channel - SupergroupId int64 `json:"supergroup_id"` - // New full information about the supergroup - SupergroupFullInfo *SupergroupFullInfo `json:"supergroup_full_info"` + meta + // Identifier of the supergroup or channel + SupergroupId int64 `json:"supergroup_id"` + // New full information about the supergroup + SupergroupFullInfo *SupergroupFullInfo `json:"supergroup_full_info"` } func (entity *UpdateSupergroupFullInfo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateSupergroupFullInfo + type stub UpdateSupergroupFullInfo - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateSupergroupFullInfo) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateSupergroupFullInfo) GetType() string { - return TypeUpdateSupergroupFullInfo + return TypeUpdateSupergroupFullInfo } func (*UpdateSupergroupFullInfo) UpdateType() string { - return TypeUpdateSupergroupFullInfo + return TypeUpdateSupergroupFullInfo } // A service notification from the server was received. Upon receiving this the application must show a popup with the content of the notification type UpdateServiceNotification struct { - meta - // Notification type. If type begins with "AUTH_KEY_DROP_", then two buttons "Cancel" and "Log out" must be shown under notification; if user presses the second, all local data must be destroyed using Destroy method - Type string `json:"type"` - // Notification content - Content MessageContent `json:"content"` + meta + // Notification type. If type begins with "AUTH_KEY_DROP_", then two buttons "Cancel" and "Log out" must be shown under notification; if user presses the second, all local data must be destroyed using Destroy method + Type string `json:"type"` + // Notification content + Content MessageContent `json:"content"` } func (entity *UpdateServiceNotification) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateServiceNotification + type stub UpdateServiceNotification - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateServiceNotification) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateServiceNotification) GetType() string { - return TypeUpdateServiceNotification + return TypeUpdateServiceNotification } func (*UpdateServiceNotification) UpdateType() string { - return TypeUpdateServiceNotification + return TypeUpdateServiceNotification } func (updateServiceNotification *UpdateServiceNotification) UnmarshalJSON(data []byte) error { - var tmp struct { - Type string `json:"type"` - Content json.RawMessage `json:"content"` - } + var tmp struct { + Type string `json:"type"` + Content json.RawMessage `json:"content"` + } - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - updateServiceNotification.Type = tmp.Type + updateServiceNotification.Type = tmp.Type - fieldContent, _ := UnmarshalMessageContent(tmp.Content) - updateServiceNotification.Content = fieldContent + fieldContent, _ := UnmarshalMessageContent(tmp.Content) + updateServiceNotification.Content = fieldContent - return nil + return nil } // Information about a file was updated type UpdateFile struct { - meta - // New data about the file - File *File `json:"file"` + meta + // New data about the file + File *File `json:"file"` } func (entity *UpdateFile) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateFile + type stub UpdateFile - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateFile) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateFile) GetType() string { - return TypeUpdateFile + return TypeUpdateFile } func (*UpdateFile) UpdateType() string { - return TypeUpdateFile + return TypeUpdateFile } -// The file generation process needs to be started by the application +// The file generation process needs to be started by the application. Use setFileGenerationProgress and finishFileGeneration to generate the file type UpdateFileGenerationStart struct { - meta - // Unique identifier for the generation process - GenerationId JsonInt64 `json:"generation_id"` - // The path to a file from which a new file is generated; may be empty - OriginalPath string `json:"original_path"` - // The path to a file that must be created and where the new file is generated - DestinationPath string `json:"destination_path"` - // String specifying the conversion applied to the original file. If conversion is "#url#" than original_path contains an HTTP/HTTPS URL of a file, which must be downloaded by the application - Conversion string `json:"conversion"` + meta + // Unique identifier for the generation process + GenerationId JsonInt64 `json:"generation_id"` + // The original path specified by the application in inputFileGenerated + OriginalPath string `json:"original_path"` + // The path to a file that must be created and where the new file must be generated by the application. If the application has no access to the path, it can use writeGeneratedFilePart to generate the file + DestinationPath string `json:"destination_path"` + // If the conversion is "#url#" than original_path contains an HTTP/HTTPS URL of a file that must be downloaded by the application. Otherwise, this is the conversion specified by the application in inputFileGenerated + Conversion string `json:"conversion"` } func (entity *UpdateFileGenerationStart) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateFileGenerationStart + type stub UpdateFileGenerationStart - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateFileGenerationStart) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateFileGenerationStart) GetType() string { - return TypeUpdateFileGenerationStart + return TypeUpdateFileGenerationStart } func (*UpdateFileGenerationStart) UpdateType() string { - return TypeUpdateFileGenerationStart + return TypeUpdateFileGenerationStart } // File generation is no longer needed type UpdateFileGenerationStop struct { - meta - // Unique identifier for the generation process - GenerationId JsonInt64 `json:"generation_id"` + meta + // Unique identifier for the generation process + GenerationId JsonInt64 `json:"generation_id"` } func (entity *UpdateFileGenerationStop) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateFileGenerationStop + type stub UpdateFileGenerationStop - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateFileGenerationStop) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateFileGenerationStop) GetType() string { - return TypeUpdateFileGenerationStop + return TypeUpdateFileGenerationStop } func (*UpdateFileGenerationStop) UpdateType() string { - return TypeUpdateFileGenerationStop + return TypeUpdateFileGenerationStop } // The state of the file download list has changed type UpdateFileDownloads struct { - meta - // Total size of files in the file download list, in bytes - TotalSize int64 `json:"total_size"` - // Total number of files in the file download list - TotalCount int32 `json:"total_count"` - // Total downloaded size of files in the file download list, in bytes - DownloadedSize int64 `json:"downloaded_size"` + meta + // Total size of files in the file download list, in bytes + TotalSize int64 `json:"total_size"` + // Total number of files in the file download list + TotalCount int32 `json:"total_count"` + // Total downloaded size of files in the file download list, in bytes + DownloadedSize int64 `json:"downloaded_size"` } func (entity *UpdateFileDownloads) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateFileDownloads + type stub UpdateFileDownloads - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateFileDownloads) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateFileDownloads) GetType() string { - return TypeUpdateFileDownloads + return TypeUpdateFileDownloads } func (*UpdateFileDownloads) UpdateType() string { - return TypeUpdateFileDownloads + return TypeUpdateFileDownloads } // A file was added to the file download list. This update is sent only after file download list is loaded for the first time type UpdateFileAddedToDownloads struct { - meta - // The added file download - FileDownload *FileDownload `json:"file_download"` - // New number of being downloaded and recently downloaded files found - Counts *DownloadedFileCounts `json:"counts"` + meta + // The added file download + FileDownload *FileDownload `json:"file_download"` + // New number of being downloaded and recently downloaded files found + Counts *DownloadedFileCounts `json:"counts"` } func (entity *UpdateFileAddedToDownloads) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateFileAddedToDownloads + type stub UpdateFileAddedToDownloads - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateFileAddedToDownloads) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateFileAddedToDownloads) GetType() string { - return TypeUpdateFileAddedToDownloads + return TypeUpdateFileAddedToDownloads } func (*UpdateFileAddedToDownloads) UpdateType() string { - return TypeUpdateFileAddedToDownloads + return TypeUpdateFileAddedToDownloads } // A file download was changed. This update is sent only after file download list is loaded for the first time type UpdateFileDownload struct { - meta - // File identifier - FileId int32 `json:"file_id"` - // Point in time (Unix timestamp) when the file downloading was completed; 0 if the file downloading isn't completed - CompleteDate int32 `json:"complete_date"` - // True, if downloading of the file is paused - IsPaused bool `json:"is_paused"` - // New number of being downloaded and recently downloaded files found - Counts *DownloadedFileCounts `json:"counts"` + meta + // File identifier + FileId int32 `json:"file_id"` + // Point in time (Unix timestamp) when the file downloading was completed; 0 if the file downloading isn't completed + CompleteDate int32 `json:"complete_date"` + // True, if downloading of the file is paused + IsPaused bool `json:"is_paused"` + // New number of being downloaded and recently downloaded files found + Counts *DownloadedFileCounts `json:"counts"` } func (entity *UpdateFileDownload) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateFileDownload + type stub UpdateFileDownload - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateFileDownload) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateFileDownload) GetType() string { - return TypeUpdateFileDownload + return TypeUpdateFileDownload } func (*UpdateFileDownload) UpdateType() string { - return TypeUpdateFileDownload + return TypeUpdateFileDownload } // A file was removed from the file download list. This update is sent only after file download list is loaded for the first time type UpdateFileRemovedFromDownloads struct { - meta - // File identifier - FileId int32 `json:"file_id"` - // New number of being downloaded and recently downloaded files found - Counts *DownloadedFileCounts `json:"counts"` + meta + // File identifier + FileId int32 `json:"file_id"` + // New number of being downloaded and recently downloaded files found + Counts *DownloadedFileCounts `json:"counts"` } func (entity *UpdateFileRemovedFromDownloads) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateFileRemovedFromDownloads + type stub UpdateFileRemovedFromDownloads - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateFileRemovedFromDownloads) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateFileRemovedFromDownloads) GetType() string { - return TypeUpdateFileRemovedFromDownloads + return TypeUpdateFileRemovedFromDownloads } func (*UpdateFileRemovedFromDownloads) UpdateType() string { - return TypeUpdateFileRemovedFromDownloads + return TypeUpdateFileRemovedFromDownloads +} + +// A request can't be completed unless application verification is performed; for official mobile applications only. The method setApplicationVerificationToken must be called once the verification is completed or failed +type UpdateApplicationVerificationRequired struct { + meta + // Unique identifier for the verification process + VerificationId int64 `json:"verification_id"` + // Unique base64url-encoded nonce for the classic Play Integrity verification (https://developer.android.com/google/play/integrity/classic) for Android, or a unique string to compare with verify_nonce field from a push notification for iOS + Nonce string `json:"nonce"` + // Cloud project number to pass to the Play Integrity API on Android + CloudProjectNumber JsonInt64 `json:"cloud_project_number"` +} + +func (entity *UpdateApplicationVerificationRequired) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateApplicationVerificationRequired + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateApplicationVerificationRequired) GetClass() string { + return ClassUpdate +} + +func (*UpdateApplicationVerificationRequired) GetType() string { + return TypeUpdateApplicationVerificationRequired +} + +func (*UpdateApplicationVerificationRequired) UpdateType() string { + return TypeUpdateApplicationVerificationRequired +} + +// A request can't be completed unless reCAPTCHA verification is performed; for official mobile applications only. The method setApplicationVerificationToken must be called once the verification is completed or failed +type UpdateApplicationRecaptchaVerificationRequired struct { + meta + // Unique identifier for the verification process + VerificationId int64 `json:"verification_id"` + // The action for the check + Action string `json:"action"` + // Identifier of the reCAPTCHA key + RecaptchaKeyId string `json:"recaptcha_key_id"` +} + +func (entity *UpdateApplicationRecaptchaVerificationRequired) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateApplicationRecaptchaVerificationRequired + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateApplicationRecaptchaVerificationRequired) GetClass() string { + return ClassUpdate +} + +func (*UpdateApplicationRecaptchaVerificationRequired) GetType() string { + return TypeUpdateApplicationRecaptchaVerificationRequired +} + +func (*UpdateApplicationRecaptchaVerificationRequired) UpdateType() string { + return TypeUpdateApplicationRecaptchaVerificationRequired } // New call was created or information about a call was updated type UpdateCall struct { - meta - // New data about a call - Call *Call `json:"call"` + meta + // New data about a call + Call *Call `json:"call"` } func (entity *UpdateCall) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateCall + type stub UpdateCall - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateCall) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateCall) GetType() string { - return TypeUpdateCall + return TypeUpdateCall } func (*UpdateCall) UpdateType() string { - return TypeUpdateCall + return TypeUpdateCall } // Information about a group call was updated type UpdateGroupCall struct { - meta - // New data about a group call - GroupCall *GroupCall `json:"group_call"` + meta + // New data about the group call + GroupCall *GroupCall `json:"group_call"` } func (entity *UpdateGroupCall) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateGroupCall + type stub UpdateGroupCall - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateGroupCall) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateGroupCall) GetType() string { - return TypeUpdateGroupCall + return TypeUpdateGroupCall } func (*UpdateGroupCall) UpdateType() string { - return TypeUpdateGroupCall + return TypeUpdateGroupCall } // Information about a group call participant was changed. The updates are sent only after the group call is received through getGroupCall and only if the call is joined or being joined type UpdateGroupCallParticipant struct { - meta - // Identifier of group call - GroupCallId int32 `json:"group_call_id"` - // New data about a participant - Participant *GroupCallParticipant `json:"participant"` + meta + // Identifier of the group call + GroupCallId int32 `json:"group_call_id"` + // New data about the participant + Participant *GroupCallParticipant `json:"participant"` } func (entity *UpdateGroupCallParticipant) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateGroupCallParticipant + type stub UpdateGroupCallParticipant - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateGroupCallParticipant) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateGroupCallParticipant) GetType() string { - return TypeUpdateGroupCallParticipant + return TypeUpdateGroupCallParticipant } func (*UpdateGroupCallParticipant) UpdateType() string { - return TypeUpdateGroupCallParticipant + return TypeUpdateGroupCallParticipant +} + +// The list of group call participants that can send and receive encrypted call data has changed; for group calls not bound to a chat only +type UpdateGroupCallParticipants struct { + meta + // Identifier of the group call + GroupCallId int32 `json:"group_call_id"` + // New list of group call participant user identifiers. The identifiers may be invalid or the corresponding users may be unknown. The participants must be shown in the list of group call participants even if there is no information about them + ParticipantUserIds []JsonInt64 `json:"participant_user_ids"` +} + +func (entity *UpdateGroupCallParticipants) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateGroupCallParticipants + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateGroupCallParticipants) GetClass() string { + return ClassUpdate +} + +func (*UpdateGroupCallParticipants) GetType() string { + return TypeUpdateGroupCallParticipants +} + +func (*UpdateGroupCallParticipants) UpdateType() string { + return TypeUpdateGroupCallParticipants +} + +// The verification state of an encrypted group call has changed; for group calls not bound to a chat only +type UpdateGroupCallVerificationState struct { + meta + // Identifier of the group call + GroupCallId int32 `json:"group_call_id"` + // The call state generation to which the emoji corresponds. If generation is different for two users, then their emoji may be also different + Generation int32 `json:"generation"` + // Group call state fingerprint represented as 4 emoji; may be empty if the state isn't verified yet + Emojis []string `json:"emojis"` +} + +func (entity *UpdateGroupCallVerificationState) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateGroupCallVerificationState + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateGroupCallVerificationState) GetClass() string { + return ClassUpdate +} + +func (*UpdateGroupCallVerificationState) GetType() string { + return TypeUpdateGroupCallVerificationState +} + +func (*UpdateGroupCallVerificationState) UpdateType() string { + return TypeUpdateGroupCallVerificationState +} + +// A new message was received in a group call +type UpdateNewGroupCallMessage struct { + meta + // Identifier of the group call + GroupCallId int32 `json:"group_call_id"` + // The message + Message *GroupCallMessage `json:"message"` +} + +func (entity *UpdateNewGroupCallMessage) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateNewGroupCallMessage + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateNewGroupCallMessage) GetClass() string { + return ClassUpdate +} + +func (*UpdateNewGroupCallMessage) GetType() string { + return TypeUpdateNewGroupCallMessage +} + +func (*UpdateNewGroupCallMessage) UpdateType() string { + return TypeUpdateNewGroupCallMessage +} + +// A new paid reaction was received in a live story group call +type UpdateNewGroupCallPaidReaction struct { + meta + // Identifier of the group call + GroupCallId int32 `json:"group_call_id"` + // Identifier of the sender of the reaction + SenderId MessageSender `json:"sender_id"` + // The number of Telegram Stars that were paid to send the reaction + StarCount int64 `json:"star_count"` +} + +func (entity *UpdateNewGroupCallPaidReaction) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateNewGroupCallPaidReaction + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateNewGroupCallPaidReaction) GetClass() string { + return ClassUpdate +} + +func (*UpdateNewGroupCallPaidReaction) GetType() string { + return TypeUpdateNewGroupCallPaidReaction +} + +func (*UpdateNewGroupCallPaidReaction) UpdateType() string { + return TypeUpdateNewGroupCallPaidReaction +} + +func (updateNewGroupCallPaidReaction *UpdateNewGroupCallPaidReaction) UnmarshalJSON(data []byte) error { + var tmp struct { + GroupCallId int32 `json:"group_call_id"` + SenderId json.RawMessage `json:"sender_id"` + StarCount int64 `json:"star_count"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + updateNewGroupCallPaidReaction.GroupCallId = tmp.GroupCallId + updateNewGroupCallPaidReaction.StarCount = tmp.StarCount + + fieldSenderId, _ := UnmarshalMessageSender(tmp.SenderId) + updateNewGroupCallPaidReaction.SenderId = fieldSenderId + + return nil +} + +// A group call message failed to send +type UpdateGroupCallMessageSendFailed struct { + meta + // Identifier of the group call + GroupCallId int32 `json:"group_call_id"` + // Message identifier + MessageId int32 `json:"message_id"` + // The cause of the message sending failure + Error *Error `json:"error"` +} + +func (entity *UpdateGroupCallMessageSendFailed) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateGroupCallMessageSendFailed + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateGroupCallMessageSendFailed) GetClass() string { + return ClassUpdate +} + +func (*UpdateGroupCallMessageSendFailed) GetType() string { + return TypeUpdateGroupCallMessageSendFailed +} + +func (*UpdateGroupCallMessageSendFailed) UpdateType() string { + return TypeUpdateGroupCallMessageSendFailed +} + +// Some group call messages were deleted +type UpdateGroupCallMessagesDeleted struct { + meta + // Identifier of the group call + GroupCallId int32 `json:"group_call_id"` + // Identifiers of the deleted messages + MessageIds []int32 `json:"message_ids"` +} + +func (entity *UpdateGroupCallMessagesDeleted) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateGroupCallMessagesDeleted + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateGroupCallMessagesDeleted) GetClass() string { + return ClassUpdate +} + +func (*UpdateGroupCallMessagesDeleted) GetType() string { + return TypeUpdateGroupCallMessagesDeleted +} + +func (*UpdateGroupCallMessagesDeleted) UpdateType() string { + return TypeUpdateGroupCallMessagesDeleted +} + +// The list of top donors in live story group call has changed +type UpdateLiveStoryTopDonors struct { + meta + // Identifier of the group call + GroupCallId int32 `json:"group_call_id"` + // New list of live story donors + Donors *LiveStoryDonors `json:"donors"` +} + +func (entity *UpdateLiveStoryTopDonors) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateLiveStoryTopDonors + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateLiveStoryTopDonors) GetClass() string { + return ClassUpdate +} + +func (*UpdateLiveStoryTopDonors) GetType() string { + return TypeUpdateLiveStoryTopDonors +} + +func (*UpdateLiveStoryTopDonors) UpdateType() string { + return TypeUpdateLiveStoryTopDonors } // New call signaling data arrived type UpdateNewCallSignalingData struct { - meta - // The call identifier - CallId int32 `json:"call_id"` - // The data - Data []byte `json:"data"` + meta + // The call identifier + CallId int32 `json:"call_id"` + // The data + Data []byte `json:"data"` } func (entity *UpdateNewCallSignalingData) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateNewCallSignalingData + type stub UpdateNewCallSignalingData - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateNewCallSignalingData) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateNewCallSignalingData) GetType() string { - return TypeUpdateNewCallSignalingData + return TypeUpdateNewCallSignalingData } func (*UpdateNewCallSignalingData) UpdateType() string { - return TypeUpdateNewCallSignalingData + return TypeUpdateNewCallSignalingData +} + +// State of a gift auction was updated +type UpdateGiftAuctionState struct { + meta + // New state of the auction + State *GiftAuctionState `json:"state"` +} + +func (entity *UpdateGiftAuctionState) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateGiftAuctionState + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateGiftAuctionState) GetClass() string { + return ClassUpdate +} + +func (*UpdateGiftAuctionState) GetType() string { + return TypeUpdateGiftAuctionState +} + +func (*UpdateGiftAuctionState) UpdateType() string { + return TypeUpdateGiftAuctionState +} + +// The list of auctions in which participate the current user has changed +type UpdateActiveGiftAuctions struct { + meta + // New states of the auctions + States []*GiftAuctionState `json:"states"` +} + +func (entity *UpdateActiveGiftAuctions) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateActiveGiftAuctions + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateActiveGiftAuctions) GetClass() string { + return ClassUpdate +} + +func (*UpdateActiveGiftAuctions) GetType() string { + return TypeUpdateActiveGiftAuctions +} + +func (*UpdateActiveGiftAuctions) UpdateType() string { + return TypeUpdateActiveGiftAuctions } // Some privacy setting rules have been changed type UpdateUserPrivacySettingRules struct { - meta - // The privacy setting - Setting UserPrivacySetting `json:"setting"` - // New privacy rules - Rules *UserPrivacySettingRules `json:"rules"` + meta + // The privacy setting + Setting UserPrivacySetting `json:"setting"` + // New privacy rules + Rules *UserPrivacySettingRules `json:"rules"` } func (entity *UpdateUserPrivacySettingRules) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateUserPrivacySettingRules + type stub UpdateUserPrivacySettingRules - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateUserPrivacySettingRules) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateUserPrivacySettingRules) GetType() string { - return TypeUpdateUserPrivacySettingRules + return TypeUpdateUserPrivacySettingRules } func (*UpdateUserPrivacySettingRules) UpdateType() string { - return TypeUpdateUserPrivacySettingRules + return TypeUpdateUserPrivacySettingRules } func (updateUserPrivacySettingRules *UpdateUserPrivacySettingRules) UnmarshalJSON(data []byte) error { - var tmp struct { - Setting json.RawMessage `json:"setting"` - Rules *UserPrivacySettingRules `json:"rules"` - } + var tmp struct { + Setting json.RawMessage `json:"setting"` + Rules *UserPrivacySettingRules `json:"rules"` + } - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - updateUserPrivacySettingRules.Rules = tmp.Rules + updateUserPrivacySettingRules.Rules = tmp.Rules - fieldSetting, _ := UnmarshalUserPrivacySetting(tmp.Setting) - updateUserPrivacySettingRules.Setting = fieldSetting + fieldSetting, _ := UnmarshalUserPrivacySetting(tmp.Setting) + updateUserPrivacySettingRules.Setting = fieldSetting - return nil + return nil } // Number of unread messages in a chat list has changed. This update is sent only if the message database is used type UpdateUnreadMessageCount struct { - meta - // The chat list with changed number of unread messages - ChatList ChatList `json:"chat_list"` - // Total number of unread messages - UnreadCount int32 `json:"unread_count"` - // Total number of unread messages in unmuted chats - UnreadUnmutedCount int32 `json:"unread_unmuted_count"` + meta + // The chat list with changed number of unread messages + ChatList ChatList `json:"chat_list"` + // Total number of unread messages + UnreadCount int32 `json:"unread_count"` + // Total number of unread messages in unmuted chats + UnreadUnmutedCount int32 `json:"unread_unmuted_count"` } func (entity *UpdateUnreadMessageCount) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateUnreadMessageCount + type stub UpdateUnreadMessageCount - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateUnreadMessageCount) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateUnreadMessageCount) GetType() string { - return TypeUpdateUnreadMessageCount + return TypeUpdateUnreadMessageCount } func (*UpdateUnreadMessageCount) UpdateType() string { - return TypeUpdateUnreadMessageCount + return TypeUpdateUnreadMessageCount } func (updateUnreadMessageCount *UpdateUnreadMessageCount) UnmarshalJSON(data []byte) error { - var tmp struct { - ChatList json.RawMessage `json:"chat_list"` - UnreadCount int32 `json:"unread_count"` - UnreadUnmutedCount int32 `json:"unread_unmuted_count"` - } + var tmp struct { + ChatList json.RawMessage `json:"chat_list"` + UnreadCount int32 `json:"unread_count"` + UnreadUnmutedCount int32 `json:"unread_unmuted_count"` + } - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - updateUnreadMessageCount.UnreadCount = tmp.UnreadCount - updateUnreadMessageCount.UnreadUnmutedCount = tmp.UnreadUnmutedCount + updateUnreadMessageCount.UnreadCount = tmp.UnreadCount + updateUnreadMessageCount.UnreadUnmutedCount = tmp.UnreadUnmutedCount - fieldChatList, _ := UnmarshalChatList(tmp.ChatList) - updateUnreadMessageCount.ChatList = fieldChatList + fieldChatList, _ := UnmarshalChatList(tmp.ChatList) + updateUnreadMessageCount.ChatList = fieldChatList - return nil + return nil } // Number of unread chats, i.e. with unread messages or marked as unread, has changed. This update is sent only if the message database is used type UpdateUnreadChatCount struct { - meta - // The chat list with changed number of unread messages - ChatList ChatList `json:"chat_list"` - // Approximate total number of chats in the chat list - TotalCount int32 `json:"total_count"` - // Total number of unread chats - UnreadCount int32 `json:"unread_count"` - // Total number of unread unmuted chats - UnreadUnmutedCount int32 `json:"unread_unmuted_count"` - // Total number of chats marked as unread - MarkedAsUnreadCount int32 `json:"marked_as_unread_count"` - // Total number of unmuted chats marked as unread - MarkedAsUnreadUnmutedCount int32 `json:"marked_as_unread_unmuted_count"` + meta + // The chat list with changed number of unread messages + ChatList ChatList `json:"chat_list"` + // Approximate total number of chats in the chat list + TotalCount int32 `json:"total_count"` + // Total number of unread chats + UnreadCount int32 `json:"unread_count"` + // Total number of unread unmuted chats + UnreadUnmutedCount int32 `json:"unread_unmuted_count"` + // Total number of chats marked as unread + MarkedAsUnreadCount int32 `json:"marked_as_unread_count"` + // Total number of unmuted chats marked as unread + MarkedAsUnreadUnmutedCount int32 `json:"marked_as_unread_unmuted_count"` } func (entity *UpdateUnreadChatCount) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateUnreadChatCount + type stub UpdateUnreadChatCount - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateUnreadChatCount) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateUnreadChatCount) GetType() string { - return TypeUpdateUnreadChatCount + return TypeUpdateUnreadChatCount } func (*UpdateUnreadChatCount) UpdateType() string { - return TypeUpdateUnreadChatCount + return TypeUpdateUnreadChatCount } func (updateUnreadChatCount *UpdateUnreadChatCount) UnmarshalJSON(data []byte) error { - var tmp struct { - ChatList json.RawMessage `json:"chat_list"` - TotalCount int32 `json:"total_count"` - UnreadCount int32 `json:"unread_count"` - UnreadUnmutedCount int32 `json:"unread_unmuted_count"` - MarkedAsUnreadCount int32 `json:"marked_as_unread_count"` - MarkedAsUnreadUnmutedCount int32 `json:"marked_as_unread_unmuted_count"` - } + var tmp struct { + ChatList json.RawMessage `json:"chat_list"` + TotalCount int32 `json:"total_count"` + UnreadCount int32 `json:"unread_count"` + UnreadUnmutedCount int32 `json:"unread_unmuted_count"` + MarkedAsUnreadCount int32 `json:"marked_as_unread_count"` + MarkedAsUnreadUnmutedCount int32 `json:"marked_as_unread_unmuted_count"` + } - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - updateUnreadChatCount.TotalCount = tmp.TotalCount - updateUnreadChatCount.UnreadCount = tmp.UnreadCount - updateUnreadChatCount.UnreadUnmutedCount = tmp.UnreadUnmutedCount - updateUnreadChatCount.MarkedAsUnreadCount = tmp.MarkedAsUnreadCount - updateUnreadChatCount.MarkedAsUnreadUnmutedCount = tmp.MarkedAsUnreadUnmutedCount + updateUnreadChatCount.TotalCount = tmp.TotalCount + updateUnreadChatCount.UnreadCount = tmp.UnreadCount + updateUnreadChatCount.UnreadUnmutedCount = tmp.UnreadUnmutedCount + updateUnreadChatCount.MarkedAsUnreadCount = tmp.MarkedAsUnreadCount + updateUnreadChatCount.MarkedAsUnreadUnmutedCount = tmp.MarkedAsUnreadUnmutedCount - fieldChatList, _ := UnmarshalChatList(tmp.ChatList) - updateUnreadChatCount.ChatList = fieldChatList + fieldChatList, _ := UnmarshalChatList(tmp.ChatList) + updateUnreadChatCount.ChatList = fieldChatList - return nil + return nil +} + +// A story was changed +type UpdateStory struct { + meta + // The new information about the story + Story *Story `json:"story"` +} + +func (entity *UpdateStory) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateStory + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateStory) GetClass() string { + return ClassUpdate +} + +func (*UpdateStory) GetType() string { + return TypeUpdateStory +} + +func (*UpdateStory) UpdateType() string { + return TypeUpdateStory +} + +// A story became inaccessible +type UpdateStoryDeleted struct { + meta + // Identifier of the chat that posted the story + StoryPosterChatId int64 `json:"story_poster_chat_id"` + // Story identifier + StoryId int32 `json:"story_id"` +} + +func (entity *UpdateStoryDeleted) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateStoryDeleted + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateStoryDeleted) GetClass() string { + return ClassUpdate +} + +func (*UpdateStoryDeleted) GetType() string { + return TypeUpdateStoryDeleted +} + +func (*UpdateStoryDeleted) UpdateType() string { + return TypeUpdateStoryDeleted +} + +// A story has been successfully posted +type UpdateStoryPostSucceeded struct { + meta + // The posted story + Story *Story `json:"story"` + // The previous temporary story identifier + OldStoryId int32 `json:"old_story_id"` +} + +func (entity *UpdateStoryPostSucceeded) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateStoryPostSucceeded + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateStoryPostSucceeded) GetClass() string { + return ClassUpdate +} + +func (*UpdateStoryPostSucceeded) GetType() string { + return TypeUpdateStoryPostSucceeded +} + +func (*UpdateStoryPostSucceeded) UpdateType() string { + return TypeUpdateStoryPostSucceeded +} + +// A story failed to post. If the story posting is canceled, then updateStoryDeleted will be received instead of this update +type UpdateStoryPostFailed struct { + meta + // The failed to post story + Story *Story `json:"story"` + // The cause of the story posting failure + Error *Error `json:"error"` + // Type of the error; may be null if unknown + ErrorType CanPostStoryResult `json:"error_type"` +} + +func (entity *UpdateStoryPostFailed) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateStoryPostFailed + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateStoryPostFailed) GetClass() string { + return ClassUpdate +} + +func (*UpdateStoryPostFailed) GetType() string { + return TypeUpdateStoryPostFailed +} + +func (*UpdateStoryPostFailed) UpdateType() string { + return TypeUpdateStoryPostFailed +} + +func (updateStoryPostFailed *UpdateStoryPostFailed) UnmarshalJSON(data []byte) error { + var tmp struct { + Story *Story `json:"story"` + Error *Error `json:"error"` + ErrorType json.RawMessage `json:"error_type"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + updateStoryPostFailed.Story = tmp.Story + updateStoryPostFailed.Error = tmp.Error + + fieldErrorType, _ := UnmarshalCanPostStoryResult(tmp.ErrorType) + updateStoryPostFailed.ErrorType = fieldErrorType + + return nil +} + +// The list of active stories posted by a specific chat has changed +type UpdateChatActiveStories struct { + meta + // The new list of active stories + ActiveStories *ChatActiveStories `json:"active_stories"` +} + +func (entity *UpdateChatActiveStories) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateChatActiveStories + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateChatActiveStories) GetClass() string { + return ClassUpdate +} + +func (*UpdateChatActiveStories) GetType() string { + return TypeUpdateChatActiveStories +} + +func (*UpdateChatActiveStories) UpdateType() string { + return TypeUpdateChatActiveStories +} + +// Number of chats in a story list has changed +type UpdateStoryListChatCount struct { + meta + // The story list + StoryList StoryList `json:"story_list"` + // Approximate total number of chats with active stories in the list + ChatCount int32 `json:"chat_count"` +} + +func (entity *UpdateStoryListChatCount) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateStoryListChatCount + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateStoryListChatCount) GetClass() string { + return ClassUpdate +} + +func (*UpdateStoryListChatCount) GetType() string { + return TypeUpdateStoryListChatCount +} + +func (*UpdateStoryListChatCount) UpdateType() string { + return TypeUpdateStoryListChatCount +} + +func (updateStoryListChatCount *UpdateStoryListChatCount) UnmarshalJSON(data []byte) error { + var tmp struct { + StoryList json.RawMessage `json:"story_list"` + ChatCount int32 `json:"chat_count"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + updateStoryListChatCount.ChatCount = tmp.ChatCount + + fieldStoryList, _ := UnmarshalStoryList(tmp.StoryList) + updateStoryListChatCount.StoryList = fieldStoryList + + return nil +} + +// Story stealth mode settings have changed +type UpdateStoryStealthMode struct { + meta + // Point in time (Unix timestamp) until stealth mode is active; 0 if it is disabled + ActiveUntilDate int32 `json:"active_until_date"` + // Point in time (Unix timestamp) when stealth mode can be enabled again; 0 if there is no active cooldown + CooldownUntilDate int32 `json:"cooldown_until_date"` +} + +func (entity *UpdateStoryStealthMode) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateStoryStealthMode + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateStoryStealthMode) GetClass() string { + return ClassUpdate +} + +func (*UpdateStoryStealthMode) GetType() string { + return TypeUpdateStoryStealthMode +} + +func (*UpdateStoryStealthMode) UpdateType() string { + return TypeUpdateStoryStealthMode +} + +// Lists of bots which Mini Apps must be allowed to read text from clipboard and must be opened without a warning +type UpdateTrustedMiniAppBots struct { + meta + // List of user identifiers of the bots; the corresponding users may not be sent using updateUser updates and may not be accessible + BotUserIds []int64 `json:"bot_user_ids"` +} + +func (entity *UpdateTrustedMiniAppBots) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateTrustedMiniAppBots + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateTrustedMiniAppBots) GetClass() string { + return ClassUpdate +} + +func (*UpdateTrustedMiniAppBots) GetType() string { + return TypeUpdateTrustedMiniAppBots +} + +func (*UpdateTrustedMiniAppBots) UpdateType() string { + return TypeUpdateTrustedMiniAppBots } // An option changed its value type UpdateOption struct { - meta - // The option name - Name string `json:"name"` - // The new option value - Value OptionValue `json:"value"` + meta + // The option name + Name string `json:"name"` + // The new option value + Value OptionValue `json:"value"` } func (entity *UpdateOption) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateOption + type stub UpdateOption - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateOption) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateOption) GetType() string { - return TypeUpdateOption + return TypeUpdateOption } func (*UpdateOption) UpdateType() string { - return TypeUpdateOption + return TypeUpdateOption } func (updateOption *UpdateOption) UnmarshalJSON(data []byte) error { - var tmp struct { - Name string `json:"name"` - Value json.RawMessage `json:"value"` - } + var tmp struct { + Name string `json:"name"` + Value json.RawMessage `json:"value"` + } - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - updateOption.Name = tmp.Name + updateOption.Name = tmp.Name - fieldValue, _ := UnmarshalOptionValue(tmp.Value) - updateOption.Value = fieldValue + fieldValue, _ := UnmarshalOptionValue(tmp.Value) + updateOption.Value = fieldValue - return nil + return nil } // A sticker set has changed type UpdateStickerSet struct { - meta - // The sticker set - StickerSet *StickerSet `json:"sticker_set"` + meta + // The sticker set + StickerSet *StickerSet `json:"sticker_set"` } func (entity *UpdateStickerSet) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateStickerSet + type stub UpdateStickerSet - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateStickerSet) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateStickerSet) GetType() string { - return TypeUpdateStickerSet + return TypeUpdateStickerSet } func (*UpdateStickerSet) UpdateType() string { - return TypeUpdateStickerSet + return TypeUpdateStickerSet } // The list of installed sticker sets was updated type UpdateInstalledStickerSets struct { - meta - // Type of the affected stickers - StickerType StickerType `json:"sticker_type"` - // The new list of installed ordinary sticker sets - StickerSetIds []JsonInt64 `json:"sticker_set_ids"` + meta + // Type of the affected stickers + StickerType StickerType `json:"sticker_type"` + // The new list of installed ordinary sticker sets + StickerSetIds []JsonInt64 `json:"sticker_set_ids"` } func (entity *UpdateInstalledStickerSets) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateInstalledStickerSets + type stub UpdateInstalledStickerSets - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateInstalledStickerSets) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateInstalledStickerSets) GetType() string { - return TypeUpdateInstalledStickerSets + return TypeUpdateInstalledStickerSets } func (*UpdateInstalledStickerSets) UpdateType() string { - return TypeUpdateInstalledStickerSets + return TypeUpdateInstalledStickerSets } func (updateInstalledStickerSets *UpdateInstalledStickerSets) UnmarshalJSON(data []byte) error { - var tmp struct { - StickerType json.RawMessage `json:"sticker_type"` - StickerSetIds []JsonInt64 `json:"sticker_set_ids"` - } + var tmp struct { + StickerType json.RawMessage `json:"sticker_type"` + StickerSetIds []JsonInt64 `json:"sticker_set_ids"` + } - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - updateInstalledStickerSets.StickerSetIds = tmp.StickerSetIds + updateInstalledStickerSets.StickerSetIds = tmp.StickerSetIds - fieldStickerType, _ := UnmarshalStickerType(tmp.StickerType) - updateInstalledStickerSets.StickerType = fieldStickerType + fieldStickerType, _ := UnmarshalStickerType(tmp.StickerType) + updateInstalledStickerSets.StickerType = fieldStickerType - return nil + return nil } // The list of trending sticker sets was updated or some of them were viewed type UpdateTrendingStickerSets struct { - meta - // Type of the affected stickers - StickerType StickerType `json:"sticker_type"` - // The prefix of the list of trending sticker sets with the newest trending sticker sets - StickerSets *TrendingStickerSets `json:"sticker_sets"` + meta + // Type of the affected stickers + StickerType StickerType `json:"sticker_type"` + // The prefix of the list of trending sticker sets with the newest trending sticker sets + StickerSets *TrendingStickerSets `json:"sticker_sets"` } func (entity *UpdateTrendingStickerSets) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateTrendingStickerSets + type stub UpdateTrendingStickerSets - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateTrendingStickerSets) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateTrendingStickerSets) GetType() string { - return TypeUpdateTrendingStickerSets + return TypeUpdateTrendingStickerSets } func (*UpdateTrendingStickerSets) UpdateType() string { - return TypeUpdateTrendingStickerSets + return TypeUpdateTrendingStickerSets } func (updateTrendingStickerSets *UpdateTrendingStickerSets) UnmarshalJSON(data []byte) error { - var tmp struct { - StickerType json.RawMessage `json:"sticker_type"` - StickerSets *TrendingStickerSets `json:"sticker_sets"` - } + var tmp struct { + StickerType json.RawMessage `json:"sticker_type"` + StickerSets *TrendingStickerSets `json:"sticker_sets"` + } - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - updateTrendingStickerSets.StickerSets = tmp.StickerSets + updateTrendingStickerSets.StickerSets = tmp.StickerSets - fieldStickerType, _ := UnmarshalStickerType(tmp.StickerType) - updateTrendingStickerSets.StickerType = fieldStickerType + fieldStickerType, _ := UnmarshalStickerType(tmp.StickerType) + updateTrendingStickerSets.StickerType = fieldStickerType - return nil + return nil } // The list of recently used stickers was updated type UpdateRecentStickers struct { - meta - // True, if the list of stickers attached to photo or video files was updated; otherwise, the list of sent stickers is updated - IsAttached bool `json:"is_attached"` - // The new list of file identifiers of recently used stickers - StickerIds []int32 `json:"sticker_ids"` + meta + // True, if the list of stickers attached to photo or video files was updated; otherwise, the list of sent stickers is updated + IsAttached bool `json:"is_attached"` + // The new list of file identifiers of recently used stickers + StickerIds []int32 `json:"sticker_ids"` } func (entity *UpdateRecentStickers) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateRecentStickers + type stub UpdateRecentStickers - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateRecentStickers) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateRecentStickers) GetType() string { - return TypeUpdateRecentStickers + return TypeUpdateRecentStickers } func (*UpdateRecentStickers) UpdateType() string { - return TypeUpdateRecentStickers + return TypeUpdateRecentStickers } // The list of favorite stickers was updated type UpdateFavoriteStickers struct { - meta - // The new list of file identifiers of favorite stickers - StickerIds []int32 `json:"sticker_ids"` + meta + // The new list of file identifiers of favorite stickers + StickerIds []int32 `json:"sticker_ids"` } func (entity *UpdateFavoriteStickers) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateFavoriteStickers + type stub UpdateFavoriteStickers - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateFavoriteStickers) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateFavoriteStickers) GetType() string { - return TypeUpdateFavoriteStickers + return TypeUpdateFavoriteStickers } func (*UpdateFavoriteStickers) UpdateType() string { - return TypeUpdateFavoriteStickers + return TypeUpdateFavoriteStickers } // The list of saved animations was updated type UpdateSavedAnimations struct { - meta - // The new list of file identifiers of saved animations - AnimationIds []int32 `json:"animation_ids"` + meta + // The new list of file identifiers of saved animations + AnimationIds []int32 `json:"animation_ids"` } func (entity *UpdateSavedAnimations) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateSavedAnimations + type stub UpdateSavedAnimations - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateSavedAnimations) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateSavedAnimations) GetType() string { - return TypeUpdateSavedAnimations + return TypeUpdateSavedAnimations } func (*UpdateSavedAnimations) UpdateType() string { - return TypeUpdateSavedAnimations + return TypeUpdateSavedAnimations } -// The list of saved notifications sounds was updated. This update may not be sent until information about a notification sound was requested for the first time +// The list of saved notification sounds was updated. This update may not be sent until information about a notification sound was requested for the first time type UpdateSavedNotificationSounds struct { - meta - // The new list of identifiers of saved notification sounds - NotificationSoundIds []JsonInt64 `json:"notification_sound_ids"` + meta + // The new list of identifiers of saved notification sounds + NotificationSoundIds []JsonInt64 `json:"notification_sound_ids"` } func (entity *UpdateSavedNotificationSounds) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateSavedNotificationSounds + type stub UpdateSavedNotificationSounds - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateSavedNotificationSounds) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateSavedNotificationSounds) GetType() string { - return TypeUpdateSavedNotificationSounds + return TypeUpdateSavedNotificationSounds } func (*UpdateSavedNotificationSounds) UpdateType() string { - return TypeUpdateSavedNotificationSounds + return TypeUpdateSavedNotificationSounds } -// The selected background has changed -type UpdateSelectedBackground struct { - meta - // True, if background for dark theme has changed - ForDarkTheme bool `json:"for_dark_theme"` - // The new selected background; may be null - Background *Background `json:"background"` +// The default background has changed +type UpdateDefaultBackground struct { + meta + // True, if default background for dark theme has changed + ForDarkTheme bool `json:"for_dark_theme"` + // The new default background; may be null + Background *Background `json:"background"` } -func (entity *UpdateSelectedBackground) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *UpdateDefaultBackground) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub UpdateSelectedBackground + type stub UpdateDefaultBackground - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*UpdateSelectedBackground) GetClass() string { - return ClassUpdate +func (*UpdateDefaultBackground) GetClass() string { + return ClassUpdate } -func (*UpdateSelectedBackground) GetType() string { - return TypeUpdateSelectedBackground +func (*UpdateDefaultBackground) GetType() string { + return TypeUpdateDefaultBackground } -func (*UpdateSelectedBackground) UpdateType() string { - return TypeUpdateSelectedBackground +func (*UpdateDefaultBackground) UpdateType() string { + return TypeUpdateDefaultBackground } -// The list of available chat themes has changed -type UpdateChatThemes struct { - meta - // The new list of chat themes - ChatThemes []*ChatTheme `json:"chat_themes"` +// The list of available emoji chat themes has changed +type UpdateEmojiChatThemes struct { + meta + // The new list of emoji chat themes + ChatThemes []*EmojiChatTheme `json:"chat_themes"` } -func (entity *UpdateChatThemes) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *UpdateEmojiChatThemes) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub UpdateChatThemes + type stub UpdateEmojiChatThemes - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*UpdateChatThemes) GetClass() string { - return ClassUpdate +func (*UpdateEmojiChatThemes) GetClass() string { + return ClassUpdate } -func (*UpdateChatThemes) GetType() string { - return TypeUpdateChatThemes +func (*UpdateEmojiChatThemes) GetType() string { + return TypeUpdateEmojiChatThemes } -func (*UpdateChatThemes) UpdateType() string { - return TypeUpdateChatThemes +func (*UpdateEmojiChatThemes) UpdateType() string { + return TypeUpdateEmojiChatThemes +} + +// The list of supported accent colors has changed +type UpdateAccentColors struct { + meta + // Information about supported colors; colors with identifiers 0 (red), 1 (orange), 2 (purple/violet), 3 (green), 4 (cyan), 5 (blue), 6 (pink) must always be supported and aren't included in the list. The exact colors for the accent colors with identifiers 0-6 must be taken from the app theme + Colors []*AccentColor `json:"colors"` + // The list of accent color identifiers, which can be set through setAccentColor and setChatAccentColor. The colors must be shown in the specified order + AvailableAccentColorIds []int32 `json:"available_accent_color_ids"` +} + +func (entity *UpdateAccentColors) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateAccentColors + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateAccentColors) GetClass() string { + return ClassUpdate +} + +func (*UpdateAccentColors) GetType() string { + return TypeUpdateAccentColors +} + +func (*UpdateAccentColors) UpdateType() string { + return TypeUpdateAccentColors +} + +// The list of supported accent colors for user profiles has changed +type UpdateProfileAccentColors struct { + meta + // Information about supported colors + Colors []*ProfileAccentColor `json:"colors"` + // The list of accent color identifiers, which can be set through setProfileAccentColor and setChatProfileAccentColor. The colors must be shown in the specified order + AvailableAccentColorIds []int32 `json:"available_accent_color_ids"` +} + +func (entity *UpdateProfileAccentColors) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateProfileAccentColors + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateProfileAccentColors) GetClass() string { + return ClassUpdate +} + +func (*UpdateProfileAccentColors) GetType() string { + return TypeUpdateProfileAccentColors +} + +func (*UpdateProfileAccentColors) UpdateType() string { + return TypeUpdateProfileAccentColors } // Some language pack strings have been updated type UpdateLanguagePackStrings struct { - meta - // Localization target to which the language pack belongs - LocalizationTarget string `json:"localization_target"` - // Identifier of the updated language pack - LanguagePackId string `json:"language_pack_id"` - // List of changed language pack strings - Strings []*LanguagePackString `json:"strings"` + meta + // Localization target to which the language pack belongs + LocalizationTarget string `json:"localization_target"` + // Identifier of the updated language pack + LanguagePackId string `json:"language_pack_id"` + // List of changed language pack strings; empty if all strings have changed + Strings []*LanguagePackString `json:"strings"` } func (entity *UpdateLanguagePackStrings) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateLanguagePackStrings + type stub UpdateLanguagePackStrings - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateLanguagePackStrings) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateLanguagePackStrings) GetType() string { - return TypeUpdateLanguagePackStrings + return TypeUpdateLanguagePackStrings } func (*UpdateLanguagePackStrings) UpdateType() string { - return TypeUpdateLanguagePackStrings + return TypeUpdateLanguagePackStrings } // The connection state has changed. This update must be used only to show a human-readable description of the connection state type UpdateConnectionState struct { - meta - // The new connection state - State ConnectionState `json:"state"` + meta + // The new connection state + State ConnectionState `json:"state"` } func (entity *UpdateConnectionState) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateConnectionState + type stub UpdateConnectionState - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateConnectionState) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateConnectionState) GetType() string { - return TypeUpdateConnectionState + return TypeUpdateConnectionState } func (*UpdateConnectionState) UpdateType() string { - return TypeUpdateConnectionState + return TypeUpdateConnectionState } func (updateConnectionState *UpdateConnectionState) UnmarshalJSON(data []byte) error { - var tmp struct { - State json.RawMessage `json:"state"` - } + var tmp struct { + State json.RawMessage `json:"state"` + } - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - fieldState, _ := UnmarshalConnectionState(tmp.State) - updateConnectionState.State = fieldState + fieldState, _ := UnmarshalConnectionState(tmp.State) + updateConnectionState.State = fieldState - return nil + return nil +} + +// The freeze state of the current user's account has changed +type UpdateFreezeState struct { + meta + // True, if the account is frozen + IsFrozen bool `json:"is_frozen"` + // Point in time (Unix timestamp) when the account was frozen; 0 if the account isn't frozen + FreezingDate int32 `json:"freezing_date"` + // Point in time (Unix timestamp) when the account will be deleted and can't be unfrozen; 0 if the account isn't frozen + DeletionDate int32 `json:"deletion_date"` + // The link to open to send an appeal to unfreeze the account + AppealLink string `json:"appeal_link"` +} + +func (entity *UpdateFreezeState) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateFreezeState + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateFreezeState) GetClass() string { + return ClassUpdate +} + +func (*UpdateFreezeState) GetType() string { + return TypeUpdateFreezeState +} + +func (*UpdateFreezeState) UpdateType() string { + return TypeUpdateFreezeState +} + +// The parameters for age verification of the current user's account has changed +type UpdateAgeVerificationParameters struct { + meta + // Parameters for the age verification; may be null if age verification isn't needed + Parameters *AgeVerificationParameters `json:"parameters"` +} + +func (entity *UpdateAgeVerificationParameters) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateAgeVerificationParameters + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateAgeVerificationParameters) GetClass() string { + return ClassUpdate +} + +func (*UpdateAgeVerificationParameters) GetType() string { + return TypeUpdateAgeVerificationParameters +} + +func (*UpdateAgeVerificationParameters) UpdateType() string { + return TypeUpdateAgeVerificationParameters } // New terms of service must be accepted by the user. If the terms of service are declined, then the deleteAccount method must be called with the reason "Decline ToS update" type UpdateTermsOfService struct { - meta - // Identifier of the terms of service - TermsOfServiceId string `json:"terms_of_service_id"` - // The new terms of service - TermsOfService *TermsOfService `json:"terms_of_service"` + meta + // Identifier of the terms of service + TermsOfServiceId string `json:"terms_of_service_id"` + // The new terms of service + TermsOfService *TermsOfService `json:"terms_of_service"` } func (entity *UpdateTermsOfService) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateTermsOfService + type stub UpdateTermsOfService - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateTermsOfService) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateTermsOfService) GetType() string { - return TypeUpdateTermsOfService + return TypeUpdateTermsOfService } func (*UpdateTermsOfService) UpdateType() string { - return TypeUpdateTermsOfService + return TypeUpdateTermsOfService } -// The list of users nearby has changed. The update is guaranteed to be sent only 60 seconds after a successful searchChatsNearby request -type UpdateUsersNearby struct { - meta - // The new list of users nearby - UsersNearby []*ChatNearby `json:"users_nearby"` +// The first unconfirmed session has changed +type UpdateUnconfirmedSession struct { + meta + // The unconfirmed session; may be null if none + Session *UnconfirmedSession `json:"session"` } -func (entity *UpdateUsersNearby) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *UpdateUnconfirmedSession) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub UpdateUsersNearby + type stub UpdateUnconfirmedSession - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*UpdateUsersNearby) GetClass() string { - return ClassUpdate +func (*UpdateUnconfirmedSession) GetClass() string { + return ClassUpdate } -func (*UpdateUsersNearby) GetType() string { - return TypeUpdateUsersNearby +func (*UpdateUnconfirmedSession) GetType() string { + return TypeUpdateUnconfirmedSession } -func (*UpdateUsersNearby) UpdateType() string { - return TypeUpdateUsersNearby +func (*UpdateUnconfirmedSession) UpdateType() string { + return TypeUpdateUnconfirmedSession } -// The list of bots added to attachment menu has changed +// The list of bots added to attachment or side menu has changed type UpdateAttachmentMenuBots struct { - meta - // The new list of bots added to attachment menu. The bots must not be shown on scheduled messages screen - Bots []*AttachmentMenuBot `json:"bots"` + meta + // The new list of bots. The bots must not be shown on scheduled messages screen + Bots []*AttachmentMenuBot `json:"bots"` } func (entity *UpdateAttachmentMenuBots) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateAttachmentMenuBots + type stub UpdateAttachmentMenuBots - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateAttachmentMenuBots) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateAttachmentMenuBots) GetType() string { - return TypeUpdateAttachmentMenuBots + return TypeUpdateAttachmentMenuBots } func (*UpdateAttachmentMenuBots) UpdateType() string { - return TypeUpdateAttachmentMenuBots + return TypeUpdateAttachmentMenuBots } // A message was sent by an opened Web App, so the Web App needs to be closed type UpdateWebAppMessageSent struct { - meta - // Identifier of Web App launch - WebAppLaunchId JsonInt64 `json:"web_app_launch_id"` + meta + // Identifier of Web App launch + WebAppLaunchId JsonInt64 `json:"web_app_launch_id"` } func (entity *UpdateWebAppMessageSent) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateWebAppMessageSent + type stub UpdateWebAppMessageSent - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateWebAppMessageSent) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateWebAppMessageSent) GetType() string { - return TypeUpdateWebAppMessageSent + return TypeUpdateWebAppMessageSent } func (*UpdateWebAppMessageSent) UpdateType() string { - return TypeUpdateWebAppMessageSent + return TypeUpdateWebAppMessageSent } // The list of active emoji reactions has changed type UpdateActiveEmojiReactions struct { - meta - // The new list of active emoji reactions - Emojis []string `json:"emojis"` + meta + // The new list of active emoji reactions + Emojis []string `json:"emojis"` } func (entity *UpdateActiveEmojiReactions) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateActiveEmojiReactions + type stub UpdateActiveEmojiReactions - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateActiveEmojiReactions) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateActiveEmojiReactions) GetType() string { - return TypeUpdateActiveEmojiReactions + return TypeUpdateActiveEmojiReactions } func (*UpdateActiveEmojiReactions) UpdateType() string { - return TypeUpdateActiveEmojiReactions + return TypeUpdateActiveEmojiReactions +} + +// The list of available message effects has changed +type UpdateAvailableMessageEffects struct { + meta + // The new list of available message effects from emoji reactions + ReactionEffectIds []JsonInt64 `json:"reaction_effect_ids"` + // The new list of available message effects from Premium stickers + StickerEffectIds []JsonInt64 `json:"sticker_effect_ids"` +} + +func (entity *UpdateAvailableMessageEffects) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateAvailableMessageEffects + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateAvailableMessageEffects) GetClass() string { + return ClassUpdate +} + +func (*UpdateAvailableMessageEffects) GetType() string { + return TypeUpdateAvailableMessageEffects +} + +func (*UpdateAvailableMessageEffects) UpdateType() string { + return TypeUpdateAvailableMessageEffects } // The type of default reaction has changed type UpdateDefaultReactionType struct { - meta - // The new type of the default reaction - ReactionType ReactionType `json:"reaction_type"` + meta + // The new type of the default reaction + ReactionType ReactionType `json:"reaction_type"` } func (entity *UpdateDefaultReactionType) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateDefaultReactionType + type stub UpdateDefaultReactionType - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateDefaultReactionType) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateDefaultReactionType) GetType() string { - return TypeUpdateDefaultReactionType + return TypeUpdateDefaultReactionType } func (*UpdateDefaultReactionType) UpdateType() string { - return TypeUpdateDefaultReactionType + return TypeUpdateDefaultReactionType } func (updateDefaultReactionType *UpdateDefaultReactionType) UnmarshalJSON(data []byte) error { - var tmp struct { - ReactionType json.RawMessage `json:"reaction_type"` - } + var tmp struct { + ReactionType json.RawMessage `json:"reaction_type"` + } - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - fieldReactionType, _ := UnmarshalReactionType(tmp.ReactionType) - updateDefaultReactionType.ReactionType = fieldReactionType + fieldReactionType, _ := UnmarshalReactionType(tmp.ReactionType) + updateDefaultReactionType.ReactionType = fieldReactionType - return nil + return nil +} + +// The type of default paid reaction has changed +type UpdateDefaultPaidReactionType struct { + meta + // The new type of the default paid reaction + Type PaidReactionType `json:"type"` +} + +func (entity *UpdateDefaultPaidReactionType) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateDefaultPaidReactionType + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateDefaultPaidReactionType) GetClass() string { + return ClassUpdate +} + +func (*UpdateDefaultPaidReactionType) GetType() string { + return TypeUpdateDefaultPaidReactionType +} + +func (*UpdateDefaultPaidReactionType) UpdateType() string { + return TypeUpdateDefaultPaidReactionType +} + +func (updateDefaultPaidReactionType *UpdateDefaultPaidReactionType) UnmarshalJSON(data []byte) error { + var tmp struct { + Type json.RawMessage `json:"type"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + fieldType, _ := UnmarshalPaidReactionType(tmp.Type) + updateDefaultPaidReactionType.Type = fieldType + + return nil +} + +// Tags used in Saved Messages or a Saved Messages topic have changed +type UpdateSavedMessagesTags struct { + meta + // Identifier of Saved Messages topic which tags were changed; 0 if tags for the whole chat has changed + SavedMessagesTopicId int64 `json:"saved_messages_topic_id"` + // The new tags + Tags *SavedMessagesTags `json:"tags"` +} + +func (entity *UpdateSavedMessagesTags) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateSavedMessagesTags + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateSavedMessagesTags) GetClass() string { + return ClassUpdate +} + +func (*UpdateSavedMessagesTags) GetType() string { + return TypeUpdateSavedMessagesTags +} + +func (*UpdateSavedMessagesTags) UpdateType() string { + return TypeUpdateSavedMessagesTags +} + +// The list of messages with active live location that need to be updated by the application has changed. The list is persistent across application restarts only if the message database is used +type UpdateActiveLiveLocationMessages struct { + meta + // The list of messages with active live locations + Messages []*Message `json:"messages"` +} + +func (entity *UpdateActiveLiveLocationMessages) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateActiveLiveLocationMessages + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateActiveLiveLocationMessages) GetClass() string { + return ClassUpdate +} + +func (*UpdateActiveLiveLocationMessages) GetType() string { + return TypeUpdateActiveLiveLocationMessages +} + +func (*UpdateActiveLiveLocationMessages) UpdateType() string { + return TypeUpdateActiveLiveLocationMessages +} + +// The number of Telegram Stars owned by the current user has changed +type UpdateOwnedStarCount struct { + meta + // The new amount of owned Telegram Stars + StarAmount *StarAmount `json:"star_amount"` +} + +func (entity *UpdateOwnedStarCount) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateOwnedStarCount + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateOwnedStarCount) GetClass() string { + return ClassUpdate +} + +func (*UpdateOwnedStarCount) GetType() string { + return TypeUpdateOwnedStarCount +} + +func (*UpdateOwnedStarCount) UpdateType() string { + return TypeUpdateOwnedStarCount +} + +// The number of Toncoins owned by the current user has changed +type UpdateOwnedTonCount struct { + meta + // The new amount of owned Toncoins; in the smallest units of the cryptocurrency + TonAmount int64 `json:"ton_amount"` +} + +func (entity *UpdateOwnedTonCount) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateOwnedTonCount + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateOwnedTonCount) GetClass() string { + return ClassUpdate +} + +func (*UpdateOwnedTonCount) GetType() string { + return TypeUpdateOwnedTonCount +} + +func (*UpdateOwnedTonCount) UpdateType() string { + return TypeUpdateOwnedTonCount +} + +// The revenue earned from sponsored messages in a chat has changed. If chat revenue screen is opened, then getChatRevenueTransactions may be called to fetch new transactions +type UpdateChatRevenueAmount struct { + meta + // Identifier of the chat + ChatId int64 `json:"chat_id"` + // New amount of earned revenue + RevenueAmount *ChatRevenueAmount `json:"revenue_amount"` +} + +func (entity *UpdateChatRevenueAmount) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateChatRevenueAmount + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateChatRevenueAmount) GetClass() string { + return ClassUpdate +} + +func (*UpdateChatRevenueAmount) GetType() string { + return TypeUpdateChatRevenueAmount +} + +func (*UpdateChatRevenueAmount) UpdateType() string { + return TypeUpdateChatRevenueAmount +} + +// The Telegram Star revenue earned by a user or a chat has changed. If Telegram Star transaction screen of the chat is opened, then getStarTransactions may be called to fetch new transactions +type UpdateStarRevenueStatus struct { + meta + // Identifier of the owner of the Telegram Stars + OwnerId MessageSender `json:"owner_id"` + // New Telegram Star revenue status + Status *StarRevenueStatus `json:"status"` +} + +func (entity *UpdateStarRevenueStatus) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateStarRevenueStatus + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateStarRevenueStatus) GetClass() string { + return ClassUpdate +} + +func (*UpdateStarRevenueStatus) GetType() string { + return TypeUpdateStarRevenueStatus +} + +func (*UpdateStarRevenueStatus) UpdateType() string { + return TypeUpdateStarRevenueStatus +} + +func (updateStarRevenueStatus *UpdateStarRevenueStatus) UnmarshalJSON(data []byte) error { + var tmp struct { + OwnerId json.RawMessage `json:"owner_id"` + Status *StarRevenueStatus `json:"status"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + updateStarRevenueStatus.Status = tmp.Status + + fieldOwnerId, _ := UnmarshalMessageSender(tmp.OwnerId) + updateStarRevenueStatus.OwnerId = fieldOwnerId + + return nil +} + +// The Toncoin revenue earned by the current user has changed. If Toncoin transaction screen of the chat is opened, then getTonTransactions may be called to fetch new transactions +type UpdateTonRevenueStatus struct { + meta + // New Toncoin revenue status + Status *TonRevenueStatus `json:"status"` +} + +func (entity *UpdateTonRevenueStatus) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateTonRevenueStatus + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateTonRevenueStatus) GetClass() string { + return ClassUpdate +} + +func (*UpdateTonRevenueStatus) GetType() string { + return TypeUpdateTonRevenueStatus +} + +func (*UpdateTonRevenueStatus) UpdateType() string { + return TypeUpdateTonRevenueStatus +} + +// The parameters of speech recognition without Telegram Premium subscription has changed +type UpdateSpeechRecognitionTrial struct { + meta + // The maximum allowed duration of media for speech recognition without Telegram Premium subscription, in seconds + MaxMediaDuration int32 `json:"max_media_duration"` + // The total number of allowed speech recognitions per week; 0 if none + WeeklyCount int32 `json:"weekly_count"` + // Number of left speech recognition attempts this week + LeftCount int32 `json:"left_count"` + // Point in time (Unix timestamp) when the weekly number of tries will reset; 0 if unknown + NextResetDate int32 `json:"next_reset_date"` +} + +func (entity *UpdateSpeechRecognitionTrial) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateSpeechRecognitionTrial + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateSpeechRecognitionTrial) GetClass() string { + return ClassUpdate +} + +func (*UpdateSpeechRecognitionTrial) GetType() string { + return TypeUpdateSpeechRecognitionTrial +} + +func (*UpdateSpeechRecognitionTrial) UpdateType() string { + return TypeUpdateSpeechRecognitionTrial +} + +// The levels of live story group call messages have changed +type UpdateGroupCallMessageLevels struct { + meta + // New description of the levels in decreasing order of groupCallMessageLevel.min_star_count + Levels []*GroupCallMessageLevel `json:"levels"` +} + +func (entity *UpdateGroupCallMessageLevels) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateGroupCallMessageLevels + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateGroupCallMessageLevels) GetClass() string { + return ClassUpdate +} + +func (*UpdateGroupCallMessageLevels) GetType() string { + return TypeUpdateGroupCallMessageLevels +} + +func (*UpdateGroupCallMessageLevels) UpdateType() string { + return TypeUpdateGroupCallMessageLevels } // The list of supported dice emojis has changed type UpdateDiceEmojis struct { - meta - // The new list of supported dice emojis - Emojis []string `json:"emojis"` + meta + // The new list of supported dice emojis + Emojis []string `json:"emojis"` } func (entity *UpdateDiceEmojis) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateDiceEmojis + type stub UpdateDiceEmojis - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateDiceEmojis) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateDiceEmojis) GetType() string { - return TypeUpdateDiceEmojis + return TypeUpdateDiceEmojis } func (*UpdateDiceEmojis) UpdateType() string { - return TypeUpdateDiceEmojis + return TypeUpdateDiceEmojis +} + +// The stake dice state has changed +type UpdateStakeDiceState struct { + meta + // The new state. The state can be used only if it was received recently enough. Otherwise, a new state must be requested using getStakeDiceState + State *StakeDiceState `json:"state"` +} + +func (entity *UpdateStakeDiceState) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateStakeDiceState + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateStakeDiceState) GetClass() string { + return ClassUpdate +} + +func (*UpdateStakeDiceState) GetType() string { + return TypeUpdateStakeDiceState +} + +func (*UpdateStakeDiceState) UpdateType() string { + return TypeUpdateStakeDiceState } // Some animated emoji message was clicked and a big animated sticker must be played if the message is visible on the screen. chatActionWatchingAnimations with the text of the message needs to be sent if the sticker is played type UpdateAnimatedEmojiMessageClicked struct { - meta - // Chat identifier - ChatId int64 `json:"chat_id"` - // Message identifier - MessageId int64 `json:"message_id"` - // The animated sticker to be played - Sticker *Sticker `json:"sticker"` + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // Message identifier + MessageId int64 `json:"message_id"` + // The animated sticker to be played + Sticker *Sticker `json:"sticker"` } func (entity *UpdateAnimatedEmojiMessageClicked) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateAnimatedEmojiMessageClicked + type stub UpdateAnimatedEmojiMessageClicked - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateAnimatedEmojiMessageClicked) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateAnimatedEmojiMessageClicked) GetType() string { - return TypeUpdateAnimatedEmojiMessageClicked + return TypeUpdateAnimatedEmojiMessageClicked } func (*UpdateAnimatedEmojiMessageClicked) UpdateType() string { - return TypeUpdateAnimatedEmojiMessageClicked + return TypeUpdateAnimatedEmojiMessageClicked } // The parameters of animation search through getOption("animation_search_bot_username") bot has changed type UpdateAnimationSearchParameters struct { - meta - // Name of the animation search provider - Provider string `json:"provider"` - // The new list of emojis suggested for searching - Emojis []string `json:"emojis"` + meta + // Name of the animation search provider + Provider string `json:"provider"` + // The new list of emojis suggested for searching + Emojis []string `json:"emojis"` } func (entity *UpdateAnimationSearchParameters) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateAnimationSearchParameters + type stub UpdateAnimationSearchParameters - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateAnimationSearchParameters) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateAnimationSearchParameters) GetType() string { - return TypeUpdateAnimationSearchParameters + return TypeUpdateAnimationSearchParameters } func (*UpdateAnimationSearchParameters) UpdateType() string { - return TypeUpdateAnimationSearchParameters + return TypeUpdateAnimationSearchParameters } // The list of suggested to the user actions has changed type UpdateSuggestedActions struct { - meta - // Added suggested actions - AddedActions []SuggestedAction `json:"added_actions"` - // Removed suggested actions - RemovedActions []SuggestedAction `json:"removed_actions"` + meta + // Added suggested actions + AddedActions []SuggestedAction `json:"added_actions"` + // Removed suggested actions + RemovedActions []SuggestedAction `json:"removed_actions"` } func (entity *UpdateSuggestedActions) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateSuggestedActions + type stub UpdateSuggestedActions - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateSuggestedActions) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateSuggestedActions) GetType() string { - return TypeUpdateSuggestedActions + return TypeUpdateSuggestedActions } func (*UpdateSuggestedActions) UpdateType() string { - return TypeUpdateSuggestedActions + return TypeUpdateSuggestedActions } func (updateSuggestedActions *UpdateSuggestedActions) UnmarshalJSON(data []byte) error { - var tmp struct { - AddedActions []json.RawMessage `json:"added_actions"` - RemovedActions []json.RawMessage `json:"removed_actions"` - } + var tmp struct { + AddedActions []json.RawMessage `json:"added_actions"` + RemovedActions []json.RawMessage `json:"removed_actions"` + } - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - fieldAddedActions, _ := UnmarshalListOfSuggestedAction(tmp.AddedActions) - updateSuggestedActions.AddedActions = fieldAddedActions + fieldAddedActions, _ := UnmarshalListOfSuggestedAction(tmp.AddedActions) + updateSuggestedActions.AddedActions = fieldAddedActions - fieldRemovedActions, _ := UnmarshalListOfSuggestedAction(tmp.RemovedActions) - updateSuggestedActions.RemovedActions = fieldRemovedActions + fieldRemovedActions, _ := UnmarshalListOfSuggestedAction(tmp.RemovedActions) + updateSuggestedActions.RemovedActions = fieldRemovedActions - return nil + return nil } -// Adding users to a chat has failed because of their privacy settings. An invite link can be shared with the users if appropriate -type UpdateAddChatMembersPrivacyForbidden struct { - meta - // Chat identifier - ChatId int64 `json:"chat_id"` - // Identifiers of users, which weren't added because of their privacy settings - UserIds []int64 `json:"user_ids"` +// Download or upload file speed for the user was limited, but it can be restored by subscription to Telegram Premium. The notification can be postponed until a being downloaded or uploaded file is visible to the user. Use getOption("premium_download_speedup") or getOption("premium_upload_speedup") to get expected speedup after subscription to Telegram Premium +type UpdateSpeedLimitNotification struct { + meta + // True, if upload speed was limited; false, if download speed was limited + IsUpload bool `json:"is_upload"` } -func (entity *UpdateAddChatMembersPrivacyForbidden) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() +func (entity *UpdateSpeedLimitNotification) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() - type stub UpdateAddChatMembersPrivacyForbidden + type stub UpdateSpeedLimitNotification - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } -func (*UpdateAddChatMembersPrivacyForbidden) GetClass() string { - return ClassUpdate +func (*UpdateSpeedLimitNotification) GetClass() string { + return ClassUpdate } -func (*UpdateAddChatMembersPrivacyForbidden) GetType() string { - return TypeUpdateAddChatMembersPrivacyForbidden +func (*UpdateSpeedLimitNotification) GetType() string { + return TypeUpdateSpeedLimitNotification } -func (*UpdateAddChatMembersPrivacyForbidden) UpdateType() string { - return TypeUpdateAddChatMembersPrivacyForbidden +func (*UpdateSpeedLimitNotification) UpdateType() string { + return TypeUpdateSpeedLimitNotification +} + +// The list of contacts that had birthdays recently or will have birthday soon has changed +type UpdateContactCloseBirthdays struct { + meta + // List of contact users with close birthday + CloseBirthdayUsers []*CloseBirthdayUser `json:"close_birthday_users"` +} + +func (entity *UpdateContactCloseBirthdays) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateContactCloseBirthdays + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateContactCloseBirthdays) GetClass() string { + return ClassUpdate +} + +func (*UpdateContactCloseBirthdays) GetType() string { + return TypeUpdateContactCloseBirthdays +} + +func (*UpdateContactCloseBirthdays) UpdateType() string { + return TypeUpdateContactCloseBirthdays } // Autosave settings for some type of chats were updated type UpdateAutosaveSettings struct { - meta - // Type of chats for which autosave settings were updated - Scope AutosaveSettingsScope `json:"scope"` - // The new autosave settings; may be null if the settings are reset to default - Settings *ScopeAutosaveSettings `json:"settings"` + meta + // Type of chats for which autosave settings were updated + Scope AutosaveSettingsScope `json:"scope"` + // The new autosave settings; may be null if the settings are reset to default + Settings *ScopeAutosaveSettings `json:"settings"` } func (entity *UpdateAutosaveSettings) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateAutosaveSettings + type stub UpdateAutosaveSettings - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateAutosaveSettings) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateAutosaveSettings) GetType() string { - return TypeUpdateAutosaveSettings + return TypeUpdateAutosaveSettings } func (*UpdateAutosaveSettings) UpdateType() string { - return TypeUpdateAutosaveSettings + return TypeUpdateAutosaveSettings } func (updateAutosaveSettings *UpdateAutosaveSettings) UnmarshalJSON(data []byte) error { - var tmp struct { - Scope json.RawMessage `json:"scope"` - Settings *ScopeAutosaveSettings `json:"settings"` - } + var tmp struct { + Scope json.RawMessage `json:"scope"` + Settings *ScopeAutosaveSettings `json:"settings"` + } - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - updateAutosaveSettings.Settings = tmp.Settings + updateAutosaveSettings.Settings = tmp.Settings - fieldScope, _ := UnmarshalAutosaveSettingsScope(tmp.Scope) - updateAutosaveSettings.Scope = fieldScope + fieldScope, _ := UnmarshalAutosaveSettingsScope(tmp.Scope) + updateAutosaveSettings.Scope = fieldScope - return nil + return nil +} + +// A business connection has changed; for bots only +type UpdateBusinessConnection struct { + meta + // New data about the connection + Connection *BusinessConnection `json:"connection"` +} + +func (entity *UpdateBusinessConnection) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateBusinessConnection + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateBusinessConnection) GetClass() string { + return ClassUpdate +} + +func (*UpdateBusinessConnection) GetType() string { + return TypeUpdateBusinessConnection +} + +func (*UpdateBusinessConnection) UpdateType() string { + return TypeUpdateBusinessConnection +} + +// A new message was added to a business account; for bots only +type UpdateNewBusinessMessage struct { + meta + // Unique identifier of the business connection + ConnectionId string `json:"connection_id"` + // The new message + Message *BusinessMessage `json:"message"` +} + +func (entity *UpdateNewBusinessMessage) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateNewBusinessMessage + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateNewBusinessMessage) GetClass() string { + return ClassUpdate +} + +func (*UpdateNewBusinessMessage) GetType() string { + return TypeUpdateNewBusinessMessage +} + +func (*UpdateNewBusinessMessage) UpdateType() string { + return TypeUpdateNewBusinessMessage +} + +// A message in a business account was edited; for bots only +type UpdateBusinessMessageEdited struct { + meta + // Unique identifier of the business connection + ConnectionId string `json:"connection_id"` + // The edited message + Message *BusinessMessage `json:"message"` +} + +func (entity *UpdateBusinessMessageEdited) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateBusinessMessageEdited + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateBusinessMessageEdited) GetClass() string { + return ClassUpdate +} + +func (*UpdateBusinessMessageEdited) GetType() string { + return TypeUpdateBusinessMessageEdited +} + +func (*UpdateBusinessMessageEdited) UpdateType() string { + return TypeUpdateBusinessMessageEdited +} + +// Messages in a business account were deleted; for bots only +type UpdateBusinessMessagesDeleted struct { + meta + // Unique identifier of the business connection + ConnectionId string `json:"connection_id"` + // Identifier of a chat in the business account in which messages were deleted + ChatId int64 `json:"chat_id"` + // Unique message identifiers of the deleted messages + MessageIds []int64 `json:"message_ids"` +} + +func (entity *UpdateBusinessMessagesDeleted) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateBusinessMessagesDeleted + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateBusinessMessagesDeleted) GetClass() string { + return ClassUpdate +} + +func (*UpdateBusinessMessagesDeleted) GetType() string { + return TypeUpdateBusinessMessagesDeleted +} + +func (*UpdateBusinessMessagesDeleted) UpdateType() string { + return TypeUpdateBusinessMessagesDeleted } // A new incoming inline query; for bots only type UpdateNewInlineQuery struct { - meta - // Unique query identifier - Id JsonInt64 `json:"id"` - // Identifier of the user who sent the query - SenderUserId int64 `json:"sender_user_id"` - // User location; may be null - UserLocation *Location `json:"user_location"` - // The type of the chat from which the query originated; may be null if unknown - ChatType ChatType `json:"chat_type"` - // Text of the query - Query string `json:"query"` - // Offset of the first entry to return - Offset string `json:"offset"` + meta + // Unique query identifier + Id JsonInt64 `json:"id"` + // Identifier of the user who sent the query + SenderUserId int64 `json:"sender_user_id"` + // User location; may be null + UserLocation *Location `json:"user_location"` + // The type of the chat from which the query originated; may be null if unknown + ChatType ChatType `json:"chat_type"` + // Text of the query + Query string `json:"query"` + // Offset of the first entry to return + Offset string `json:"offset"` } func (entity *UpdateNewInlineQuery) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateNewInlineQuery + type stub UpdateNewInlineQuery - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateNewInlineQuery) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateNewInlineQuery) GetType() string { - return TypeUpdateNewInlineQuery + return TypeUpdateNewInlineQuery } func (*UpdateNewInlineQuery) UpdateType() string { - return TypeUpdateNewInlineQuery + return TypeUpdateNewInlineQuery } func (updateNewInlineQuery *UpdateNewInlineQuery) UnmarshalJSON(data []byte) error { - var tmp struct { - Id JsonInt64 `json:"id"` - SenderUserId int64 `json:"sender_user_id"` - UserLocation *Location `json:"user_location"` - ChatType json.RawMessage `json:"chat_type"` - Query string `json:"query"` - Offset string `json:"offset"` - } + var tmp struct { + Id JsonInt64 `json:"id"` + SenderUserId int64 `json:"sender_user_id"` + UserLocation *Location `json:"user_location"` + ChatType json.RawMessage `json:"chat_type"` + Query string `json:"query"` + Offset string `json:"offset"` + } - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - updateNewInlineQuery.Id = tmp.Id - updateNewInlineQuery.SenderUserId = tmp.SenderUserId - updateNewInlineQuery.UserLocation = tmp.UserLocation - updateNewInlineQuery.Query = tmp.Query - updateNewInlineQuery.Offset = tmp.Offset + updateNewInlineQuery.Id = tmp.Id + updateNewInlineQuery.SenderUserId = tmp.SenderUserId + updateNewInlineQuery.UserLocation = tmp.UserLocation + updateNewInlineQuery.Query = tmp.Query + updateNewInlineQuery.Offset = tmp.Offset - fieldChatType, _ := UnmarshalChatType(tmp.ChatType) - updateNewInlineQuery.ChatType = fieldChatType + fieldChatType, _ := UnmarshalChatType(tmp.ChatType) + updateNewInlineQuery.ChatType = fieldChatType - return nil + return nil } // The user has chosen a result of an inline query; for bots only type UpdateNewChosenInlineResult struct { - meta - // Identifier of the user who sent the query - SenderUserId int64 `json:"sender_user_id"` - // User location; may be null - UserLocation *Location `json:"user_location"` - // Text of the query - Query string `json:"query"` - // Identifier of the chosen result - ResultId string `json:"result_id"` - // Identifier of the sent inline message, if known - InlineMessageId string `json:"inline_message_id"` + meta + // Identifier of the user who sent the query + SenderUserId int64 `json:"sender_user_id"` + // User location; may be null + UserLocation *Location `json:"user_location"` + // Text of the query + Query string `json:"query"` + // Identifier of the chosen result + ResultId string `json:"result_id"` + // Identifier of the sent inline message, if known + InlineMessageId string `json:"inline_message_id"` } func (entity *UpdateNewChosenInlineResult) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateNewChosenInlineResult + type stub UpdateNewChosenInlineResult - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateNewChosenInlineResult) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateNewChosenInlineResult) GetType() string { - return TypeUpdateNewChosenInlineResult + return TypeUpdateNewChosenInlineResult } func (*UpdateNewChosenInlineResult) UpdateType() string { - return TypeUpdateNewChosenInlineResult + return TypeUpdateNewChosenInlineResult } // A new incoming callback query; for bots only type UpdateNewCallbackQuery struct { - meta - // Unique query identifier - Id JsonInt64 `json:"id"` - // Identifier of the user who sent the query - SenderUserId int64 `json:"sender_user_id"` - // Identifier of the chat where the query was sent - ChatId int64 `json:"chat_id"` - // Identifier of the message from which the query originated - MessageId int64 `json:"message_id"` - // Identifier that uniquely corresponds to the chat to which the message was sent - ChatInstance JsonInt64 `json:"chat_instance"` - // Query payload - Payload CallbackQueryPayload `json:"payload"` + meta + // Unique query identifier + Id JsonInt64 `json:"id"` + // Identifier of the user who sent the query + SenderUserId int64 `json:"sender_user_id"` + // Identifier of the chat where the query was sent + ChatId int64 `json:"chat_id"` + // Identifier of the message from which the query originated + MessageId int64 `json:"message_id"` + // Identifier that uniquely corresponds to the chat to which the message was sent + ChatInstance JsonInt64 `json:"chat_instance"` + // Query payload + Payload CallbackQueryPayload `json:"payload"` } func (entity *UpdateNewCallbackQuery) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateNewCallbackQuery + type stub UpdateNewCallbackQuery - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateNewCallbackQuery) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateNewCallbackQuery) GetType() string { - return TypeUpdateNewCallbackQuery + return TypeUpdateNewCallbackQuery } func (*UpdateNewCallbackQuery) UpdateType() string { - return TypeUpdateNewCallbackQuery + return TypeUpdateNewCallbackQuery } func (updateNewCallbackQuery *UpdateNewCallbackQuery) UnmarshalJSON(data []byte) error { - var tmp struct { - Id JsonInt64 `json:"id"` - SenderUserId int64 `json:"sender_user_id"` - ChatId int64 `json:"chat_id"` - MessageId int64 `json:"message_id"` - ChatInstance JsonInt64 `json:"chat_instance"` - Payload json.RawMessage `json:"payload"` - } + var tmp struct { + Id JsonInt64 `json:"id"` + SenderUserId int64 `json:"sender_user_id"` + ChatId int64 `json:"chat_id"` + MessageId int64 `json:"message_id"` + ChatInstance JsonInt64 `json:"chat_instance"` + Payload json.RawMessage `json:"payload"` + } - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - updateNewCallbackQuery.Id = tmp.Id - updateNewCallbackQuery.SenderUserId = tmp.SenderUserId - updateNewCallbackQuery.ChatId = tmp.ChatId - updateNewCallbackQuery.MessageId = tmp.MessageId - updateNewCallbackQuery.ChatInstance = tmp.ChatInstance + updateNewCallbackQuery.Id = tmp.Id + updateNewCallbackQuery.SenderUserId = tmp.SenderUserId + updateNewCallbackQuery.ChatId = tmp.ChatId + updateNewCallbackQuery.MessageId = tmp.MessageId + updateNewCallbackQuery.ChatInstance = tmp.ChatInstance - fieldPayload, _ := UnmarshalCallbackQueryPayload(tmp.Payload) - updateNewCallbackQuery.Payload = fieldPayload + fieldPayload, _ := UnmarshalCallbackQueryPayload(tmp.Payload) + updateNewCallbackQuery.Payload = fieldPayload - return nil + return nil } // A new incoming callback query from a message sent via a bot; for bots only type UpdateNewInlineCallbackQuery struct { - meta - // Unique query identifier - Id JsonInt64 `json:"id"` - // Identifier of the user who sent the query - SenderUserId int64 `json:"sender_user_id"` - // Identifier of the inline message from which the query originated - InlineMessageId string `json:"inline_message_id"` - // An identifier uniquely corresponding to the chat a message was sent to - ChatInstance JsonInt64 `json:"chat_instance"` - // Query payload - Payload CallbackQueryPayload `json:"payload"` + meta + // Unique query identifier + Id JsonInt64 `json:"id"` + // Identifier of the user who sent the query + SenderUserId int64 `json:"sender_user_id"` + // Identifier of the inline message from which the query originated + InlineMessageId string `json:"inline_message_id"` + // An identifier uniquely corresponding to the chat a message was sent to + ChatInstance JsonInt64 `json:"chat_instance"` + // Query payload + Payload CallbackQueryPayload `json:"payload"` } func (entity *UpdateNewInlineCallbackQuery) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateNewInlineCallbackQuery + type stub UpdateNewInlineCallbackQuery - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateNewInlineCallbackQuery) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateNewInlineCallbackQuery) GetType() string { - return TypeUpdateNewInlineCallbackQuery + return TypeUpdateNewInlineCallbackQuery } func (*UpdateNewInlineCallbackQuery) UpdateType() string { - return TypeUpdateNewInlineCallbackQuery + return TypeUpdateNewInlineCallbackQuery } func (updateNewInlineCallbackQuery *UpdateNewInlineCallbackQuery) UnmarshalJSON(data []byte) error { - var tmp struct { - Id JsonInt64 `json:"id"` - SenderUserId int64 `json:"sender_user_id"` - InlineMessageId string `json:"inline_message_id"` - ChatInstance JsonInt64 `json:"chat_instance"` - Payload json.RawMessage `json:"payload"` - } + var tmp struct { + Id JsonInt64 `json:"id"` + SenderUserId int64 `json:"sender_user_id"` + InlineMessageId string `json:"inline_message_id"` + ChatInstance JsonInt64 `json:"chat_instance"` + Payload json.RawMessage `json:"payload"` + } - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - updateNewInlineCallbackQuery.Id = tmp.Id - updateNewInlineCallbackQuery.SenderUserId = tmp.SenderUserId - updateNewInlineCallbackQuery.InlineMessageId = tmp.InlineMessageId - updateNewInlineCallbackQuery.ChatInstance = tmp.ChatInstance + updateNewInlineCallbackQuery.Id = tmp.Id + updateNewInlineCallbackQuery.SenderUserId = tmp.SenderUserId + updateNewInlineCallbackQuery.InlineMessageId = tmp.InlineMessageId + updateNewInlineCallbackQuery.ChatInstance = tmp.ChatInstance - fieldPayload, _ := UnmarshalCallbackQueryPayload(tmp.Payload) - updateNewInlineCallbackQuery.Payload = fieldPayload + fieldPayload, _ := UnmarshalCallbackQueryPayload(tmp.Payload) + updateNewInlineCallbackQuery.Payload = fieldPayload - return nil + return nil +} + +// A new incoming callback query from a business message; for bots only +type UpdateNewBusinessCallbackQuery struct { + meta + // Unique query identifier + Id JsonInt64 `json:"id"` + // Identifier of the user who sent the query + SenderUserId int64 `json:"sender_user_id"` + // Unique identifier of the business connection + ConnectionId string `json:"connection_id"` + // The message from the business account from which the query originated + Message *BusinessMessage `json:"message"` + // An identifier uniquely corresponding to the chat a message was sent to + ChatInstance JsonInt64 `json:"chat_instance"` + // Query payload + Payload CallbackQueryPayload `json:"payload"` +} + +func (entity *UpdateNewBusinessCallbackQuery) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateNewBusinessCallbackQuery + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateNewBusinessCallbackQuery) GetClass() string { + return ClassUpdate +} + +func (*UpdateNewBusinessCallbackQuery) GetType() string { + return TypeUpdateNewBusinessCallbackQuery +} + +func (*UpdateNewBusinessCallbackQuery) UpdateType() string { + return TypeUpdateNewBusinessCallbackQuery +} + +func (updateNewBusinessCallbackQuery *UpdateNewBusinessCallbackQuery) UnmarshalJSON(data []byte) error { + var tmp struct { + Id JsonInt64 `json:"id"` + SenderUserId int64 `json:"sender_user_id"` + ConnectionId string `json:"connection_id"` + Message *BusinessMessage `json:"message"` + ChatInstance JsonInt64 `json:"chat_instance"` + Payload json.RawMessage `json:"payload"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + updateNewBusinessCallbackQuery.Id = tmp.Id + updateNewBusinessCallbackQuery.SenderUserId = tmp.SenderUserId + updateNewBusinessCallbackQuery.ConnectionId = tmp.ConnectionId + updateNewBusinessCallbackQuery.Message = tmp.Message + updateNewBusinessCallbackQuery.ChatInstance = tmp.ChatInstance + + fieldPayload, _ := UnmarshalCallbackQueryPayload(tmp.Payload) + updateNewBusinessCallbackQuery.Payload = fieldPayload + + return nil } // A new incoming shipping query; for bots only. Only for invoices with flexible price type UpdateNewShippingQuery struct { - meta - // Unique query identifier - Id JsonInt64 `json:"id"` - // Identifier of the user who sent the query - SenderUserId int64 `json:"sender_user_id"` - // Invoice payload - InvoicePayload string `json:"invoice_payload"` - // User shipping address - ShippingAddress *Address `json:"shipping_address"` + meta + // Unique query identifier + Id JsonInt64 `json:"id"` + // Identifier of the user who sent the query + SenderUserId int64 `json:"sender_user_id"` + // Invoice payload + InvoicePayload string `json:"invoice_payload"` + // User shipping address + ShippingAddress *Address `json:"shipping_address"` } func (entity *UpdateNewShippingQuery) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateNewShippingQuery + type stub UpdateNewShippingQuery - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateNewShippingQuery) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateNewShippingQuery) GetType() string { - return TypeUpdateNewShippingQuery + return TypeUpdateNewShippingQuery } func (*UpdateNewShippingQuery) UpdateType() string { - return TypeUpdateNewShippingQuery + return TypeUpdateNewShippingQuery } // A new incoming pre-checkout query; for bots only. Contains full information about a checkout type UpdateNewPreCheckoutQuery struct { - meta - // Unique query identifier - Id JsonInt64 `json:"id"` - // Identifier of the user who sent the query - SenderUserId int64 `json:"sender_user_id"` - // Currency for the product price - Currency string `json:"currency"` - // Total price for the product, in the smallest units of the currency - TotalAmount int64 `json:"total_amount"` - // Invoice payload - InvoicePayload []byte `json:"invoice_payload"` - // Identifier of a shipping option chosen by the user; may be empty if not applicable - ShippingOptionId string `json:"shipping_option_id"` - // Information about the order; may be null - OrderInfo *OrderInfo `json:"order_info"` + meta + // Unique query identifier + Id JsonInt64 `json:"id"` + // Identifier of the user who sent the query + SenderUserId int64 `json:"sender_user_id"` + // Currency for the product price + Currency string `json:"currency"` + // Total price for the product, in the smallest units of the currency + TotalAmount int64 `json:"total_amount"` + // Invoice payload + InvoicePayload []byte `json:"invoice_payload"` + // Identifier of a shipping option chosen by the user; may be empty if not applicable + ShippingOptionId string `json:"shipping_option_id"` + // Information about the order; may be null + OrderInfo *OrderInfo `json:"order_info"` } func (entity *UpdateNewPreCheckoutQuery) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateNewPreCheckoutQuery + type stub UpdateNewPreCheckoutQuery - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateNewPreCheckoutQuery) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateNewPreCheckoutQuery) GetType() string { - return TypeUpdateNewPreCheckoutQuery + return TypeUpdateNewPreCheckoutQuery } func (*UpdateNewPreCheckoutQuery) UpdateType() string { - return TypeUpdateNewPreCheckoutQuery + return TypeUpdateNewPreCheckoutQuery } // A new incoming event; for bots only type UpdateNewCustomEvent struct { - meta - // A JSON-serialized event - Event string `json:"event"` + meta + // A JSON-serialized event + Event string `json:"event"` } func (entity *UpdateNewCustomEvent) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateNewCustomEvent + type stub UpdateNewCustomEvent - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateNewCustomEvent) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateNewCustomEvent) GetType() string { - return TypeUpdateNewCustomEvent + return TypeUpdateNewCustomEvent } func (*UpdateNewCustomEvent) UpdateType() string { - return TypeUpdateNewCustomEvent + return TypeUpdateNewCustomEvent } // A new incoming query; for bots only type UpdateNewCustomQuery struct { - meta - // The query identifier - Id JsonInt64 `json:"id"` - // JSON-serialized query data - Data string `json:"data"` - // Query timeout - Timeout int32 `json:"timeout"` + meta + // The query identifier + Id JsonInt64 `json:"id"` + // JSON-serialized query data + Data string `json:"data"` + // Query timeout + Timeout int32 `json:"timeout"` } func (entity *UpdateNewCustomQuery) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateNewCustomQuery + type stub UpdateNewCustomQuery - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateNewCustomQuery) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateNewCustomQuery) GetType() string { - return TypeUpdateNewCustomQuery + return TypeUpdateNewCustomQuery } func (*UpdateNewCustomQuery) UpdateType() string { - return TypeUpdateNewCustomQuery + return TypeUpdateNewCustomQuery } // A poll was updated; for bots only type UpdatePoll struct { - meta - // New data about the poll - Poll *Poll `json:"poll"` + meta + // New data about the poll + Poll *Poll `json:"poll"` } func (entity *UpdatePoll) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdatePoll + type stub UpdatePoll - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdatePoll) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdatePoll) GetType() string { - return TypeUpdatePoll + return TypeUpdatePoll } func (*UpdatePoll) UpdateType() string { - return TypeUpdatePoll + return TypeUpdatePoll } // A user changed the answer to a poll; for bots only type UpdatePollAnswer struct { - meta - // Unique poll identifier - PollId JsonInt64 `json:"poll_id"` - // The user, who changed the answer to the poll - UserId int64 `json:"user_id"` - // 0-based identifiers of answer options, chosen by the user - OptionIds []int32 `json:"option_ids"` + meta + // Unique poll identifier + PollId JsonInt64 `json:"poll_id"` + // Identifier of the message sender that changed the answer to the poll + VoterId MessageSender `json:"voter_id"` + // 0-based identifiers of answer options, chosen by the user + OptionIds []int32 `json:"option_ids"` } func (entity *UpdatePollAnswer) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdatePollAnswer + type stub UpdatePollAnswer - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdatePollAnswer) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdatePollAnswer) GetType() string { - return TypeUpdatePollAnswer + return TypeUpdatePollAnswer } func (*UpdatePollAnswer) UpdateType() string { - return TypeUpdatePollAnswer + return TypeUpdatePollAnswer +} + +func (updatePollAnswer *UpdatePollAnswer) UnmarshalJSON(data []byte) error { + var tmp struct { + PollId JsonInt64 `json:"poll_id"` + VoterId json.RawMessage `json:"voter_id"` + OptionIds []int32 `json:"option_ids"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + updatePollAnswer.PollId = tmp.PollId + updatePollAnswer.OptionIds = tmp.OptionIds + + fieldVoterId, _ := UnmarshalMessageSender(tmp.VoterId) + updatePollAnswer.VoterId = fieldVoterId + + return nil } // User rights changed in a chat; for bots only type UpdateChatMember struct { - meta - // Chat identifier - ChatId int64 `json:"chat_id"` - // Identifier of the user, changing the rights - ActorUserId int64 `json:"actor_user_id"` - // Point in time (Unix timestamp) when the user rights was changed - Date int32 `json:"date"` - // If user has joined the chat using an invite link, the invite link; may be null - InviteLink *ChatInviteLink `json:"invite_link"` - // Previous chat member - OldChatMember *ChatMember `json:"old_chat_member"` - // New chat member - NewChatMember *ChatMember `json:"new_chat_member"` + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // Identifier of the user, changing the rights + ActorUserId int64 `json:"actor_user_id"` + // Point in time (Unix timestamp) when the user rights were changed + Date int32 `json:"date"` + // If user has joined the chat using an invite link, the invite link; may be null + InviteLink *ChatInviteLink `json:"invite_link"` + // True, if the user has joined the chat after sending a join request and being approved by an administrator + ViaJoinRequest bool `json:"via_join_request"` + // True, if the user has joined the chat using an invite link for a chat folder + ViaChatFolderInviteLink bool `json:"via_chat_folder_invite_link"` + // Previous chat member + OldChatMember *ChatMember `json:"old_chat_member"` + // New chat member + NewChatMember *ChatMember `json:"new_chat_member"` } func (entity *UpdateChatMember) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateChatMember + type stub UpdateChatMember - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateChatMember) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateChatMember) GetType() string { - return TypeUpdateChatMember + return TypeUpdateChatMember } func (*UpdateChatMember) UpdateType() string { - return TypeUpdateChatMember + return TypeUpdateChatMember } // A user sent a join request to a chat; for bots only type UpdateNewChatJoinRequest struct { - meta - // Chat identifier - ChatId int64 `json:"chat_id"` - // Join request - Request *ChatJoinRequest `json:"request"` - // Chat identifier of the private chat with the user - UserChatId int64 `json:"user_chat_id"` - // The invite link, which was used to send join request; may be null - InviteLink *ChatInviteLink `json:"invite_link"` + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // Join request + Request *ChatJoinRequest `json:"request"` + // Chat identifier of the private chat with the user + UserChatId int64 `json:"user_chat_id"` + // The invite link, which was used to send join request; may be null + InviteLink *ChatInviteLink `json:"invite_link"` } func (entity *UpdateNewChatJoinRequest) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UpdateNewChatJoinRequest + type stub UpdateNewChatJoinRequest - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UpdateNewChatJoinRequest) GetClass() string { - return ClassUpdate + return ClassUpdate } func (*UpdateNewChatJoinRequest) GetType() string { - return TypeUpdateNewChatJoinRequest + return TypeUpdateNewChatJoinRequest } func (*UpdateNewChatJoinRequest) UpdateType() string { - return TypeUpdateNewChatJoinRequest + return TypeUpdateNewChatJoinRequest +} + +// A chat boost has changed; for bots only +type UpdateChatBoost struct { + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // New information about the boost + Boost *ChatBoost `json:"boost"` +} + +func (entity *UpdateChatBoost) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateChatBoost + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateChatBoost) GetClass() string { + return ClassUpdate +} + +func (*UpdateChatBoost) GetType() string { + return TypeUpdateChatBoost +} + +func (*UpdateChatBoost) UpdateType() string { + return TypeUpdateChatBoost +} + +// User changed its reactions on a message with public reactions; for bots only +type UpdateMessageReaction struct { + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // Message identifier + MessageId int64 `json:"message_id"` + // Identifier of the user or chat that changed reactions + ActorId MessageSender `json:"actor_id"` + // Point in time (Unix timestamp) when the reactions were changed + Date int32 `json:"date"` + // Old list of chosen reactions + OldReactionTypes []ReactionType `json:"old_reaction_types"` + // New list of chosen reactions + NewReactionTypes []ReactionType `json:"new_reaction_types"` +} + +func (entity *UpdateMessageReaction) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateMessageReaction + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateMessageReaction) GetClass() string { + return ClassUpdate +} + +func (*UpdateMessageReaction) GetType() string { + return TypeUpdateMessageReaction +} + +func (*UpdateMessageReaction) UpdateType() string { + return TypeUpdateMessageReaction +} + +func (updateMessageReaction *UpdateMessageReaction) UnmarshalJSON(data []byte) error { + var tmp struct { + ChatId int64 `json:"chat_id"` + MessageId int64 `json:"message_id"` + ActorId json.RawMessage `json:"actor_id"` + Date int32 `json:"date"` + OldReactionTypes []json.RawMessage `json:"old_reaction_types"` + NewReactionTypes []json.RawMessage `json:"new_reaction_types"` + } + + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } + + updateMessageReaction.ChatId = tmp.ChatId + updateMessageReaction.MessageId = tmp.MessageId + updateMessageReaction.Date = tmp.Date + + fieldActorId, _ := UnmarshalMessageSender(tmp.ActorId) + updateMessageReaction.ActorId = fieldActorId + + fieldOldReactionTypes, _ := UnmarshalListOfReactionType(tmp.OldReactionTypes) + updateMessageReaction.OldReactionTypes = fieldOldReactionTypes + + fieldNewReactionTypes, _ := UnmarshalListOfReactionType(tmp.NewReactionTypes) + updateMessageReaction.NewReactionTypes = fieldNewReactionTypes + + return nil +} + +// Reactions added to a message with anonymous reactions have changed; for bots only +type UpdateMessageReactions struct { + meta + // Chat identifier + ChatId int64 `json:"chat_id"` + // Message identifier + MessageId int64 `json:"message_id"` + // Point in time (Unix timestamp) when the reactions were changed + Date int32 `json:"date"` + // The list of reactions added to the message + Reactions []*MessageReaction `json:"reactions"` +} + +func (entity *UpdateMessageReactions) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdateMessageReactions + + return json.Marshal((*stub)(entity)) +} + +func (*UpdateMessageReactions) GetClass() string { + return ClassUpdate +} + +func (*UpdateMessageReactions) GetType() string { + return TypeUpdateMessageReactions +} + +func (*UpdateMessageReactions) UpdateType() string { + return TypeUpdateMessageReactions +} + +// Paid media were purchased by a user; for bots only +type UpdatePaidMediaPurchased struct { + meta + // User identifier + UserId int64 `json:"user_id"` + // Bot-specified payload for the paid media + Payload string `json:"payload"` +} + +func (entity *UpdatePaidMediaPurchased) MarshalJSON() ([]byte, error) { + entity.meta.Type = entity.GetType() + + type stub UpdatePaidMediaPurchased + + return json.Marshal((*stub)(entity)) +} + +func (*UpdatePaidMediaPurchased) GetClass() string { + return ClassUpdate +} + +func (*UpdatePaidMediaPurchased) GetType() string { + return TypeUpdatePaidMediaPurchased +} + +func (*UpdatePaidMediaPurchased) UpdateType() string { + return TypeUpdatePaidMediaPurchased } // Contains a list of updates type Updates struct { - meta - // List of updates - Updates []Update `json:"updates"` + meta + // List of updates + Updates []Update `json:"updates"` } func (entity *Updates) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub Updates + type stub Updates - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*Updates) GetClass() string { - return ClassUpdates + return ClassUpdates } func (*Updates) GetType() string { - return TypeUpdates + return TypeUpdates } func (updates *Updates) UnmarshalJSON(data []byte) error { - var tmp struct { - Updates []json.RawMessage `json:"updates"` - } + var tmp struct { + Updates []json.RawMessage `json:"updates"` + } - err := json.Unmarshal(data, &tmp) - if err != nil { - return err - } + err := json.Unmarshal(data, &tmp) + if err != nil { + return err + } - fieldUpdates, _ := UnmarshalListOfUpdate(tmp.Updates) - updates.Updates = fieldUpdates + fieldUpdates, _ := UnmarshalListOfUpdate(tmp.Updates) + updates.Updates = fieldUpdates - return nil + return nil } // The log is written to stderr or an OS specific log -type LogStreamDefault struct { - meta +type LogStreamDefault struct{ + meta } func (entity *LogStreamDefault) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub LogStreamDefault + type stub LogStreamDefault - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*LogStreamDefault) GetClass() string { - return ClassLogStream + return ClassLogStream } func (*LogStreamDefault) GetType() string { - return TypeLogStreamDefault + return TypeLogStreamDefault } func (*LogStreamDefault) LogStreamType() string { - return TypeLogStreamDefault + return TypeLogStreamDefault } // The log is written to a file type LogStreamFile struct { - meta - // Path to the file to where the internal TDLib log will be written - Path string `json:"path"` - // The maximum size of the file to where the internal TDLib log is written before the file will automatically be rotated, in bytes - MaxFileSize int64 `json:"max_file_size"` - // Pass true to additionally redirect stderr to the log file. Ignored on Windows - RedirectStderr bool `json:"redirect_stderr"` + meta + // Path to the file to where the internal TDLib log will be written + Path string `json:"path"` + // The maximum size of the file to where the internal TDLib log is written before the file will automatically be rotated, in bytes + MaxFileSize int64 `json:"max_file_size"` + // Pass true to additionally redirect stderr to the log file. Ignored on Windows + RedirectStderr bool `json:"redirect_stderr"` } func (entity *LogStreamFile) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub LogStreamFile + type stub LogStreamFile - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*LogStreamFile) GetClass() string { - return ClassLogStream + return ClassLogStream } func (*LogStreamFile) GetType() string { - return TypeLogStreamFile + return TypeLogStreamFile } func (*LogStreamFile) LogStreamType() string { - return TypeLogStreamFile + return TypeLogStreamFile } // The log is written nowhere -type LogStreamEmpty struct { - meta +type LogStreamEmpty struct{ + meta } func (entity *LogStreamEmpty) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub LogStreamEmpty + type stub LogStreamEmpty - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*LogStreamEmpty) GetClass() string { - return ClassLogStream + return ClassLogStream } func (*LogStreamEmpty) GetType() string { - return TypeLogStreamEmpty + return TypeLogStreamEmpty } func (*LogStreamEmpty) LogStreamType() string { - return TypeLogStreamEmpty + return TypeLogStreamEmpty } // Contains a TDLib internal log verbosity level type LogVerbosityLevel struct { - meta - // Log verbosity level - VerbosityLevel int32 `json:"verbosity_level"` + meta + // Log verbosity level + VerbosityLevel int32 `json:"verbosity_level"` } func (entity *LogVerbosityLevel) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub LogVerbosityLevel + type stub LogVerbosityLevel - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*LogVerbosityLevel) GetClass() string { - return ClassLogVerbosityLevel + return ClassLogVerbosityLevel } func (*LogVerbosityLevel) GetType() string { - return TypeLogVerbosityLevel + return TypeLogVerbosityLevel } // Contains a list of available TDLib internal log tags type LogTags struct { - meta - // List of log tags - Tags []string `json:"tags"` + meta + // List of log tags + Tags []string `json:"tags"` } func (entity *LogTags) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub LogTags + type stub LogTags - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*LogTags) GetClass() string { - return ClassLogTags + return ClassLogTags } func (*LogTags) GetType() string { - return TypeLogTags + return TypeLogTags } // Contains custom information about the user type UserSupportInfo struct { - meta - // Information message - Message *FormattedText `json:"message"` - // Information author - Author string `json:"author"` - // Information change date - Date int32 `json:"date"` + meta + // Information message + Message *FormattedText `json:"message"` + // Information author + Author string `json:"author"` + // Information change date + Date int32 `json:"date"` } func (entity *UserSupportInfo) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub UserSupportInfo + type stub UserSupportInfo - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*UserSupportInfo) GetClass() string { - return ClassUserSupportInfo + return ClassUserSupportInfo } func (*UserSupportInfo) GetType() string { - return TypeUserSupportInfo + return TypeUserSupportInfo } // A simple object containing a number; for testing only type TestInt struct { - meta - // Number - Value int32 `json:"value"` + meta + // Number + Value int32 `json:"value"` } func (entity *TestInt) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub TestInt + type stub TestInt - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*TestInt) GetClass() string { - return ClassTestInt + return ClassTestInt } func (*TestInt) GetType() string { - return TypeTestInt + return TypeTestInt } // A simple object containing a string; for testing only type TestString struct { - meta - // String - Value string `json:"value"` + meta + // String + Value string `json:"value"` } func (entity *TestString) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub TestString + type stub TestString - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*TestString) GetClass() string { - return ClassTestString + return ClassTestString } func (*TestString) GetType() string { - return TypeTestString + return TypeTestString } // A simple object containing a sequence of bytes; for testing only type TestBytes struct { - meta - // Bytes - Value []byte `json:"value"` + meta + // Bytes + Value []byte `json:"value"` } func (entity *TestBytes) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub TestBytes + type stub TestBytes - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*TestBytes) GetClass() string { - return ClassTestBytes + return ClassTestBytes } func (*TestBytes) GetType() string { - return TypeTestBytes + return TypeTestBytes } // A simple object containing a vector of numbers; for testing only type TestVectorInt struct { - meta - // Vector of numbers - Value []int32 `json:"value"` + meta + // Vector of numbers + Value []int32 `json:"value"` } func (entity *TestVectorInt) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub TestVectorInt + type stub TestVectorInt - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*TestVectorInt) GetClass() string { - return ClassTestVectorInt + return ClassTestVectorInt } func (*TestVectorInt) GetType() string { - return TypeTestVectorInt + return TypeTestVectorInt } // A simple object containing a vector of objects that hold a number; for testing only type TestVectorIntObject struct { - meta - // Vector of objects - Value []*TestInt `json:"value"` + meta + // Vector of objects + Value []*TestInt `json:"value"` } func (entity *TestVectorIntObject) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub TestVectorIntObject + type stub TestVectorIntObject - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*TestVectorIntObject) GetClass() string { - return ClassTestVectorIntObject + return ClassTestVectorIntObject } func (*TestVectorIntObject) GetType() string { - return TypeTestVectorIntObject + return TypeTestVectorIntObject } // A simple object containing a vector of strings; for testing only type TestVectorString struct { - meta - // Vector of strings - Value []string `json:"value"` + meta + // Vector of strings + Value []string `json:"value"` } func (entity *TestVectorString) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub TestVectorString + type stub TestVectorString - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*TestVectorString) GetClass() string { - return ClassTestVectorString + return ClassTestVectorString } func (*TestVectorString) GetType() string { - return TypeTestVectorString + return TypeTestVectorString } // A simple object containing a vector of objects that hold a string; for testing only type TestVectorStringObject struct { - meta - // Vector of objects - Value []*TestString `json:"value"` + meta + // Vector of objects + Value []*TestString `json:"value"` } func (entity *TestVectorStringObject) MarshalJSON() ([]byte, error) { - entity.meta.Type = entity.GetType() + entity.meta.Type = entity.GetType() - type stub TestVectorStringObject + type stub TestVectorStringObject - return json.Marshal((*stub)(entity)) + return json.Marshal((*stub)(entity)) } func (*TestVectorStringObject) GetClass() string { - return ClassTestVectorStringObject + return ClassTestVectorStringObject } func (*TestVectorStringObject) GetType() string { - return TypeTestVectorStringObject + return TypeTestVectorStringObject } + diff --git a/client/unmarshaler.go b/client/unmarshaler.go index f8d624b..5319fa2 100755 --- a/client/unmarshaler.go +++ b/client/unmarshaler.go @@ -3,18697 +3,31732 @@ package client import ( - "encoding/json" - "fmt" + "encoding/json" + "fmt" ) func UnmarshalAuthenticationCodeType(data json.RawMessage) (AuthenticationCodeType, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeAuthenticationCodeTypeTelegramMessage: - return UnmarshalAuthenticationCodeTypeTelegramMessage(data) + switch meta.Type { + case TypeAuthenticationCodeTypeTelegramMessage: + return UnmarshalAuthenticationCodeTypeTelegramMessage(data) - case TypeAuthenticationCodeTypeSms: - return UnmarshalAuthenticationCodeTypeSms(data) + case TypeAuthenticationCodeTypeSms: + return UnmarshalAuthenticationCodeTypeSms(data) - case TypeAuthenticationCodeTypeCall: - return UnmarshalAuthenticationCodeTypeCall(data) + case TypeAuthenticationCodeTypeSmsWord: + return UnmarshalAuthenticationCodeTypeSmsWord(data) - case TypeAuthenticationCodeTypeFlashCall: - return UnmarshalAuthenticationCodeTypeFlashCall(data) + case TypeAuthenticationCodeTypeSmsPhrase: + return UnmarshalAuthenticationCodeTypeSmsPhrase(data) - case TypeAuthenticationCodeTypeMissedCall: - return UnmarshalAuthenticationCodeTypeMissedCall(data) + case TypeAuthenticationCodeTypeCall: + return UnmarshalAuthenticationCodeTypeCall(data) - case TypeAuthenticationCodeTypeFragment: - return UnmarshalAuthenticationCodeTypeFragment(data) + case TypeAuthenticationCodeTypeFlashCall: + return UnmarshalAuthenticationCodeTypeFlashCall(data) - case TypeAuthenticationCodeTypeFirebaseAndroid: - return UnmarshalAuthenticationCodeTypeFirebaseAndroid(data) + case TypeAuthenticationCodeTypeMissedCall: + return UnmarshalAuthenticationCodeTypeMissedCall(data) - case TypeAuthenticationCodeTypeFirebaseIos: - return UnmarshalAuthenticationCodeTypeFirebaseIos(data) + case TypeAuthenticationCodeTypeFragment: + return UnmarshalAuthenticationCodeTypeFragment(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + case TypeAuthenticationCodeTypeFirebaseAndroid: + return UnmarshalAuthenticationCodeTypeFirebaseAndroid(data) + + case TypeAuthenticationCodeTypeFirebaseIos: + return UnmarshalAuthenticationCodeTypeFirebaseIos(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfAuthenticationCodeType(dataList []json.RawMessage) ([]AuthenticationCodeType, error) { - list := []AuthenticationCodeType{} + list := []AuthenticationCodeType{} - for _, data := range dataList { - entity, err := UnmarshalAuthenticationCodeType(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalAuthenticationCodeType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalEmailAddressAuthentication(data json.RawMessage) (EmailAddressAuthentication, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeEmailAddressAuthenticationCode: - return UnmarshalEmailAddressAuthenticationCode(data) + switch meta.Type { + case TypeEmailAddressAuthenticationCode: + return UnmarshalEmailAddressAuthenticationCode(data) - case TypeEmailAddressAuthenticationAppleId: - return UnmarshalEmailAddressAuthenticationAppleId(data) + case TypeEmailAddressAuthenticationAppleId: + return UnmarshalEmailAddressAuthenticationAppleId(data) - case TypeEmailAddressAuthenticationGoogleId: - return UnmarshalEmailAddressAuthenticationGoogleId(data) + case TypeEmailAddressAuthenticationGoogleId: + return UnmarshalEmailAddressAuthenticationGoogleId(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfEmailAddressAuthentication(dataList []json.RawMessage) ([]EmailAddressAuthentication, error) { - list := []EmailAddressAuthentication{} + list := []EmailAddressAuthentication{} - for _, data := range dataList { - entity, err := UnmarshalEmailAddressAuthentication(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalEmailAddressAuthentication(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil +} + +func UnmarshalEmailAddressResetState(data json.RawMessage) (EmailAddressResetState, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeEmailAddressResetStateAvailable: + return UnmarshalEmailAddressResetStateAvailable(data) + + case TypeEmailAddressResetStatePending: + return UnmarshalEmailAddressResetStatePending(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfEmailAddressResetState(dataList []json.RawMessage) ([]EmailAddressResetState, error) { + list := []EmailAddressResetState{} + + for _, data := range dataList { + entity, err := UnmarshalEmailAddressResetState(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil } func UnmarshalAuthorizationState(data json.RawMessage) (AuthorizationState, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeAuthorizationStateWaitTdlibParameters: - return UnmarshalAuthorizationStateWaitTdlibParameters(data) + switch meta.Type { + case TypeAuthorizationStateWaitTdlibParameters: + return UnmarshalAuthorizationStateWaitTdlibParameters(data) - case TypeAuthorizationStateWaitPhoneNumber: - return UnmarshalAuthorizationStateWaitPhoneNumber(data) + case TypeAuthorizationStateWaitPhoneNumber: + return UnmarshalAuthorizationStateWaitPhoneNumber(data) - case TypeAuthorizationStateWaitEmailAddress: - return UnmarshalAuthorizationStateWaitEmailAddress(data) + case TypeAuthorizationStateWaitPremiumPurchase: + return UnmarshalAuthorizationStateWaitPremiumPurchase(data) - case TypeAuthorizationStateWaitEmailCode: - return UnmarshalAuthorizationStateWaitEmailCode(data) + case TypeAuthorizationStateWaitEmailAddress: + return UnmarshalAuthorizationStateWaitEmailAddress(data) - case TypeAuthorizationStateWaitCode: - return UnmarshalAuthorizationStateWaitCode(data) + case TypeAuthorizationStateWaitEmailCode: + return UnmarshalAuthorizationStateWaitEmailCode(data) - case TypeAuthorizationStateWaitOtherDeviceConfirmation: - return UnmarshalAuthorizationStateWaitOtherDeviceConfirmation(data) + case TypeAuthorizationStateWaitCode: + return UnmarshalAuthorizationStateWaitCode(data) - case TypeAuthorizationStateWaitRegistration: - return UnmarshalAuthorizationStateWaitRegistration(data) + case TypeAuthorizationStateWaitOtherDeviceConfirmation: + return UnmarshalAuthorizationStateWaitOtherDeviceConfirmation(data) - case TypeAuthorizationStateWaitPassword: - return UnmarshalAuthorizationStateWaitPassword(data) + case TypeAuthorizationStateWaitRegistration: + return UnmarshalAuthorizationStateWaitRegistration(data) - case TypeAuthorizationStateReady: - return UnmarshalAuthorizationStateReady(data) + case TypeAuthorizationStateWaitPassword: + return UnmarshalAuthorizationStateWaitPassword(data) - case TypeAuthorizationStateLoggingOut: - return UnmarshalAuthorizationStateLoggingOut(data) + case TypeAuthorizationStateReady: + return UnmarshalAuthorizationStateReady(data) - case TypeAuthorizationStateClosing: - return UnmarshalAuthorizationStateClosing(data) + case TypeAuthorizationStateLoggingOut: + return UnmarshalAuthorizationStateLoggingOut(data) - case TypeAuthorizationStateClosed: - return UnmarshalAuthorizationStateClosed(data) + case TypeAuthorizationStateClosing: + return UnmarshalAuthorizationStateClosing(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + case TypeAuthorizationStateClosed: + return UnmarshalAuthorizationStateClosed(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfAuthorizationState(dataList []json.RawMessage) ([]AuthorizationState, error) { - list := []AuthorizationState{} + list := []AuthorizationState{} - for _, data := range dataList { - entity, err := UnmarshalAuthorizationState(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalAuthorizationState(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil +} + +func UnmarshalFirebaseDeviceVerificationParameters(data json.RawMessage) (FirebaseDeviceVerificationParameters, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeFirebaseDeviceVerificationParametersSafetyNet: + return UnmarshalFirebaseDeviceVerificationParametersSafetyNet(data) + + case TypeFirebaseDeviceVerificationParametersPlayIntegrity: + return UnmarshalFirebaseDeviceVerificationParametersPlayIntegrity(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfFirebaseDeviceVerificationParameters(dataList []json.RawMessage) ([]FirebaseDeviceVerificationParameters, error) { + list := []FirebaseDeviceVerificationParameters{} + + for _, data := range dataList { + entity, err := UnmarshalFirebaseDeviceVerificationParameters(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil } func UnmarshalInputFile(data json.RawMessage) (InputFile, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeInputFileId: - return UnmarshalInputFileId(data) + switch meta.Type { + case TypeInputFileId: + return UnmarshalInputFileId(data) - case TypeInputFileRemote: - return UnmarshalInputFileRemote(data) + case TypeInputFileRemote: + return UnmarshalInputFileRemote(data) - case TypeInputFileLocal: - return UnmarshalInputFileLocal(data) + case TypeInputFileLocal: + return UnmarshalInputFileLocal(data) - case TypeInputFileGenerated: - return UnmarshalInputFileGenerated(data) + case TypeInputFileGenerated: + return UnmarshalInputFileGenerated(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfInputFile(dataList []json.RawMessage) ([]InputFile, error) { - list := []InputFile{} + list := []InputFile{} - for _, data := range dataList { - entity, err := UnmarshalInputFile(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalInputFile(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalThumbnailFormat(data json.RawMessage) (ThumbnailFormat, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeThumbnailFormatJpeg: - return UnmarshalThumbnailFormatJpeg(data) + switch meta.Type { + case TypeThumbnailFormatJpeg: + return UnmarshalThumbnailFormatJpeg(data) - case TypeThumbnailFormatGif: - return UnmarshalThumbnailFormatGif(data) + case TypeThumbnailFormatGif: + return UnmarshalThumbnailFormatGif(data) - case TypeThumbnailFormatMpeg4: - return UnmarshalThumbnailFormatMpeg4(data) + case TypeThumbnailFormatMpeg4: + return UnmarshalThumbnailFormatMpeg4(data) - case TypeThumbnailFormatPng: - return UnmarshalThumbnailFormatPng(data) + case TypeThumbnailFormatPng: + return UnmarshalThumbnailFormatPng(data) - case TypeThumbnailFormatTgs: - return UnmarshalThumbnailFormatTgs(data) + case TypeThumbnailFormatTgs: + return UnmarshalThumbnailFormatTgs(data) - case TypeThumbnailFormatWebm: - return UnmarshalThumbnailFormatWebm(data) + case TypeThumbnailFormatWebm: + return UnmarshalThumbnailFormatWebm(data) - case TypeThumbnailFormatWebp: - return UnmarshalThumbnailFormatWebp(data) + case TypeThumbnailFormatWebp: + return UnmarshalThumbnailFormatWebp(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfThumbnailFormat(dataList []json.RawMessage) ([]ThumbnailFormat, error) { - list := []ThumbnailFormat{} + list := []ThumbnailFormat{} - for _, data := range dataList { - entity, err := UnmarshalThumbnailFormat(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalThumbnailFormat(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalMaskPoint(data json.RawMessage) (MaskPoint, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeMaskPointForehead: - return UnmarshalMaskPointForehead(data) + switch meta.Type { + case TypeMaskPointForehead: + return UnmarshalMaskPointForehead(data) - case TypeMaskPointEyes: - return UnmarshalMaskPointEyes(data) + case TypeMaskPointEyes: + return UnmarshalMaskPointEyes(data) - case TypeMaskPointMouth: - return UnmarshalMaskPointMouth(data) + case TypeMaskPointMouth: + return UnmarshalMaskPointMouth(data) - case TypeMaskPointChin: - return UnmarshalMaskPointChin(data) + case TypeMaskPointChin: + return UnmarshalMaskPointChin(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfMaskPoint(dataList []json.RawMessage) ([]MaskPoint, error) { - list := []MaskPoint{} + list := []MaskPoint{} - for _, data := range dataList { - entity, err := UnmarshalMaskPoint(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalMaskPoint(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalStickerFormat(data json.RawMessage) (StickerFormat, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeStickerFormatWebp: - return UnmarshalStickerFormatWebp(data) + switch meta.Type { + case TypeStickerFormatWebp: + return UnmarshalStickerFormatWebp(data) - case TypeStickerFormatTgs: - return UnmarshalStickerFormatTgs(data) + case TypeStickerFormatTgs: + return UnmarshalStickerFormatTgs(data) - case TypeStickerFormatWebm: - return UnmarshalStickerFormatWebm(data) + case TypeStickerFormatWebm: + return UnmarshalStickerFormatWebm(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfStickerFormat(dataList []json.RawMessage) ([]StickerFormat, error) { - list := []StickerFormat{} + list := []StickerFormat{} - for _, data := range dataList { - entity, err := UnmarshalStickerFormat(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalStickerFormat(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalStickerType(data json.RawMessage) (StickerType, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeStickerTypeRegular: - return UnmarshalStickerTypeRegular(data) + switch meta.Type { + case TypeStickerTypeRegular: + return UnmarshalStickerTypeRegular(data) - case TypeStickerTypeMask: - return UnmarshalStickerTypeMask(data) + case TypeStickerTypeMask: + return UnmarshalStickerTypeMask(data) - case TypeStickerTypeCustomEmoji: - return UnmarshalStickerTypeCustomEmoji(data) + case TypeStickerTypeCustomEmoji: + return UnmarshalStickerTypeCustomEmoji(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfStickerType(dataList []json.RawMessage) ([]StickerType, error) { - list := []StickerType{} + list := []StickerType{} - for _, data := range dataList { - entity, err := UnmarshalStickerType(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalStickerType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalStickerFullType(data json.RawMessage) (StickerFullType, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeStickerFullTypeRegular: - return UnmarshalStickerFullTypeRegular(data) + switch meta.Type { + case TypeStickerFullTypeRegular: + return UnmarshalStickerFullTypeRegular(data) - case TypeStickerFullTypeMask: - return UnmarshalStickerFullTypeMask(data) + case TypeStickerFullTypeMask: + return UnmarshalStickerFullTypeMask(data) - case TypeStickerFullTypeCustomEmoji: - return UnmarshalStickerFullTypeCustomEmoji(data) + case TypeStickerFullTypeCustomEmoji: + return UnmarshalStickerFullTypeCustomEmoji(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfStickerFullType(dataList []json.RawMessage) ([]StickerFullType, error) { - list := []StickerFullType{} + list := []StickerFullType{} - for _, data := range dataList { - entity, err := UnmarshalStickerFullType(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalStickerFullType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalPollType(data json.RawMessage) (PollType, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypePollTypeRegular: - return UnmarshalPollTypeRegular(data) + switch meta.Type { + case TypePollTypeRegular: + return UnmarshalPollTypeRegular(data) - case TypePollTypeQuiz: - return UnmarshalPollTypeQuiz(data) + case TypePollTypeQuiz: + return UnmarshalPollTypeQuiz(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfPollType(dataList []json.RawMessage) ([]PollType, error) { - list := []PollType{} + list := []PollType{} - for _, data := range dataList { - entity, err := UnmarshalPollType(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalPollType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil +} + +func UnmarshalProfileTab(data json.RawMessage) (ProfileTab, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeProfileTabPosts: + return UnmarshalProfileTabPosts(data) + + case TypeProfileTabGifts: + return UnmarshalProfileTabGifts(data) + + case TypeProfileTabMedia: + return UnmarshalProfileTabMedia(data) + + case TypeProfileTabFiles: + return UnmarshalProfileTabFiles(data) + + case TypeProfileTabLinks: + return UnmarshalProfileTabLinks(data) + + case TypeProfileTabMusic: + return UnmarshalProfileTabMusic(data) + + case TypeProfileTabVoice: + return UnmarshalProfileTabVoice(data) + + case TypeProfileTabGifs: + return UnmarshalProfileTabGifs(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfProfileTab(dataList []json.RawMessage) ([]ProfileTab, error) { + list := []ProfileTab{} + + for _, data := range dataList { + entity, err := UnmarshalProfileTab(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil } func UnmarshalUserType(data json.RawMessage) (UserType, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeUserTypeRegular: - return UnmarshalUserTypeRegular(data) + switch meta.Type { + case TypeUserTypeRegular: + return UnmarshalUserTypeRegular(data) - case TypeUserTypeDeleted: - return UnmarshalUserTypeDeleted(data) + case TypeUserTypeDeleted: + return UnmarshalUserTypeDeleted(data) - case TypeUserTypeBot: - return UnmarshalUserTypeBot(data) + case TypeUserTypeBot: + return UnmarshalUserTypeBot(data) - case TypeUserTypeUnknown: - return UnmarshalUserTypeUnknown(data) + case TypeUserTypeUnknown: + return UnmarshalUserTypeUnknown(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfUserType(dataList []json.RawMessage) ([]UserType, error) { - list := []UserType{} + list := []UserType{} - for _, data := range dataList { - entity, err := UnmarshalUserType(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalUserType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil +} + +func UnmarshalBusinessAwayMessageSchedule(data json.RawMessage) (BusinessAwayMessageSchedule, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeBusinessAwayMessageScheduleAlways: + return UnmarshalBusinessAwayMessageScheduleAlways(data) + + case TypeBusinessAwayMessageScheduleOutsideOfOpeningHours: + return UnmarshalBusinessAwayMessageScheduleOutsideOfOpeningHours(data) + + case TypeBusinessAwayMessageScheduleCustom: + return UnmarshalBusinessAwayMessageScheduleCustom(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfBusinessAwayMessageSchedule(dataList []json.RawMessage) ([]BusinessAwayMessageSchedule, error) { + list := []BusinessAwayMessageSchedule{} + + for _, data := range dataList { + entity, err := UnmarshalBusinessAwayMessageSchedule(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil } func UnmarshalChatPhotoStickerType(data json.RawMessage) (ChatPhotoStickerType, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeChatPhotoStickerTypeRegularOrMask: - return UnmarshalChatPhotoStickerTypeRegularOrMask(data) + switch meta.Type { + case TypeChatPhotoStickerTypeRegularOrMask: + return UnmarshalChatPhotoStickerTypeRegularOrMask(data) - case TypeChatPhotoStickerTypeCustomEmoji: - return UnmarshalChatPhotoStickerTypeCustomEmoji(data) + case TypeChatPhotoStickerTypeCustomEmoji: + return UnmarshalChatPhotoStickerTypeCustomEmoji(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfChatPhotoStickerType(dataList []json.RawMessage) ([]ChatPhotoStickerType, error) { - list := []ChatPhotoStickerType{} + list := []ChatPhotoStickerType{} - for _, data := range dataList { - entity, err := UnmarshalChatPhotoStickerType(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalChatPhotoStickerType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalInputChatPhoto(data json.RawMessage) (InputChatPhoto, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeInputChatPhotoPrevious: - return UnmarshalInputChatPhotoPrevious(data) + switch meta.Type { + case TypeInputChatPhotoPrevious: + return UnmarshalInputChatPhotoPrevious(data) - case TypeInputChatPhotoStatic: - return UnmarshalInputChatPhotoStatic(data) + case TypeInputChatPhotoStatic: + return UnmarshalInputChatPhotoStatic(data) - case TypeInputChatPhotoAnimation: - return UnmarshalInputChatPhotoAnimation(data) + case TypeInputChatPhotoAnimation: + return UnmarshalInputChatPhotoAnimation(data) - case TypeInputChatPhotoSticker: - return UnmarshalInputChatPhotoSticker(data) + case TypeInputChatPhotoSticker: + return UnmarshalInputChatPhotoSticker(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfInputChatPhoto(dataList []json.RawMessage) ([]InputChatPhoto, error) { - list := []InputChatPhoto{} + list := []InputChatPhoto{} - for _, data := range dataList { - entity, err := UnmarshalInputChatPhoto(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalInputChatPhoto(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil +} + +func UnmarshalGiftResalePrice(data json.RawMessage) (GiftResalePrice, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeGiftResalePriceStar: + return UnmarshalGiftResalePriceStar(data) + + case TypeGiftResalePriceTon: + return UnmarshalGiftResalePriceTon(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfGiftResalePrice(dataList []json.RawMessage) ([]GiftResalePrice, error) { + list := []GiftResalePrice{} + + for _, data := range dataList { + entity, err := UnmarshalGiftResalePrice(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalGiftPurchaseOfferState(data json.RawMessage) (GiftPurchaseOfferState, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeGiftPurchaseOfferStatePending: + return UnmarshalGiftPurchaseOfferStatePending(data) + + case TypeGiftPurchaseOfferStateAccepted: + return UnmarshalGiftPurchaseOfferStateAccepted(data) + + case TypeGiftPurchaseOfferStateRejected: + return UnmarshalGiftPurchaseOfferStateRejected(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfGiftPurchaseOfferState(dataList []json.RawMessage) ([]GiftPurchaseOfferState, error) { + list := []GiftPurchaseOfferState{} + + for _, data := range dataList { + entity, err := UnmarshalGiftPurchaseOfferState(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalSuggestedPostPrice(data json.RawMessage) (SuggestedPostPrice, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeSuggestedPostPriceStar: + return UnmarshalSuggestedPostPriceStar(data) + + case TypeSuggestedPostPriceTon: + return UnmarshalSuggestedPostPriceTon(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfSuggestedPostPrice(dataList []json.RawMessage) ([]SuggestedPostPrice, error) { + list := []SuggestedPostPrice{} + + for _, data := range dataList { + entity, err := UnmarshalSuggestedPostPrice(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalSuggestedPostState(data json.RawMessage) (SuggestedPostState, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeSuggestedPostStatePending: + return UnmarshalSuggestedPostStatePending(data) + + case TypeSuggestedPostStateApproved: + return UnmarshalSuggestedPostStateApproved(data) + + case TypeSuggestedPostStateDeclined: + return UnmarshalSuggestedPostStateDeclined(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfSuggestedPostState(dataList []json.RawMessage) ([]SuggestedPostState, error) { + list := []SuggestedPostState{} + + for _, data := range dataList { + entity, err := UnmarshalSuggestedPostState(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalSuggestedPostRefundReason(data json.RawMessage) (SuggestedPostRefundReason, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeSuggestedPostRefundReasonPostDeleted: + return UnmarshalSuggestedPostRefundReasonPostDeleted(data) + + case TypeSuggestedPostRefundReasonPaymentRefunded: + return UnmarshalSuggestedPostRefundReasonPaymentRefunded(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfSuggestedPostRefundReason(dataList []json.RawMessage) ([]SuggestedPostRefundReason, error) { + list := []SuggestedPostRefundReason{} + + for _, data := range dataList { + entity, err := UnmarshalSuggestedPostRefundReason(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalStarSubscriptionType(data json.RawMessage) (StarSubscriptionType, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeStarSubscriptionTypeChannel: + return UnmarshalStarSubscriptionTypeChannel(data) + + case TypeStarSubscriptionTypeBot: + return UnmarshalStarSubscriptionTypeBot(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfStarSubscriptionType(dataList []json.RawMessage) ([]StarSubscriptionType, error) { + list := []StarSubscriptionType{} + + for _, data := range dataList { + entity, err := UnmarshalStarSubscriptionType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalAffiliateType(data json.RawMessage) (AffiliateType, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeAffiliateTypeCurrentUser: + return UnmarshalAffiliateTypeCurrentUser(data) + + case TypeAffiliateTypeBot: + return UnmarshalAffiliateTypeBot(data) + + case TypeAffiliateTypeChannel: + return UnmarshalAffiliateTypeChannel(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfAffiliateType(dataList []json.RawMessage) ([]AffiliateType, error) { + list := []AffiliateType{} + + for _, data := range dataList { + entity, err := UnmarshalAffiliateType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalAffiliateProgramSortOrder(data json.RawMessage) (AffiliateProgramSortOrder, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeAffiliateProgramSortOrderProfitability: + return UnmarshalAffiliateProgramSortOrderProfitability(data) + + case TypeAffiliateProgramSortOrderCreationDate: + return UnmarshalAffiliateProgramSortOrderCreationDate(data) + + case TypeAffiliateProgramSortOrderRevenue: + return UnmarshalAffiliateProgramSortOrderRevenue(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfAffiliateProgramSortOrder(dataList []json.RawMessage) ([]AffiliateProgramSortOrder, error) { + list := []AffiliateProgramSortOrder{} + + for _, data := range dataList { + entity, err := UnmarshalAffiliateProgramSortOrder(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalCanSendGiftResult(data json.RawMessage) (CanSendGiftResult, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeCanSendGiftResultOk: + return UnmarshalCanSendGiftResultOk(data) + + case TypeCanSendGiftResultFail: + return UnmarshalCanSendGiftResultFail(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfCanSendGiftResult(dataList []json.RawMessage) ([]CanSendGiftResult, error) { + list := []CanSendGiftResult{} + + for _, data := range dataList { + entity, err := UnmarshalCanSendGiftResult(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalUpgradedGiftOrigin(data json.RawMessage) (UpgradedGiftOrigin, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeUpgradedGiftOriginUpgrade: + return UnmarshalUpgradedGiftOriginUpgrade(data) + + case TypeUpgradedGiftOriginTransfer: + return UnmarshalUpgradedGiftOriginTransfer(data) + + case TypeUpgradedGiftOriginResale: + return UnmarshalUpgradedGiftOriginResale(data) + + case TypeUpgradedGiftOriginBlockchain: + return UnmarshalUpgradedGiftOriginBlockchain(data) + + case TypeUpgradedGiftOriginPrepaidUpgrade: + return UnmarshalUpgradedGiftOriginPrepaidUpgrade(data) + + case TypeUpgradedGiftOriginOffer: + return UnmarshalUpgradedGiftOriginOffer(data) + + case TypeUpgradedGiftOriginCraft: + return UnmarshalUpgradedGiftOriginCraft(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfUpgradedGiftOrigin(dataList []json.RawMessage) ([]UpgradedGiftOrigin, error) { + list := []UpgradedGiftOrigin{} + + for _, data := range dataList { + entity, err := UnmarshalUpgradedGiftOrigin(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalUpgradedGiftAttributeRarity(data json.RawMessage) (UpgradedGiftAttributeRarity, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeUpgradedGiftAttributeRarityPerMille: + return UnmarshalUpgradedGiftAttributeRarityPerMille(data) + + case TypeUpgradedGiftAttributeRarityUncommon: + return UnmarshalUpgradedGiftAttributeRarityUncommon(data) + + case TypeUpgradedGiftAttributeRarityRare: + return UnmarshalUpgradedGiftAttributeRarityRare(data) + + case TypeUpgradedGiftAttributeRarityEpic: + return UnmarshalUpgradedGiftAttributeRarityEpic(data) + + case TypeUpgradedGiftAttributeRarityLegendary: + return UnmarshalUpgradedGiftAttributeRarityLegendary(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfUpgradedGiftAttributeRarity(dataList []json.RawMessage) ([]UpgradedGiftAttributeRarity, error) { + list := []UpgradedGiftAttributeRarity{} + + for _, data := range dataList { + entity, err := UnmarshalUpgradedGiftAttributeRarity(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalCraftGiftResult(data json.RawMessage) (CraftGiftResult, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeCraftGiftResultSuccess: + return UnmarshalCraftGiftResultSuccess(data) + + case TypeCraftGiftResultTooEarly: + return UnmarshalCraftGiftResultTooEarly(data) + + case TypeCraftGiftResultInvalidGift: + return UnmarshalCraftGiftResultInvalidGift(data) + + case TypeCraftGiftResultFail: + return UnmarshalCraftGiftResultFail(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfCraftGiftResult(dataList []json.RawMessage) ([]CraftGiftResult, error) { + list := []CraftGiftResult{} + + for _, data := range dataList { + entity, err := UnmarshalCraftGiftResult(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalUpgradedGiftAttributeId(data json.RawMessage) (UpgradedGiftAttributeId, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeUpgradedGiftAttributeIdModel: + return UnmarshalUpgradedGiftAttributeIdModel(data) + + case TypeUpgradedGiftAttributeIdSymbol: + return UnmarshalUpgradedGiftAttributeIdSymbol(data) + + case TypeUpgradedGiftAttributeIdBackdrop: + return UnmarshalUpgradedGiftAttributeIdBackdrop(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfUpgradedGiftAttributeId(dataList []json.RawMessage) ([]UpgradedGiftAttributeId, error) { + list := []UpgradedGiftAttributeId{} + + for _, data := range dataList { + entity, err := UnmarshalUpgradedGiftAttributeId(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalGiftForResaleOrder(data json.RawMessage) (GiftForResaleOrder, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeGiftForResaleOrderPrice: + return UnmarshalGiftForResaleOrderPrice(data) + + case TypeGiftForResaleOrderPriceChangeDate: + return UnmarshalGiftForResaleOrderPriceChangeDate(data) + + case TypeGiftForResaleOrderNumber: + return UnmarshalGiftForResaleOrderNumber(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfGiftForResaleOrder(dataList []json.RawMessage) ([]GiftForResaleOrder, error) { + list := []GiftForResaleOrder{} + + for _, data := range dataList { + entity, err := UnmarshalGiftForResaleOrder(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalGiftResaleResult(data json.RawMessage) (GiftResaleResult, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeGiftResaleResultOk: + return UnmarshalGiftResaleResultOk(data) + + case TypeGiftResaleResultPriceIncreased: + return UnmarshalGiftResaleResultPriceIncreased(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfGiftResaleResult(dataList []json.RawMessage) ([]GiftResaleResult, error) { + list := []GiftResaleResult{} + + for _, data := range dataList { + entity, err := UnmarshalGiftResaleResult(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalSentGift(data json.RawMessage) (SentGift, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeSentGiftRegular: + return UnmarshalSentGiftRegular(data) + + case TypeSentGiftUpgraded: + return UnmarshalSentGiftUpgraded(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfSentGift(dataList []json.RawMessage) ([]SentGift, error) { + list := []SentGift{} + + for _, data := range dataList { + entity, err := UnmarshalSentGift(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalAuctionState(data json.RawMessage) (AuctionState, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeAuctionStateActive: + return UnmarshalAuctionStateActive(data) + + case TypeAuctionStateFinished: + return UnmarshalAuctionStateFinished(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfAuctionState(dataList []json.RawMessage) ([]AuctionState, error) { + list := []AuctionState{} + + for _, data := range dataList { + entity, err := UnmarshalAuctionState(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalTransactionDirection(data json.RawMessage) (TransactionDirection, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeTransactionDirectionIncoming: + return UnmarshalTransactionDirectionIncoming(data) + + case TypeTransactionDirectionOutgoing: + return UnmarshalTransactionDirectionOutgoing(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfTransactionDirection(dataList []json.RawMessage) ([]TransactionDirection, error) { + list := []TransactionDirection{} + + for _, data := range dataList { + entity, err := UnmarshalTransactionDirection(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalStarTransactionType(data json.RawMessage) (StarTransactionType, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeStarTransactionTypePremiumBotDeposit: + return UnmarshalStarTransactionTypePremiumBotDeposit(data) + + case TypeStarTransactionTypeAppStoreDeposit: + return UnmarshalStarTransactionTypeAppStoreDeposit(data) + + case TypeStarTransactionTypeGooglePlayDeposit: + return UnmarshalStarTransactionTypeGooglePlayDeposit(data) + + case TypeStarTransactionTypeFragmentDeposit: + return UnmarshalStarTransactionTypeFragmentDeposit(data) + + case TypeStarTransactionTypeUserDeposit: + return UnmarshalStarTransactionTypeUserDeposit(data) + + case TypeStarTransactionTypeGiveawayDeposit: + return UnmarshalStarTransactionTypeGiveawayDeposit(data) + + case TypeStarTransactionTypeFragmentWithdrawal: + return UnmarshalStarTransactionTypeFragmentWithdrawal(data) + + case TypeStarTransactionTypeTelegramAdsWithdrawal: + return UnmarshalStarTransactionTypeTelegramAdsWithdrawal(data) + + case TypeStarTransactionTypeTelegramApiUsage: + return UnmarshalStarTransactionTypeTelegramApiUsage(data) + + case TypeStarTransactionTypeBotPaidMediaPurchase: + return UnmarshalStarTransactionTypeBotPaidMediaPurchase(data) + + case TypeStarTransactionTypeBotPaidMediaSale: + return UnmarshalStarTransactionTypeBotPaidMediaSale(data) + + case TypeStarTransactionTypeChannelPaidMediaPurchase: + return UnmarshalStarTransactionTypeChannelPaidMediaPurchase(data) + + case TypeStarTransactionTypeChannelPaidMediaSale: + return UnmarshalStarTransactionTypeChannelPaidMediaSale(data) + + case TypeStarTransactionTypeBotInvoicePurchase: + return UnmarshalStarTransactionTypeBotInvoicePurchase(data) + + case TypeStarTransactionTypeBotInvoiceSale: + return UnmarshalStarTransactionTypeBotInvoiceSale(data) + + case TypeStarTransactionTypeBotSubscriptionPurchase: + return UnmarshalStarTransactionTypeBotSubscriptionPurchase(data) + + case TypeStarTransactionTypeBotSubscriptionSale: + return UnmarshalStarTransactionTypeBotSubscriptionSale(data) + + case TypeStarTransactionTypeChannelSubscriptionPurchase: + return UnmarshalStarTransactionTypeChannelSubscriptionPurchase(data) + + case TypeStarTransactionTypeChannelSubscriptionSale: + return UnmarshalStarTransactionTypeChannelSubscriptionSale(data) + + case TypeStarTransactionTypeGiftAuctionBid: + return UnmarshalStarTransactionTypeGiftAuctionBid(data) + + case TypeStarTransactionTypeGiftPurchase: + return UnmarshalStarTransactionTypeGiftPurchase(data) + + case TypeStarTransactionTypeGiftPurchaseOffer: + return UnmarshalStarTransactionTypeGiftPurchaseOffer(data) + + case TypeStarTransactionTypeGiftTransfer: + return UnmarshalStarTransactionTypeGiftTransfer(data) + + case TypeStarTransactionTypeGiftOriginalDetailsDrop: + return UnmarshalStarTransactionTypeGiftOriginalDetailsDrop(data) + + case TypeStarTransactionTypeGiftSale: + return UnmarshalStarTransactionTypeGiftSale(data) + + case TypeStarTransactionTypeGiftUpgrade: + return UnmarshalStarTransactionTypeGiftUpgrade(data) + + case TypeStarTransactionTypeGiftUpgradePurchase: + return UnmarshalStarTransactionTypeGiftUpgradePurchase(data) + + case TypeStarTransactionTypeUpgradedGiftPurchase: + return UnmarshalStarTransactionTypeUpgradedGiftPurchase(data) + + case TypeStarTransactionTypeUpgradedGiftSale: + return UnmarshalStarTransactionTypeUpgradedGiftSale(data) + + case TypeStarTransactionTypeChannelPaidReactionSend: + return UnmarshalStarTransactionTypeChannelPaidReactionSend(data) + + case TypeStarTransactionTypeChannelPaidReactionReceive: + return UnmarshalStarTransactionTypeChannelPaidReactionReceive(data) + + case TypeStarTransactionTypeAffiliateProgramCommission: + return UnmarshalStarTransactionTypeAffiliateProgramCommission(data) + + case TypeStarTransactionTypePaidMessageSend: + return UnmarshalStarTransactionTypePaidMessageSend(data) + + case TypeStarTransactionTypePaidMessageReceive: + return UnmarshalStarTransactionTypePaidMessageReceive(data) + + case TypeStarTransactionTypePaidGroupCallMessageSend: + return UnmarshalStarTransactionTypePaidGroupCallMessageSend(data) + + case TypeStarTransactionTypePaidGroupCallMessageReceive: + return UnmarshalStarTransactionTypePaidGroupCallMessageReceive(data) + + case TypeStarTransactionTypePaidGroupCallReactionSend: + return UnmarshalStarTransactionTypePaidGroupCallReactionSend(data) + + case TypeStarTransactionTypePaidGroupCallReactionReceive: + return UnmarshalStarTransactionTypePaidGroupCallReactionReceive(data) + + case TypeStarTransactionTypeSuggestedPostPaymentSend: + return UnmarshalStarTransactionTypeSuggestedPostPaymentSend(data) + + case TypeStarTransactionTypeSuggestedPostPaymentReceive: + return UnmarshalStarTransactionTypeSuggestedPostPaymentReceive(data) + + case TypeStarTransactionTypePremiumPurchase: + return UnmarshalStarTransactionTypePremiumPurchase(data) + + case TypeStarTransactionTypeBusinessBotTransferSend: + return UnmarshalStarTransactionTypeBusinessBotTransferSend(data) + + case TypeStarTransactionTypeBusinessBotTransferReceive: + return UnmarshalStarTransactionTypeBusinessBotTransferReceive(data) + + case TypeStarTransactionTypePublicPostSearch: + return UnmarshalStarTransactionTypePublicPostSearch(data) + + case TypeStarTransactionTypeUnsupported: + return UnmarshalStarTransactionTypeUnsupported(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfStarTransactionType(dataList []json.RawMessage) ([]StarTransactionType, error) { + list := []StarTransactionType{} + + for _, data := range dataList { + entity, err := UnmarshalStarTransactionType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalTonTransactionType(data json.RawMessage) (TonTransactionType, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeTonTransactionTypeFragmentDeposit: + return UnmarshalTonTransactionTypeFragmentDeposit(data) + + case TypeTonTransactionTypeFragmentWithdrawal: + return UnmarshalTonTransactionTypeFragmentWithdrawal(data) + + case TypeTonTransactionTypeSuggestedPostPayment: + return UnmarshalTonTransactionTypeSuggestedPostPayment(data) + + case TypeTonTransactionTypeGiftPurchaseOffer: + return UnmarshalTonTransactionTypeGiftPurchaseOffer(data) + + case TypeTonTransactionTypeUpgradedGiftPurchase: + return UnmarshalTonTransactionTypeUpgradedGiftPurchase(data) + + case TypeTonTransactionTypeUpgradedGiftSale: + return UnmarshalTonTransactionTypeUpgradedGiftSale(data) + + case TypeTonTransactionTypeStakeDiceStake: + return UnmarshalTonTransactionTypeStakeDiceStake(data) + + case TypeTonTransactionTypeStakeDicePayout: + return UnmarshalTonTransactionTypeStakeDicePayout(data) + + case TypeTonTransactionTypeUnsupported: + return UnmarshalTonTransactionTypeUnsupported(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfTonTransactionType(dataList []json.RawMessage) ([]TonTransactionType, error) { + list := []TonTransactionType{} + + for _, data := range dataList { + entity, err := UnmarshalTonTransactionType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalActiveStoryState(data json.RawMessage) (ActiveStoryState, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeActiveStoryStateLive: + return UnmarshalActiveStoryStateLive(data) + + case TypeActiveStoryStateUnread: + return UnmarshalActiveStoryStateUnread(data) + + case TypeActiveStoryStateRead: + return UnmarshalActiveStoryStateRead(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfActiveStoryState(dataList []json.RawMessage) ([]ActiveStoryState, error) { + list := []ActiveStoryState{} + + for _, data := range dataList { + entity, err := UnmarshalActiveStoryState(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalGiveawayParticipantStatus(data json.RawMessage) (GiveawayParticipantStatus, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeGiveawayParticipantStatusEligible: + return UnmarshalGiveawayParticipantStatusEligible(data) + + case TypeGiveawayParticipantStatusParticipating: + return UnmarshalGiveawayParticipantStatusParticipating(data) + + case TypeGiveawayParticipantStatusAlreadyWasMember: + return UnmarshalGiveawayParticipantStatusAlreadyWasMember(data) + + case TypeGiveawayParticipantStatusAdministrator: + return UnmarshalGiveawayParticipantStatusAdministrator(data) + + case TypeGiveawayParticipantStatusDisallowedCountry: + return UnmarshalGiveawayParticipantStatusDisallowedCountry(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfGiveawayParticipantStatus(dataList []json.RawMessage) ([]GiveawayParticipantStatus, error) { + list := []GiveawayParticipantStatus{} + + for _, data := range dataList { + entity, err := UnmarshalGiveawayParticipantStatus(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalGiveawayInfo(data json.RawMessage) (GiveawayInfo, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeGiveawayInfoOngoing: + return UnmarshalGiveawayInfoOngoing(data) + + case TypeGiveawayInfoCompleted: + return UnmarshalGiveawayInfoCompleted(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfGiveawayInfo(dataList []json.RawMessage) ([]GiveawayInfo, error) { + list := []GiveawayInfo{} + + for _, data := range dataList { + entity, err := UnmarshalGiveawayInfo(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalGiveawayPrize(data json.RawMessage) (GiveawayPrize, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeGiveawayPrizePremium: + return UnmarshalGiveawayPrizePremium(data) + + case TypeGiveawayPrizeStars: + return UnmarshalGiveawayPrizeStars(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfGiveawayPrize(dataList []json.RawMessage) ([]GiveawayPrize, error) { + list := []GiveawayPrize{} + + for _, data := range dataList { + entity, err := UnmarshalGiveawayPrize(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalEmojiStatusType(data json.RawMessage) (EmojiStatusType, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeEmojiStatusTypeCustomEmoji: + return UnmarshalEmojiStatusTypeCustomEmoji(data) + + case TypeEmojiStatusTypeUpgradedGift: + return UnmarshalEmojiStatusTypeUpgradedGift(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfEmojiStatusType(dataList []json.RawMessage) ([]EmojiStatusType, error) { + list := []EmojiStatusType{} + + for _, data := range dataList { + entity, err := UnmarshalEmojiStatusType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil } func UnmarshalChatMemberStatus(data json.RawMessage) (ChatMemberStatus, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeChatMemberStatusCreator: - return UnmarshalChatMemberStatusCreator(data) + switch meta.Type { + case TypeChatMemberStatusCreator: + return UnmarshalChatMemberStatusCreator(data) - case TypeChatMemberStatusAdministrator: - return UnmarshalChatMemberStatusAdministrator(data) + case TypeChatMemberStatusAdministrator: + return UnmarshalChatMemberStatusAdministrator(data) - case TypeChatMemberStatusMember: - return UnmarshalChatMemberStatusMember(data) + case TypeChatMemberStatusMember: + return UnmarshalChatMemberStatusMember(data) - case TypeChatMemberStatusRestricted: - return UnmarshalChatMemberStatusRestricted(data) + case TypeChatMemberStatusRestricted: + return UnmarshalChatMemberStatusRestricted(data) - case TypeChatMemberStatusLeft: - return UnmarshalChatMemberStatusLeft(data) + case TypeChatMemberStatusLeft: + return UnmarshalChatMemberStatusLeft(data) - case TypeChatMemberStatusBanned: - return UnmarshalChatMemberStatusBanned(data) + case TypeChatMemberStatusBanned: + return UnmarshalChatMemberStatusBanned(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfChatMemberStatus(dataList []json.RawMessage) ([]ChatMemberStatus, error) { - list := []ChatMemberStatus{} + list := []ChatMemberStatus{} - for _, data := range dataList { - entity, err := UnmarshalChatMemberStatus(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalChatMemberStatus(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalChatMembersFilter(data json.RawMessage) (ChatMembersFilter, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeChatMembersFilterContacts: - return UnmarshalChatMembersFilterContacts(data) + switch meta.Type { + case TypeChatMembersFilterContacts: + return UnmarshalChatMembersFilterContacts(data) - case TypeChatMembersFilterAdministrators: - return UnmarshalChatMembersFilterAdministrators(data) + case TypeChatMembersFilterAdministrators: + return UnmarshalChatMembersFilterAdministrators(data) - case TypeChatMembersFilterMembers: - return UnmarshalChatMembersFilterMembers(data) + case TypeChatMembersFilterMembers: + return UnmarshalChatMembersFilterMembers(data) - case TypeChatMembersFilterMention: - return UnmarshalChatMembersFilterMention(data) + case TypeChatMembersFilterMention: + return UnmarshalChatMembersFilterMention(data) - case TypeChatMembersFilterRestricted: - return UnmarshalChatMembersFilterRestricted(data) + case TypeChatMembersFilterRestricted: + return UnmarshalChatMembersFilterRestricted(data) - case TypeChatMembersFilterBanned: - return UnmarshalChatMembersFilterBanned(data) + case TypeChatMembersFilterBanned: + return UnmarshalChatMembersFilterBanned(data) - case TypeChatMembersFilterBots: - return UnmarshalChatMembersFilterBots(data) + case TypeChatMembersFilterBots: + return UnmarshalChatMembersFilterBots(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfChatMembersFilter(dataList []json.RawMessage) ([]ChatMembersFilter, error) { - list := []ChatMembersFilter{} + list := []ChatMembersFilter{} - for _, data := range dataList { - entity, err := UnmarshalChatMembersFilter(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalChatMembersFilter(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalSupergroupMembersFilter(data json.RawMessage) (SupergroupMembersFilter, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeSupergroupMembersFilterRecent: - return UnmarshalSupergroupMembersFilterRecent(data) + switch meta.Type { + case TypeSupergroupMembersFilterRecent: + return UnmarshalSupergroupMembersFilterRecent(data) - case TypeSupergroupMembersFilterContacts: - return UnmarshalSupergroupMembersFilterContacts(data) + case TypeSupergroupMembersFilterContacts: + return UnmarshalSupergroupMembersFilterContacts(data) - case TypeSupergroupMembersFilterAdministrators: - return UnmarshalSupergroupMembersFilterAdministrators(data) + case TypeSupergroupMembersFilterAdministrators: + return UnmarshalSupergroupMembersFilterAdministrators(data) - case TypeSupergroupMembersFilterSearch: - return UnmarshalSupergroupMembersFilterSearch(data) + case TypeSupergroupMembersFilterSearch: + return UnmarshalSupergroupMembersFilterSearch(data) - case TypeSupergroupMembersFilterRestricted: - return UnmarshalSupergroupMembersFilterRestricted(data) + case TypeSupergroupMembersFilterRestricted: + return UnmarshalSupergroupMembersFilterRestricted(data) - case TypeSupergroupMembersFilterBanned: - return UnmarshalSupergroupMembersFilterBanned(data) + case TypeSupergroupMembersFilterBanned: + return UnmarshalSupergroupMembersFilterBanned(data) - case TypeSupergroupMembersFilterMention: - return UnmarshalSupergroupMembersFilterMention(data) + case TypeSupergroupMembersFilterMention: + return UnmarshalSupergroupMembersFilterMention(data) - case TypeSupergroupMembersFilterBots: - return UnmarshalSupergroupMembersFilterBots(data) + case TypeSupergroupMembersFilterBots: + return UnmarshalSupergroupMembersFilterBots(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfSupergroupMembersFilter(dataList []json.RawMessage) ([]SupergroupMembersFilter, error) { - list := []SupergroupMembersFilter{} + list := []SupergroupMembersFilter{} - for _, data := range dataList { - entity, err := UnmarshalSupergroupMembersFilter(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalSupergroupMembersFilter(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil +} + +func UnmarshalInviteLinkChatType(data json.RawMessage) (InviteLinkChatType, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeInviteLinkChatTypeBasicGroup: + return UnmarshalInviteLinkChatTypeBasicGroup(data) + + case TypeInviteLinkChatTypeSupergroup: + return UnmarshalInviteLinkChatTypeSupergroup(data) + + case TypeInviteLinkChatTypeChannel: + return UnmarshalInviteLinkChatTypeChannel(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfInviteLinkChatType(dataList []json.RawMessage) ([]InviteLinkChatType, error) { + list := []InviteLinkChatType{} + + for _, data := range dataList { + entity, err := UnmarshalInviteLinkChatType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil } func UnmarshalSecretChatState(data json.RawMessage) (SecretChatState, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeSecretChatStatePending: - return UnmarshalSecretChatStatePending(data) + switch meta.Type { + case TypeSecretChatStatePending: + return UnmarshalSecretChatStatePending(data) - case TypeSecretChatStateReady: - return UnmarshalSecretChatStateReady(data) + case TypeSecretChatStateReady: + return UnmarshalSecretChatStateReady(data) - case TypeSecretChatStateClosed: - return UnmarshalSecretChatStateClosed(data) + case TypeSecretChatStateClosed: + return UnmarshalSecretChatStateClosed(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfSecretChatState(dataList []json.RawMessage) ([]SecretChatState, error) { - list := []SecretChatState{} + list := []SecretChatState{} - for _, data := range dataList { - entity, err := UnmarshalSecretChatState(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalSecretChatState(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalMessageSender(data json.RawMessage) (MessageSender, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeMessageSenderUser: - return UnmarshalMessageSenderUser(data) + switch meta.Type { + case TypeMessageSenderUser: + return UnmarshalMessageSenderUser(data) - case TypeMessageSenderChat: - return UnmarshalMessageSenderChat(data) + case TypeMessageSenderChat: + return UnmarshalMessageSenderChat(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfMessageSender(dataList []json.RawMessage) ([]MessageSender, error) { - list := []MessageSender{} + list := []MessageSender{} - for _, data := range dataList { - entity, err := UnmarshalMessageSender(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalMessageSender(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } -func UnmarshalMessageForwardOrigin(data json.RawMessage) (MessageForwardOrigin, error) { - var meta meta +func UnmarshalMessageReadDate(data json.RawMessage) (MessageReadDate, error) { + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeMessageForwardOriginUser: - return UnmarshalMessageForwardOriginUser(data) + switch meta.Type { + case TypeMessageReadDateRead: + return UnmarshalMessageReadDateRead(data) - case TypeMessageForwardOriginChat: - return UnmarshalMessageForwardOriginChat(data) + case TypeMessageReadDateUnread: + return UnmarshalMessageReadDateUnread(data) - case TypeMessageForwardOriginHiddenUser: - return UnmarshalMessageForwardOriginHiddenUser(data) + case TypeMessageReadDateTooOld: + return UnmarshalMessageReadDateTooOld(data) - case TypeMessageForwardOriginChannel: - return UnmarshalMessageForwardOriginChannel(data) + case TypeMessageReadDateUserPrivacyRestricted: + return UnmarshalMessageReadDateUserPrivacyRestricted(data) - case TypeMessageForwardOriginMessageImport: - return UnmarshalMessageForwardOriginMessageImport(data) + case TypeMessageReadDateMyPrivacyRestricted: + return UnmarshalMessageReadDateMyPrivacyRestricted(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } -func UnmarshalListOfMessageForwardOrigin(dataList []json.RawMessage) ([]MessageForwardOrigin, error) { - list := []MessageForwardOrigin{} +func UnmarshalListOfMessageReadDate(dataList []json.RawMessage) ([]MessageReadDate, error) { + list := []MessageReadDate{} - for _, data := range dataList { - entity, err := UnmarshalMessageForwardOrigin(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalMessageReadDate(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil +} + +func UnmarshalMessageOrigin(data json.RawMessage) (MessageOrigin, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeMessageOriginUser: + return UnmarshalMessageOriginUser(data) + + case TypeMessageOriginHiddenUser: + return UnmarshalMessageOriginHiddenUser(data) + + case TypeMessageOriginChat: + return UnmarshalMessageOriginChat(data) + + case TypeMessageOriginChannel: + return UnmarshalMessageOriginChannel(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfMessageOrigin(dataList []json.RawMessage) ([]MessageOrigin, error) { + list := []MessageOrigin{} + + for _, data := range dataList { + entity, err := UnmarshalMessageOrigin(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil } func UnmarshalReactionType(data json.RawMessage) (ReactionType, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeReactionTypeEmoji: - return UnmarshalReactionTypeEmoji(data) + switch meta.Type { + case TypeReactionTypeEmoji: + return UnmarshalReactionTypeEmoji(data) - case TypeReactionTypeCustomEmoji: - return UnmarshalReactionTypeCustomEmoji(data) + case TypeReactionTypeCustomEmoji: + return UnmarshalReactionTypeCustomEmoji(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + case TypeReactionTypePaid: + return UnmarshalReactionTypePaid(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfReactionType(dataList []json.RawMessage) ([]ReactionType, error) { - list := []ReactionType{} + list := []ReactionType{} - for _, data := range dataList { - entity, err := UnmarshalReactionType(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalReactionType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil +} + +func UnmarshalPaidReactionType(data json.RawMessage) (PaidReactionType, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypePaidReactionTypeRegular: + return UnmarshalPaidReactionTypeRegular(data) + + case TypePaidReactionTypeAnonymous: + return UnmarshalPaidReactionTypeAnonymous(data) + + case TypePaidReactionTypeChat: + return UnmarshalPaidReactionTypeChat(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfPaidReactionType(dataList []json.RawMessage) ([]PaidReactionType, error) { + list := []PaidReactionType{} + + for _, data := range dataList { + entity, err := UnmarshalPaidReactionType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalMessageTopic(data json.RawMessage) (MessageTopic, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeMessageTopicThread: + return UnmarshalMessageTopicThread(data) + + case TypeMessageTopicForum: + return UnmarshalMessageTopicForum(data) + + case TypeMessageTopicDirectMessages: + return UnmarshalMessageTopicDirectMessages(data) + + case TypeMessageTopicSavedMessages: + return UnmarshalMessageTopicSavedMessages(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfMessageTopic(dataList []json.RawMessage) ([]MessageTopic, error) { + list := []MessageTopic{} + + for _, data := range dataList { + entity, err := UnmarshalMessageTopic(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalMessageEffectType(data json.RawMessage) (MessageEffectType, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeMessageEffectTypeEmojiReaction: + return UnmarshalMessageEffectTypeEmojiReaction(data) + + case TypeMessageEffectTypePremiumSticker: + return UnmarshalMessageEffectTypePremiumSticker(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfMessageEffectType(dataList []json.RawMessage) ([]MessageEffectType, error) { + list := []MessageEffectType{} + + for _, data := range dataList { + entity, err := UnmarshalMessageEffectType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil } func UnmarshalMessageSendingState(data json.RawMessage) (MessageSendingState, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeMessageSendingStatePending: - return UnmarshalMessageSendingStatePending(data) + switch meta.Type { + case TypeMessageSendingStatePending: + return UnmarshalMessageSendingStatePending(data) - case TypeMessageSendingStateFailed: - return UnmarshalMessageSendingStateFailed(data) + case TypeMessageSendingStateFailed: + return UnmarshalMessageSendingStateFailed(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfMessageSendingState(dataList []json.RawMessage) ([]MessageSendingState, error) { - list := []MessageSendingState{} + list := []MessageSendingState{} - for _, data := range dataList { - entity, err := UnmarshalMessageSendingState(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalMessageSendingState(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil +} + +func UnmarshalMessageReplyTo(data json.RawMessage) (MessageReplyTo, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeMessageReplyToMessage: + return UnmarshalMessageReplyToMessage(data) + + case TypeMessageReplyToStory: + return UnmarshalMessageReplyToStory(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfMessageReplyTo(dataList []json.RawMessage) ([]MessageReplyTo, error) { + list := []MessageReplyTo{} + + for _, data := range dataList { + entity, err := UnmarshalMessageReplyTo(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalInputMessageReplyTo(data json.RawMessage) (InputMessageReplyTo, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeInputMessageReplyToMessage: + return UnmarshalInputMessageReplyToMessage(data) + + case TypeInputMessageReplyToExternalMessage: + return UnmarshalInputMessageReplyToExternalMessage(data) + + case TypeInputMessageReplyToStory: + return UnmarshalInputMessageReplyToStory(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfInputMessageReplyTo(dataList []json.RawMessage) ([]InputMessageReplyTo, error) { + list := []InputMessageReplyTo{} + + for _, data := range dataList { + entity, err := UnmarshalInputMessageReplyTo(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil } func UnmarshalMessageSource(data json.RawMessage) (MessageSource, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeMessageSourceChatHistory: - return UnmarshalMessageSourceChatHistory(data) + switch meta.Type { + case TypeMessageSourceChatHistory: + return UnmarshalMessageSourceChatHistory(data) - case TypeMessageSourceMessageThreadHistory: - return UnmarshalMessageSourceMessageThreadHistory(data) + case TypeMessageSourceMessageThreadHistory: + return UnmarshalMessageSourceMessageThreadHistory(data) - case TypeMessageSourceForumTopicHistory: - return UnmarshalMessageSourceForumTopicHistory(data) + case TypeMessageSourceForumTopicHistory: + return UnmarshalMessageSourceForumTopicHistory(data) - case TypeMessageSourceHistoryPreview: - return UnmarshalMessageSourceHistoryPreview(data) + case TypeMessageSourceDirectMessagesChatTopicHistory: + return UnmarshalMessageSourceDirectMessagesChatTopicHistory(data) - case TypeMessageSourceChatList: - return UnmarshalMessageSourceChatList(data) + case TypeMessageSourceHistoryPreview: + return UnmarshalMessageSourceHistoryPreview(data) - case TypeMessageSourceSearch: - return UnmarshalMessageSourceSearch(data) + case TypeMessageSourceChatList: + return UnmarshalMessageSourceChatList(data) - case TypeMessageSourceChatEventLog: - return UnmarshalMessageSourceChatEventLog(data) + case TypeMessageSourceSearch: + return UnmarshalMessageSourceSearch(data) - case TypeMessageSourceNotification: - return UnmarshalMessageSourceNotification(data) + case TypeMessageSourceChatEventLog: + return UnmarshalMessageSourceChatEventLog(data) - case TypeMessageSourceOther: - return UnmarshalMessageSourceOther(data) + case TypeMessageSourceNotification: + return UnmarshalMessageSourceNotification(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + case TypeMessageSourceScreenshot: + return UnmarshalMessageSourceScreenshot(data) + + case TypeMessageSourceOther: + return UnmarshalMessageSourceOther(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfMessageSource(dataList []json.RawMessage) ([]MessageSource, error) { - list := []MessageSource{} + list := []MessageSource{} - for _, data := range dataList { - entity, err := UnmarshalMessageSource(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalMessageSource(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil +} + +func UnmarshalReportSponsoredResult(data json.RawMessage) (ReportSponsoredResult, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeReportSponsoredResultOk: + return UnmarshalReportSponsoredResultOk(data) + + case TypeReportSponsoredResultFailed: + return UnmarshalReportSponsoredResultFailed(data) + + case TypeReportSponsoredResultOptionRequired: + return UnmarshalReportSponsoredResultOptionRequired(data) + + case TypeReportSponsoredResultAdsHidden: + return UnmarshalReportSponsoredResultAdsHidden(data) + + case TypeReportSponsoredResultPremiumRequired: + return UnmarshalReportSponsoredResultPremiumRequired(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfReportSponsoredResult(dataList []json.RawMessage) ([]ReportSponsoredResult, error) { + list := []ReportSponsoredResult{} + + for _, data := range dataList { + entity, err := UnmarshalReportSponsoredResult(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil } func UnmarshalNotificationSettingsScope(data json.RawMessage) (NotificationSettingsScope, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeNotificationSettingsScopePrivateChats: - return UnmarshalNotificationSettingsScopePrivateChats(data) + switch meta.Type { + case TypeNotificationSettingsScopePrivateChats: + return UnmarshalNotificationSettingsScopePrivateChats(data) - case TypeNotificationSettingsScopeGroupChats: - return UnmarshalNotificationSettingsScopeGroupChats(data) + case TypeNotificationSettingsScopeGroupChats: + return UnmarshalNotificationSettingsScopeGroupChats(data) - case TypeNotificationSettingsScopeChannelChats: - return UnmarshalNotificationSettingsScopeChannelChats(data) + case TypeNotificationSettingsScopeChannelChats: + return UnmarshalNotificationSettingsScopeChannelChats(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfNotificationSettingsScope(dataList []json.RawMessage) ([]NotificationSettingsScope, error) { - list := []NotificationSettingsScope{} + list := []NotificationSettingsScope{} - for _, data := range dataList { - entity, err := UnmarshalNotificationSettingsScope(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalNotificationSettingsScope(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil +} + +func UnmarshalReactionNotificationSource(data json.RawMessage) (ReactionNotificationSource, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeReactionNotificationSourceNone: + return UnmarshalReactionNotificationSourceNone(data) + + case TypeReactionNotificationSourceContacts: + return UnmarshalReactionNotificationSourceContacts(data) + + case TypeReactionNotificationSourceAll: + return UnmarshalReactionNotificationSourceAll(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfReactionNotificationSource(dataList []json.RawMessage) ([]ReactionNotificationSource, error) { + list := []ReactionNotificationSource{} + + for _, data := range dataList { + entity, err := UnmarshalReactionNotificationSource(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil } func UnmarshalChatType(data json.RawMessage) (ChatType, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeChatTypePrivate: - return UnmarshalChatTypePrivate(data) + switch meta.Type { + case TypeChatTypePrivate: + return UnmarshalChatTypePrivate(data) - case TypeChatTypeBasicGroup: - return UnmarshalChatTypeBasicGroup(data) + case TypeChatTypeBasicGroup: + return UnmarshalChatTypeBasicGroup(data) - case TypeChatTypeSupergroup: - return UnmarshalChatTypeSupergroup(data) + case TypeChatTypeSupergroup: + return UnmarshalChatTypeSupergroup(data) - case TypeChatTypeSecret: - return UnmarshalChatTypeSecret(data) + case TypeChatTypeSecret: + return UnmarshalChatTypeSecret(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfChatType(dataList []json.RawMessage) ([]ChatType, error) { - list := []ChatType{} + list := []ChatType{} - for _, data := range dataList { - entity, err := UnmarshalChatType(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalChatType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalChatList(data json.RawMessage) (ChatList, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeChatListMain: - return UnmarshalChatListMain(data) + switch meta.Type { + case TypeChatListMain: + return UnmarshalChatListMain(data) - case TypeChatListArchive: - return UnmarshalChatListArchive(data) + case TypeChatListArchive: + return UnmarshalChatListArchive(data) - case TypeChatListFilter: - return UnmarshalChatListFilter(data) + case TypeChatListFolder: + return UnmarshalChatListFolder(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfChatList(dataList []json.RawMessage) ([]ChatList, error) { - list := []ChatList{} + list := []ChatList{} - for _, data := range dataList { - entity, err := UnmarshalChatList(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalChatList(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalChatSource(data json.RawMessage) (ChatSource, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeChatSourceMtprotoProxy: - return UnmarshalChatSourceMtprotoProxy(data) + switch meta.Type { + case TypeChatSourceMtprotoProxy: + return UnmarshalChatSourceMtprotoProxy(data) - case TypeChatSourcePublicServiceAnnouncement: - return UnmarshalChatSourcePublicServiceAnnouncement(data) + case TypeChatSourcePublicServiceAnnouncement: + return UnmarshalChatSourcePublicServiceAnnouncement(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfChatSource(dataList []json.RawMessage) ([]ChatSource, error) { - list := []ChatSource{} + list := []ChatSource{} - for _, data := range dataList { - entity, err := UnmarshalChatSource(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalChatSource(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalChatAvailableReactions(data json.RawMessage) (ChatAvailableReactions, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeChatAvailableReactionsAll: - return UnmarshalChatAvailableReactionsAll(data) + switch meta.Type { + case TypeChatAvailableReactionsAll: + return UnmarshalChatAvailableReactionsAll(data) - case TypeChatAvailableReactionsSome: - return UnmarshalChatAvailableReactionsSome(data) + case TypeChatAvailableReactionsSome: + return UnmarshalChatAvailableReactionsSome(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfChatAvailableReactions(dataList []json.RawMessage) ([]ChatAvailableReactions, error) { - list := []ChatAvailableReactions{} + list := []ChatAvailableReactions{} - for _, data := range dataList { - entity, err := UnmarshalChatAvailableReactions(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalChatAvailableReactions(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalPublicChatType(data json.RawMessage) (PublicChatType, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypePublicChatTypeHasUsername: - return UnmarshalPublicChatTypeHasUsername(data) + switch meta.Type { + case TypePublicChatTypeHasUsername: + return UnmarshalPublicChatTypeHasUsername(data) - case TypePublicChatTypeIsLocationBased: - return UnmarshalPublicChatTypeIsLocationBased(data) + case TypePublicChatTypeIsLocationBased: + return UnmarshalPublicChatTypeIsLocationBased(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfPublicChatType(dataList []json.RawMessage) ([]PublicChatType, error) { - list := []PublicChatType{} + list := []PublicChatType{} - for _, data := range dataList { - entity, err := UnmarshalPublicChatType(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalPublicChatType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalChatActionBar(data json.RawMessage) (ChatActionBar, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeChatActionBarReportSpam: - return UnmarshalChatActionBarReportSpam(data) + switch meta.Type { + case TypeChatActionBarReportSpam: + return UnmarshalChatActionBarReportSpam(data) - case TypeChatActionBarReportUnrelatedLocation: - return UnmarshalChatActionBarReportUnrelatedLocation(data) + case TypeChatActionBarInviteMembers: + return UnmarshalChatActionBarInviteMembers(data) - case TypeChatActionBarInviteMembers: - return UnmarshalChatActionBarInviteMembers(data) + case TypeChatActionBarReportAddBlock: + return UnmarshalChatActionBarReportAddBlock(data) - case TypeChatActionBarReportAddBlock: - return UnmarshalChatActionBarReportAddBlock(data) + case TypeChatActionBarAddContact: + return UnmarshalChatActionBarAddContact(data) - case TypeChatActionBarAddContact: - return UnmarshalChatActionBarAddContact(data) + case TypeChatActionBarSharePhoneNumber: + return UnmarshalChatActionBarSharePhoneNumber(data) - case TypeChatActionBarSharePhoneNumber: - return UnmarshalChatActionBarSharePhoneNumber(data) + case TypeChatActionBarJoinRequest: + return UnmarshalChatActionBarJoinRequest(data) - case TypeChatActionBarJoinRequest: - return UnmarshalChatActionBarJoinRequest(data) - - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfChatActionBar(dataList []json.RawMessage) ([]ChatActionBar, error) { - list := []ChatActionBar{} + list := []ChatActionBar{} - for _, data := range dataList { - entity, err := UnmarshalChatActionBar(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalChatActionBar(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil +} + +func UnmarshalButtonStyle(data json.RawMessage) (ButtonStyle, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeButtonStyleDefault: + return UnmarshalButtonStyleDefault(data) + + case TypeButtonStylePrimary: + return UnmarshalButtonStylePrimary(data) + + case TypeButtonStyleDanger: + return UnmarshalButtonStyleDanger(data) + + case TypeButtonStyleSuccess: + return UnmarshalButtonStyleSuccess(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfButtonStyle(dataList []json.RawMessage) ([]ButtonStyle, error) { + list := []ButtonStyle{} + + for _, data := range dataList { + entity, err := UnmarshalButtonStyle(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil } func UnmarshalKeyboardButtonType(data json.RawMessage) (KeyboardButtonType, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeKeyboardButtonTypeText: - return UnmarshalKeyboardButtonTypeText(data) + switch meta.Type { + case TypeKeyboardButtonTypeText: + return UnmarshalKeyboardButtonTypeText(data) - case TypeKeyboardButtonTypeRequestPhoneNumber: - return UnmarshalKeyboardButtonTypeRequestPhoneNumber(data) + case TypeKeyboardButtonTypeRequestPhoneNumber: + return UnmarshalKeyboardButtonTypeRequestPhoneNumber(data) - case TypeKeyboardButtonTypeRequestLocation: - return UnmarshalKeyboardButtonTypeRequestLocation(data) + case TypeKeyboardButtonTypeRequestLocation: + return UnmarshalKeyboardButtonTypeRequestLocation(data) - case TypeKeyboardButtonTypeRequestPoll: - return UnmarshalKeyboardButtonTypeRequestPoll(data) + case TypeKeyboardButtonTypeRequestPoll: + return UnmarshalKeyboardButtonTypeRequestPoll(data) - case TypeKeyboardButtonTypeRequestUser: - return UnmarshalKeyboardButtonTypeRequestUser(data) + case TypeKeyboardButtonTypeRequestUsers: + return UnmarshalKeyboardButtonTypeRequestUsers(data) - case TypeKeyboardButtonTypeRequestChat: - return UnmarshalKeyboardButtonTypeRequestChat(data) + case TypeKeyboardButtonTypeRequestChat: + return UnmarshalKeyboardButtonTypeRequestChat(data) - case TypeKeyboardButtonTypeWebApp: - return UnmarshalKeyboardButtonTypeWebApp(data) + case TypeKeyboardButtonTypeWebApp: + return UnmarshalKeyboardButtonTypeWebApp(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfKeyboardButtonType(dataList []json.RawMessage) ([]KeyboardButtonType, error) { - list := []KeyboardButtonType{} + list := []KeyboardButtonType{} - for _, data := range dataList { - entity, err := UnmarshalKeyboardButtonType(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalKeyboardButtonType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalInlineKeyboardButtonType(data json.RawMessage) (InlineKeyboardButtonType, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeInlineKeyboardButtonTypeUrl: - return UnmarshalInlineKeyboardButtonTypeUrl(data) + switch meta.Type { + case TypeInlineKeyboardButtonTypeUrl: + return UnmarshalInlineKeyboardButtonTypeUrl(data) - case TypeInlineKeyboardButtonTypeLoginUrl: - return UnmarshalInlineKeyboardButtonTypeLoginUrl(data) + case TypeInlineKeyboardButtonTypeLoginUrl: + return UnmarshalInlineKeyboardButtonTypeLoginUrl(data) - case TypeInlineKeyboardButtonTypeWebApp: - return UnmarshalInlineKeyboardButtonTypeWebApp(data) + case TypeInlineKeyboardButtonTypeWebApp: + return UnmarshalInlineKeyboardButtonTypeWebApp(data) - case TypeInlineKeyboardButtonTypeCallback: - return UnmarshalInlineKeyboardButtonTypeCallback(data) + case TypeInlineKeyboardButtonTypeCallback: + return UnmarshalInlineKeyboardButtonTypeCallback(data) - case TypeInlineKeyboardButtonTypeCallbackWithPassword: - return UnmarshalInlineKeyboardButtonTypeCallbackWithPassword(data) + case TypeInlineKeyboardButtonTypeCallbackWithPassword: + return UnmarshalInlineKeyboardButtonTypeCallbackWithPassword(data) - case TypeInlineKeyboardButtonTypeCallbackGame: - return UnmarshalInlineKeyboardButtonTypeCallbackGame(data) + case TypeInlineKeyboardButtonTypeCallbackGame: + return UnmarshalInlineKeyboardButtonTypeCallbackGame(data) - case TypeInlineKeyboardButtonTypeSwitchInline: - return UnmarshalInlineKeyboardButtonTypeSwitchInline(data) + case TypeInlineKeyboardButtonTypeSwitchInline: + return UnmarshalInlineKeyboardButtonTypeSwitchInline(data) - case TypeInlineKeyboardButtonTypeBuy: - return UnmarshalInlineKeyboardButtonTypeBuy(data) + case TypeInlineKeyboardButtonTypeBuy: + return UnmarshalInlineKeyboardButtonTypeBuy(data) - case TypeInlineKeyboardButtonTypeUser: - return UnmarshalInlineKeyboardButtonTypeUser(data) + case TypeInlineKeyboardButtonTypeUser: + return UnmarshalInlineKeyboardButtonTypeUser(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + case TypeInlineKeyboardButtonTypeCopyText: + return UnmarshalInlineKeyboardButtonTypeCopyText(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfInlineKeyboardButtonType(dataList []json.RawMessage) ([]InlineKeyboardButtonType, error) { - list := []InlineKeyboardButtonType{} + list := []InlineKeyboardButtonType{} - for _, data := range dataList { - entity, err := UnmarshalInlineKeyboardButtonType(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalInlineKeyboardButtonType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalReplyMarkup(data json.RawMessage) (ReplyMarkup, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeReplyMarkupRemoveKeyboard: - return UnmarshalReplyMarkupRemoveKeyboard(data) + switch meta.Type { + case TypeReplyMarkupRemoveKeyboard: + return UnmarshalReplyMarkupRemoveKeyboard(data) - case TypeReplyMarkupForceReply: - return UnmarshalReplyMarkupForceReply(data) + case TypeReplyMarkupForceReply: + return UnmarshalReplyMarkupForceReply(data) - case TypeReplyMarkupShowKeyboard: - return UnmarshalReplyMarkupShowKeyboard(data) + case TypeReplyMarkupShowKeyboard: + return UnmarshalReplyMarkupShowKeyboard(data) - case TypeReplyMarkupInlineKeyboard: - return UnmarshalReplyMarkupInlineKeyboard(data) + case TypeReplyMarkupInlineKeyboard: + return UnmarshalReplyMarkupInlineKeyboard(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfReplyMarkup(dataList []json.RawMessage) ([]ReplyMarkup, error) { - list := []ReplyMarkup{} + list := []ReplyMarkup{} - for _, data := range dataList { - entity, err := UnmarshalReplyMarkup(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalReplyMarkup(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalLoginUrlInfo(data json.RawMessage) (LoginUrlInfo, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeLoginUrlInfoOpen: - return UnmarshalLoginUrlInfoOpen(data) + switch meta.Type { + case TypeLoginUrlInfoOpen: + return UnmarshalLoginUrlInfoOpen(data) - case TypeLoginUrlInfoRequestConfirmation: - return UnmarshalLoginUrlInfoRequestConfirmation(data) + case TypeLoginUrlInfoRequestConfirmation: + return UnmarshalLoginUrlInfoRequestConfirmation(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfLoginUrlInfo(dataList []json.RawMessage) ([]LoginUrlInfo, error) { - list := []LoginUrlInfo{} + list := []LoginUrlInfo{} - for _, data := range dataList { - entity, err := UnmarshalLoginUrlInfo(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalLoginUrlInfo(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil +} + +func UnmarshalWebAppOpenMode(data json.RawMessage) (WebAppOpenMode, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeWebAppOpenModeCompact: + return UnmarshalWebAppOpenModeCompact(data) + + case TypeWebAppOpenModeFullSize: + return UnmarshalWebAppOpenModeFullSize(data) + + case TypeWebAppOpenModeFullScreen: + return UnmarshalWebAppOpenModeFullScreen(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfWebAppOpenMode(dataList []json.RawMessage) ([]WebAppOpenMode, error) { + list := []WebAppOpenMode{} + + for _, data := range dataList { + entity, err := UnmarshalWebAppOpenMode(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalSavedMessagesTopicType(data json.RawMessage) (SavedMessagesTopicType, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeSavedMessagesTopicTypeMyNotes: + return UnmarshalSavedMessagesTopicTypeMyNotes(data) + + case TypeSavedMessagesTopicTypeAuthorHidden: + return UnmarshalSavedMessagesTopicTypeAuthorHidden(data) + + case TypeSavedMessagesTopicTypeSavedFromChat: + return UnmarshalSavedMessagesTopicTypeSavedFromChat(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfSavedMessagesTopicType(dataList []json.RawMessage) ([]SavedMessagesTopicType, error) { + list := []SavedMessagesTopicType{} + + for _, data := range dataList { + entity, err := UnmarshalSavedMessagesTopicType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalBuiltInTheme(data json.RawMessage) (BuiltInTheme, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeBuiltInThemeClassic: + return UnmarshalBuiltInThemeClassic(data) + + case TypeBuiltInThemeDay: + return UnmarshalBuiltInThemeDay(data) + + case TypeBuiltInThemeNight: + return UnmarshalBuiltInThemeNight(data) + + case TypeBuiltInThemeTinted: + return UnmarshalBuiltInThemeTinted(data) + + case TypeBuiltInThemeArctic: + return UnmarshalBuiltInThemeArctic(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfBuiltInTheme(dataList []json.RawMessage) ([]BuiltInTheme, error) { + list := []BuiltInTheme{} + + for _, data := range dataList { + entity, err := UnmarshalBuiltInTheme(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil } func UnmarshalRichText(data json.RawMessage) (RichText, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeRichTextPlain: - return UnmarshalRichTextPlain(data) + switch meta.Type { + case TypeRichTextPlain: + return UnmarshalRichTextPlain(data) - case TypeRichTextBold: - return UnmarshalRichTextBold(data) + case TypeRichTextBold: + return UnmarshalRichTextBold(data) - case TypeRichTextItalic: - return UnmarshalRichTextItalic(data) + case TypeRichTextItalic: + return UnmarshalRichTextItalic(data) - case TypeRichTextUnderline: - return UnmarshalRichTextUnderline(data) + case TypeRichTextUnderline: + return UnmarshalRichTextUnderline(data) - case TypeRichTextStrikethrough: - return UnmarshalRichTextStrikethrough(data) + case TypeRichTextStrikethrough: + return UnmarshalRichTextStrikethrough(data) - case TypeRichTextFixed: - return UnmarshalRichTextFixed(data) + case TypeRichTextFixed: + return UnmarshalRichTextFixed(data) - case TypeRichTextUrl: - return UnmarshalRichTextUrl(data) + case TypeRichTextUrl: + return UnmarshalRichTextUrl(data) - case TypeRichTextEmailAddress: - return UnmarshalRichTextEmailAddress(data) + case TypeRichTextEmailAddress: + return UnmarshalRichTextEmailAddress(data) - case TypeRichTextSubscript: - return UnmarshalRichTextSubscript(data) + case TypeRichTextSubscript: + return UnmarshalRichTextSubscript(data) - case TypeRichTextSuperscript: - return UnmarshalRichTextSuperscript(data) + case TypeRichTextSuperscript: + return UnmarshalRichTextSuperscript(data) - case TypeRichTextMarked: - return UnmarshalRichTextMarked(data) + case TypeRichTextMarked: + return UnmarshalRichTextMarked(data) - case TypeRichTextPhoneNumber: - return UnmarshalRichTextPhoneNumber(data) + case TypeRichTextPhoneNumber: + return UnmarshalRichTextPhoneNumber(data) - case TypeRichTextIcon: - return UnmarshalRichTextIcon(data) + case TypeRichTextIcon: + return UnmarshalRichTextIcon(data) - case TypeRichTextReference: - return UnmarshalRichTextReference(data) + case TypeRichTextReference: + return UnmarshalRichTextReference(data) - case TypeRichTextAnchor: - return UnmarshalRichTextAnchor(data) + case TypeRichTextAnchor: + return UnmarshalRichTextAnchor(data) - case TypeRichTextAnchorLink: - return UnmarshalRichTextAnchorLink(data) + case TypeRichTextAnchorLink: + return UnmarshalRichTextAnchorLink(data) - case TypeRichTexts: - return UnmarshalRichTexts(data) + case TypeRichTexts: + return UnmarshalRichTexts(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfRichText(dataList []json.RawMessage) ([]RichText, error) { - list := []RichText{} + list := []RichText{} - for _, data := range dataList { - entity, err := UnmarshalRichText(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalRichText(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalPageBlockHorizontalAlignment(data json.RawMessage) (PageBlockHorizontalAlignment, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypePageBlockHorizontalAlignmentLeft: - return UnmarshalPageBlockHorizontalAlignmentLeft(data) + switch meta.Type { + case TypePageBlockHorizontalAlignmentLeft: + return UnmarshalPageBlockHorizontalAlignmentLeft(data) - case TypePageBlockHorizontalAlignmentCenter: - return UnmarshalPageBlockHorizontalAlignmentCenter(data) + case TypePageBlockHorizontalAlignmentCenter: + return UnmarshalPageBlockHorizontalAlignmentCenter(data) - case TypePageBlockHorizontalAlignmentRight: - return UnmarshalPageBlockHorizontalAlignmentRight(data) + case TypePageBlockHorizontalAlignmentRight: + return UnmarshalPageBlockHorizontalAlignmentRight(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfPageBlockHorizontalAlignment(dataList []json.RawMessage) ([]PageBlockHorizontalAlignment, error) { - list := []PageBlockHorizontalAlignment{} + list := []PageBlockHorizontalAlignment{} - for _, data := range dataList { - entity, err := UnmarshalPageBlockHorizontalAlignment(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalPageBlockHorizontalAlignment(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalPageBlockVerticalAlignment(data json.RawMessage) (PageBlockVerticalAlignment, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypePageBlockVerticalAlignmentTop: - return UnmarshalPageBlockVerticalAlignmentTop(data) + switch meta.Type { + case TypePageBlockVerticalAlignmentTop: + return UnmarshalPageBlockVerticalAlignmentTop(data) - case TypePageBlockVerticalAlignmentMiddle: - return UnmarshalPageBlockVerticalAlignmentMiddle(data) + case TypePageBlockVerticalAlignmentMiddle: + return UnmarshalPageBlockVerticalAlignmentMiddle(data) - case TypePageBlockVerticalAlignmentBottom: - return UnmarshalPageBlockVerticalAlignmentBottom(data) + case TypePageBlockVerticalAlignmentBottom: + return UnmarshalPageBlockVerticalAlignmentBottom(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfPageBlockVerticalAlignment(dataList []json.RawMessage) ([]PageBlockVerticalAlignment, error) { - list := []PageBlockVerticalAlignment{} + list := []PageBlockVerticalAlignment{} - for _, data := range dataList { - entity, err := UnmarshalPageBlockVerticalAlignment(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalPageBlockVerticalAlignment(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalPageBlock(data json.RawMessage) (PageBlock, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypePageBlockTitle: - return UnmarshalPageBlockTitle(data) + switch meta.Type { + case TypePageBlockTitle: + return UnmarshalPageBlockTitle(data) - case TypePageBlockSubtitle: - return UnmarshalPageBlockSubtitle(data) + case TypePageBlockSubtitle: + return UnmarshalPageBlockSubtitle(data) - case TypePageBlockAuthorDate: - return UnmarshalPageBlockAuthorDate(data) + case TypePageBlockAuthorDate: + return UnmarshalPageBlockAuthorDate(data) - case TypePageBlockHeader: - return UnmarshalPageBlockHeader(data) + case TypePageBlockHeader: + return UnmarshalPageBlockHeader(data) - case TypePageBlockSubheader: - return UnmarshalPageBlockSubheader(data) + case TypePageBlockSubheader: + return UnmarshalPageBlockSubheader(data) - case TypePageBlockKicker: - return UnmarshalPageBlockKicker(data) + case TypePageBlockKicker: + return UnmarshalPageBlockKicker(data) - case TypePageBlockParagraph: - return UnmarshalPageBlockParagraph(data) + case TypePageBlockParagraph: + return UnmarshalPageBlockParagraph(data) - case TypePageBlockPreformatted: - return UnmarshalPageBlockPreformatted(data) + case TypePageBlockPreformatted: + return UnmarshalPageBlockPreformatted(data) - case TypePageBlockFooter: - return UnmarshalPageBlockFooter(data) + case TypePageBlockFooter: + return UnmarshalPageBlockFooter(data) - case TypePageBlockDivider: - return UnmarshalPageBlockDivider(data) + case TypePageBlockDivider: + return UnmarshalPageBlockDivider(data) - case TypePageBlockAnchor: - return UnmarshalPageBlockAnchor(data) + case TypePageBlockAnchor: + return UnmarshalPageBlockAnchor(data) - case TypePageBlockList: - return UnmarshalPageBlockList(data) + case TypePageBlockList: + return UnmarshalPageBlockList(data) - case TypePageBlockBlockQuote: - return UnmarshalPageBlockBlockQuote(data) + case TypePageBlockBlockQuote: + return UnmarshalPageBlockBlockQuote(data) - case TypePageBlockPullQuote: - return UnmarshalPageBlockPullQuote(data) + case TypePageBlockPullQuote: + return UnmarshalPageBlockPullQuote(data) - case TypePageBlockAnimation: - return UnmarshalPageBlockAnimation(data) + case TypePageBlockAnimation: + return UnmarshalPageBlockAnimation(data) - case TypePageBlockAudio: - return UnmarshalPageBlockAudio(data) + case TypePageBlockAudio: + return UnmarshalPageBlockAudio(data) - case TypePageBlockPhoto: - return UnmarshalPageBlockPhoto(data) + case TypePageBlockPhoto: + return UnmarshalPageBlockPhoto(data) - case TypePageBlockVideo: - return UnmarshalPageBlockVideo(data) + case TypePageBlockVideo: + return UnmarshalPageBlockVideo(data) - case TypePageBlockVoiceNote: - return UnmarshalPageBlockVoiceNote(data) + case TypePageBlockVoiceNote: + return UnmarshalPageBlockVoiceNote(data) - case TypePageBlockCover: - return UnmarshalPageBlockCover(data) + case TypePageBlockCover: + return UnmarshalPageBlockCover(data) - case TypePageBlockEmbedded: - return UnmarshalPageBlockEmbedded(data) + case TypePageBlockEmbedded: + return UnmarshalPageBlockEmbedded(data) - case TypePageBlockEmbeddedPost: - return UnmarshalPageBlockEmbeddedPost(data) + case TypePageBlockEmbeddedPost: + return UnmarshalPageBlockEmbeddedPost(data) - case TypePageBlockCollage: - return UnmarshalPageBlockCollage(data) + case TypePageBlockCollage: + return UnmarshalPageBlockCollage(data) - case TypePageBlockSlideshow: - return UnmarshalPageBlockSlideshow(data) + case TypePageBlockSlideshow: + return UnmarshalPageBlockSlideshow(data) - case TypePageBlockChatLink: - return UnmarshalPageBlockChatLink(data) + case TypePageBlockChatLink: + return UnmarshalPageBlockChatLink(data) - case TypePageBlockTable: - return UnmarshalPageBlockTable(data) + case TypePageBlockTable: + return UnmarshalPageBlockTable(data) - case TypePageBlockDetails: - return UnmarshalPageBlockDetails(data) + case TypePageBlockDetails: + return UnmarshalPageBlockDetails(data) - case TypePageBlockRelatedArticles: - return UnmarshalPageBlockRelatedArticles(data) + case TypePageBlockRelatedArticles: + return UnmarshalPageBlockRelatedArticles(data) - case TypePageBlockMap: - return UnmarshalPageBlockMap(data) + case TypePageBlockMap: + return UnmarshalPageBlockMap(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfPageBlock(dataList []json.RawMessage) ([]PageBlock, error) { - list := []PageBlock{} + list := []PageBlock{} - for _, data := range dataList { - entity, err := UnmarshalPageBlock(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalPageBlock(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil +} + +func UnmarshalLinkPreviewAlbumMedia(data json.RawMessage) (LinkPreviewAlbumMedia, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeLinkPreviewAlbumMediaPhoto: + return UnmarshalLinkPreviewAlbumMediaPhoto(data) + + case TypeLinkPreviewAlbumMediaVideo: + return UnmarshalLinkPreviewAlbumMediaVideo(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfLinkPreviewAlbumMedia(dataList []json.RawMessage) ([]LinkPreviewAlbumMedia, error) { + list := []LinkPreviewAlbumMedia{} + + for _, data := range dataList { + entity, err := UnmarshalLinkPreviewAlbumMedia(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalLinkPreviewType(data json.RawMessage) (LinkPreviewType, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeLinkPreviewTypeAlbum: + return UnmarshalLinkPreviewTypeAlbum(data) + + case TypeLinkPreviewTypeAnimation: + return UnmarshalLinkPreviewTypeAnimation(data) + + case TypeLinkPreviewTypeApp: + return UnmarshalLinkPreviewTypeApp(data) + + case TypeLinkPreviewTypeArticle: + return UnmarshalLinkPreviewTypeArticle(data) + + case TypeLinkPreviewTypeAudio: + return UnmarshalLinkPreviewTypeAudio(data) + + case TypeLinkPreviewTypeBackground: + return UnmarshalLinkPreviewTypeBackground(data) + + case TypeLinkPreviewTypeChannelBoost: + return UnmarshalLinkPreviewTypeChannelBoost(data) + + case TypeLinkPreviewTypeChat: + return UnmarshalLinkPreviewTypeChat(data) + + case TypeLinkPreviewTypeDirectMessagesChat: + return UnmarshalLinkPreviewTypeDirectMessagesChat(data) + + case TypeLinkPreviewTypeDocument: + return UnmarshalLinkPreviewTypeDocument(data) + + case TypeLinkPreviewTypeEmbeddedAnimationPlayer: + return UnmarshalLinkPreviewTypeEmbeddedAnimationPlayer(data) + + case TypeLinkPreviewTypeEmbeddedAudioPlayer: + return UnmarshalLinkPreviewTypeEmbeddedAudioPlayer(data) + + case TypeLinkPreviewTypeEmbeddedVideoPlayer: + return UnmarshalLinkPreviewTypeEmbeddedVideoPlayer(data) + + case TypeLinkPreviewTypeExternalAudio: + return UnmarshalLinkPreviewTypeExternalAudio(data) + + case TypeLinkPreviewTypeExternalVideo: + return UnmarshalLinkPreviewTypeExternalVideo(data) + + case TypeLinkPreviewTypeGiftAuction: + return UnmarshalLinkPreviewTypeGiftAuction(data) + + case TypeLinkPreviewTypeGiftCollection: + return UnmarshalLinkPreviewTypeGiftCollection(data) + + case TypeLinkPreviewTypeGroupCall: + return UnmarshalLinkPreviewTypeGroupCall(data) + + case TypeLinkPreviewTypeInvoice: + return UnmarshalLinkPreviewTypeInvoice(data) + + case TypeLinkPreviewTypeLiveStory: + return UnmarshalLinkPreviewTypeLiveStory(data) + + case TypeLinkPreviewTypeMessage: + return UnmarshalLinkPreviewTypeMessage(data) + + case TypeLinkPreviewTypePhoto: + return UnmarshalLinkPreviewTypePhoto(data) + + case TypeLinkPreviewTypePremiumGiftCode: + return UnmarshalLinkPreviewTypePremiumGiftCode(data) + + case TypeLinkPreviewTypeShareableChatFolder: + return UnmarshalLinkPreviewTypeShareableChatFolder(data) + + case TypeLinkPreviewTypeSticker: + return UnmarshalLinkPreviewTypeSticker(data) + + case TypeLinkPreviewTypeStickerSet: + return UnmarshalLinkPreviewTypeStickerSet(data) + + case TypeLinkPreviewTypeStory: + return UnmarshalLinkPreviewTypeStory(data) + + case TypeLinkPreviewTypeStoryAlbum: + return UnmarshalLinkPreviewTypeStoryAlbum(data) + + case TypeLinkPreviewTypeSupergroupBoost: + return UnmarshalLinkPreviewTypeSupergroupBoost(data) + + case TypeLinkPreviewTypeTheme: + return UnmarshalLinkPreviewTypeTheme(data) + + case TypeLinkPreviewTypeUnsupported: + return UnmarshalLinkPreviewTypeUnsupported(data) + + case TypeLinkPreviewTypeUpgradedGift: + return UnmarshalLinkPreviewTypeUpgradedGift(data) + + case TypeLinkPreviewTypeUser: + return UnmarshalLinkPreviewTypeUser(data) + + case TypeLinkPreviewTypeVideo: + return UnmarshalLinkPreviewTypeVideo(data) + + case TypeLinkPreviewTypeVideoChat: + return UnmarshalLinkPreviewTypeVideoChat(data) + + case TypeLinkPreviewTypeVideoNote: + return UnmarshalLinkPreviewTypeVideoNote(data) + + case TypeLinkPreviewTypeVoiceNote: + return UnmarshalLinkPreviewTypeVoiceNote(data) + + case TypeLinkPreviewTypeWebApp: + return UnmarshalLinkPreviewTypeWebApp(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfLinkPreviewType(dataList []json.RawMessage) ([]LinkPreviewType, error) { + list := []LinkPreviewType{} + + for _, data := range dataList { + entity, err := UnmarshalLinkPreviewType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalCollectibleItemType(data json.RawMessage) (CollectibleItemType, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeCollectibleItemTypeUsername: + return UnmarshalCollectibleItemTypeUsername(data) + + case TypeCollectibleItemTypePhoneNumber: + return UnmarshalCollectibleItemTypePhoneNumber(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfCollectibleItemType(dataList []json.RawMessage) ([]CollectibleItemType, error) { + list := []CollectibleItemType{} + + for _, data := range dataList { + entity, err := UnmarshalCollectibleItemType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil } func UnmarshalInputCredentials(data json.RawMessage) (InputCredentials, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeInputCredentialsSaved: - return UnmarshalInputCredentialsSaved(data) + switch meta.Type { + case TypeInputCredentialsSaved: + return UnmarshalInputCredentialsSaved(data) - case TypeInputCredentialsNew: - return UnmarshalInputCredentialsNew(data) + case TypeInputCredentialsNew: + return UnmarshalInputCredentialsNew(data) - case TypeInputCredentialsApplePay: - return UnmarshalInputCredentialsApplePay(data) + case TypeInputCredentialsApplePay: + return UnmarshalInputCredentialsApplePay(data) - case TypeInputCredentialsGooglePay: - return UnmarshalInputCredentialsGooglePay(data) + case TypeInputCredentialsGooglePay: + return UnmarshalInputCredentialsGooglePay(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfInputCredentials(dataList []json.RawMessage) ([]InputCredentials, error) { - list := []InputCredentials{} + list := []InputCredentials{} - for _, data := range dataList { - entity, err := UnmarshalInputCredentials(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalInputCredentials(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalPaymentProvider(data json.RawMessage) (PaymentProvider, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypePaymentProviderSmartGlocal: - return UnmarshalPaymentProviderSmartGlocal(data) + switch meta.Type { + case TypePaymentProviderSmartGlocal: + return UnmarshalPaymentProviderSmartGlocal(data) - case TypePaymentProviderStripe: - return UnmarshalPaymentProviderStripe(data) + case TypePaymentProviderStripe: + return UnmarshalPaymentProviderStripe(data) - case TypePaymentProviderOther: - return UnmarshalPaymentProviderOther(data) + case TypePaymentProviderOther: + return UnmarshalPaymentProviderOther(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfPaymentProvider(dataList []json.RawMessage) ([]PaymentProvider, error) { - list := []PaymentProvider{} + list := []PaymentProvider{} - for _, data := range dataList { - entity, err := UnmarshalPaymentProvider(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalPaymentProvider(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil +} + +func UnmarshalPaymentFormType(data json.RawMessage) (PaymentFormType, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypePaymentFormTypeRegular: + return UnmarshalPaymentFormTypeRegular(data) + + case TypePaymentFormTypeStars: + return UnmarshalPaymentFormTypeStars(data) + + case TypePaymentFormTypeStarSubscription: + return UnmarshalPaymentFormTypeStarSubscription(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfPaymentFormType(dataList []json.RawMessage) ([]PaymentFormType, error) { + list := []PaymentFormType{} + + for _, data := range dataList { + entity, err := UnmarshalPaymentFormType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalPaymentReceiptType(data json.RawMessage) (PaymentReceiptType, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypePaymentReceiptTypeRegular: + return UnmarshalPaymentReceiptTypeRegular(data) + + case TypePaymentReceiptTypeStars: + return UnmarshalPaymentReceiptTypeStars(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfPaymentReceiptType(dataList []json.RawMessage) ([]PaymentReceiptType, error) { + list := []PaymentReceiptType{} + + for _, data := range dataList { + entity, err := UnmarshalPaymentReceiptType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil } func UnmarshalInputInvoice(data json.RawMessage) (InputInvoice, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeInputInvoiceMessage: - return UnmarshalInputInvoiceMessage(data) + switch meta.Type { + case TypeInputInvoiceMessage: + return UnmarshalInputInvoiceMessage(data) - case TypeInputInvoiceName: - return UnmarshalInputInvoiceName(data) + case TypeInputInvoiceName: + return UnmarshalInputInvoiceName(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + case TypeInputInvoiceTelegram: + return UnmarshalInputInvoiceTelegram(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfInputInvoice(dataList []json.RawMessage) ([]InputInvoice, error) { - list := []InputInvoice{} + list := []InputInvoice{} - for _, data := range dataList { - entity, err := UnmarshalInputInvoice(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalInputInvoice(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } -func UnmarshalMessageExtendedMedia(data json.RawMessage) (MessageExtendedMedia, error) { - var meta meta +func UnmarshalPaidMedia(data json.RawMessage) (PaidMedia, error) { + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeMessageExtendedMediaPreview: - return UnmarshalMessageExtendedMediaPreview(data) + switch meta.Type { + case TypePaidMediaPreview: + return UnmarshalPaidMediaPreview(data) - case TypeMessageExtendedMediaPhoto: - return UnmarshalMessageExtendedMediaPhoto(data) + case TypePaidMediaPhoto: + return UnmarshalPaidMediaPhoto(data) - case TypeMessageExtendedMediaVideo: - return UnmarshalMessageExtendedMediaVideo(data) + case TypePaidMediaVideo: + return UnmarshalPaidMediaVideo(data) - case TypeMessageExtendedMediaUnsupported: - return UnmarshalMessageExtendedMediaUnsupported(data) + case TypePaidMediaUnsupported: + return UnmarshalPaidMediaUnsupported(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } -func UnmarshalListOfMessageExtendedMedia(dataList []json.RawMessage) ([]MessageExtendedMedia, error) { - list := []MessageExtendedMedia{} +func UnmarshalListOfPaidMedia(dataList []json.RawMessage) ([]PaidMedia, error) { + list := []PaidMedia{} - for _, data := range dataList { - entity, err := UnmarshalMessageExtendedMedia(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalPaidMedia(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalPassportElementType(data json.RawMessage) (PassportElementType, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypePassportElementTypePersonalDetails: - return UnmarshalPassportElementTypePersonalDetails(data) + switch meta.Type { + case TypePassportElementTypePersonalDetails: + return UnmarshalPassportElementTypePersonalDetails(data) - case TypePassportElementTypePassport: - return UnmarshalPassportElementTypePassport(data) + case TypePassportElementTypePassport: + return UnmarshalPassportElementTypePassport(data) - case TypePassportElementTypeDriverLicense: - return UnmarshalPassportElementTypeDriverLicense(data) + case TypePassportElementTypeDriverLicense: + return UnmarshalPassportElementTypeDriverLicense(data) - case TypePassportElementTypeIdentityCard: - return UnmarshalPassportElementTypeIdentityCard(data) + case TypePassportElementTypeIdentityCard: + return UnmarshalPassportElementTypeIdentityCard(data) - case TypePassportElementTypeInternalPassport: - return UnmarshalPassportElementTypeInternalPassport(data) + case TypePassportElementTypeInternalPassport: + return UnmarshalPassportElementTypeInternalPassport(data) - case TypePassportElementTypeAddress: - return UnmarshalPassportElementTypeAddress(data) + case TypePassportElementTypeAddress: + return UnmarshalPassportElementTypeAddress(data) - case TypePassportElementTypeUtilityBill: - return UnmarshalPassportElementTypeUtilityBill(data) + case TypePassportElementTypeUtilityBill: + return UnmarshalPassportElementTypeUtilityBill(data) - case TypePassportElementTypeBankStatement: - return UnmarshalPassportElementTypeBankStatement(data) + case TypePassportElementTypeBankStatement: + return UnmarshalPassportElementTypeBankStatement(data) - case TypePassportElementTypeRentalAgreement: - return UnmarshalPassportElementTypeRentalAgreement(data) + case TypePassportElementTypeRentalAgreement: + return UnmarshalPassportElementTypeRentalAgreement(data) - case TypePassportElementTypePassportRegistration: - return UnmarshalPassportElementTypePassportRegistration(data) + case TypePassportElementTypePassportRegistration: + return UnmarshalPassportElementTypePassportRegistration(data) - case TypePassportElementTypeTemporaryRegistration: - return UnmarshalPassportElementTypeTemporaryRegistration(data) + case TypePassportElementTypeTemporaryRegistration: + return UnmarshalPassportElementTypeTemporaryRegistration(data) - case TypePassportElementTypePhoneNumber: - return UnmarshalPassportElementTypePhoneNumber(data) + case TypePassportElementTypePhoneNumber: + return UnmarshalPassportElementTypePhoneNumber(data) - case TypePassportElementTypeEmailAddress: - return UnmarshalPassportElementTypeEmailAddress(data) + case TypePassportElementTypeEmailAddress: + return UnmarshalPassportElementTypeEmailAddress(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfPassportElementType(dataList []json.RawMessage) ([]PassportElementType, error) { - list := []PassportElementType{} + list := []PassportElementType{} - for _, data := range dataList { - entity, err := UnmarshalPassportElementType(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalPassportElementType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalPassportElement(data json.RawMessage) (PassportElement, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypePassportElementPersonalDetails: - return UnmarshalPassportElementPersonalDetails(data) + switch meta.Type { + case TypePassportElementPersonalDetails: + return UnmarshalPassportElementPersonalDetails(data) - case TypePassportElementPassport: - return UnmarshalPassportElementPassport(data) + case TypePassportElementPassport: + return UnmarshalPassportElementPassport(data) - case TypePassportElementDriverLicense: - return UnmarshalPassportElementDriverLicense(data) + case TypePassportElementDriverLicense: + return UnmarshalPassportElementDriverLicense(data) - case TypePassportElementIdentityCard: - return UnmarshalPassportElementIdentityCard(data) + case TypePassportElementIdentityCard: + return UnmarshalPassportElementIdentityCard(data) - case TypePassportElementInternalPassport: - return UnmarshalPassportElementInternalPassport(data) + case TypePassportElementInternalPassport: + return UnmarshalPassportElementInternalPassport(data) - case TypePassportElementAddress: - return UnmarshalPassportElementAddress(data) + case TypePassportElementAddress: + return UnmarshalPassportElementAddress(data) - case TypePassportElementUtilityBill: - return UnmarshalPassportElementUtilityBill(data) + case TypePassportElementUtilityBill: + return UnmarshalPassportElementUtilityBill(data) - case TypePassportElementBankStatement: - return UnmarshalPassportElementBankStatement(data) + case TypePassportElementBankStatement: + return UnmarshalPassportElementBankStatement(data) - case TypePassportElementRentalAgreement: - return UnmarshalPassportElementRentalAgreement(data) + case TypePassportElementRentalAgreement: + return UnmarshalPassportElementRentalAgreement(data) - case TypePassportElementPassportRegistration: - return UnmarshalPassportElementPassportRegistration(data) + case TypePassportElementPassportRegistration: + return UnmarshalPassportElementPassportRegistration(data) - case TypePassportElementTemporaryRegistration: - return UnmarshalPassportElementTemporaryRegistration(data) + case TypePassportElementTemporaryRegistration: + return UnmarshalPassportElementTemporaryRegistration(data) - case TypePassportElementPhoneNumber: - return UnmarshalPassportElementPhoneNumber(data) + case TypePassportElementPhoneNumber: + return UnmarshalPassportElementPhoneNumber(data) - case TypePassportElementEmailAddress: - return UnmarshalPassportElementEmailAddress(data) + case TypePassportElementEmailAddress: + return UnmarshalPassportElementEmailAddress(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfPassportElement(dataList []json.RawMessage) ([]PassportElement, error) { - list := []PassportElement{} + list := []PassportElement{} - for _, data := range dataList { - entity, err := UnmarshalPassportElement(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalPassportElement(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalInputPassportElement(data json.RawMessage) (InputPassportElement, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeInputPassportElementPersonalDetails: - return UnmarshalInputPassportElementPersonalDetails(data) + switch meta.Type { + case TypeInputPassportElementPersonalDetails: + return UnmarshalInputPassportElementPersonalDetails(data) - case TypeInputPassportElementPassport: - return UnmarshalInputPassportElementPassport(data) + case TypeInputPassportElementPassport: + return UnmarshalInputPassportElementPassport(data) - case TypeInputPassportElementDriverLicense: - return UnmarshalInputPassportElementDriverLicense(data) + case TypeInputPassportElementDriverLicense: + return UnmarshalInputPassportElementDriverLicense(data) - case TypeInputPassportElementIdentityCard: - return UnmarshalInputPassportElementIdentityCard(data) + case TypeInputPassportElementIdentityCard: + return UnmarshalInputPassportElementIdentityCard(data) - case TypeInputPassportElementInternalPassport: - return UnmarshalInputPassportElementInternalPassport(data) + case TypeInputPassportElementInternalPassport: + return UnmarshalInputPassportElementInternalPassport(data) - case TypeInputPassportElementAddress: - return UnmarshalInputPassportElementAddress(data) + case TypeInputPassportElementAddress: + return UnmarshalInputPassportElementAddress(data) - case TypeInputPassportElementUtilityBill: - return UnmarshalInputPassportElementUtilityBill(data) + case TypeInputPassportElementUtilityBill: + return UnmarshalInputPassportElementUtilityBill(data) - case TypeInputPassportElementBankStatement: - return UnmarshalInputPassportElementBankStatement(data) + case TypeInputPassportElementBankStatement: + return UnmarshalInputPassportElementBankStatement(data) - case TypeInputPassportElementRentalAgreement: - return UnmarshalInputPassportElementRentalAgreement(data) + case TypeInputPassportElementRentalAgreement: + return UnmarshalInputPassportElementRentalAgreement(data) - case TypeInputPassportElementPassportRegistration: - return UnmarshalInputPassportElementPassportRegistration(data) + case TypeInputPassportElementPassportRegistration: + return UnmarshalInputPassportElementPassportRegistration(data) - case TypeInputPassportElementTemporaryRegistration: - return UnmarshalInputPassportElementTemporaryRegistration(data) + case TypeInputPassportElementTemporaryRegistration: + return UnmarshalInputPassportElementTemporaryRegistration(data) - case TypeInputPassportElementPhoneNumber: - return UnmarshalInputPassportElementPhoneNumber(data) + case TypeInputPassportElementPhoneNumber: + return UnmarshalInputPassportElementPhoneNumber(data) - case TypeInputPassportElementEmailAddress: - return UnmarshalInputPassportElementEmailAddress(data) + case TypeInputPassportElementEmailAddress: + return UnmarshalInputPassportElementEmailAddress(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfInputPassportElement(dataList []json.RawMessage) ([]InputPassportElement, error) { - list := []InputPassportElement{} + list := []InputPassportElement{} - for _, data := range dataList { - entity, err := UnmarshalInputPassportElement(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalInputPassportElement(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalPassportElementErrorSource(data json.RawMessage) (PassportElementErrorSource, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypePassportElementErrorSourceUnspecified: - return UnmarshalPassportElementErrorSourceUnspecified(data) + switch meta.Type { + case TypePassportElementErrorSourceUnspecified: + return UnmarshalPassportElementErrorSourceUnspecified(data) - case TypePassportElementErrorSourceDataField: - return UnmarshalPassportElementErrorSourceDataField(data) + case TypePassportElementErrorSourceDataField: + return UnmarshalPassportElementErrorSourceDataField(data) - case TypePassportElementErrorSourceFrontSide: - return UnmarshalPassportElementErrorSourceFrontSide(data) + case TypePassportElementErrorSourceFrontSide: + return UnmarshalPassportElementErrorSourceFrontSide(data) - case TypePassportElementErrorSourceReverseSide: - return UnmarshalPassportElementErrorSourceReverseSide(data) + case TypePassportElementErrorSourceReverseSide: + return UnmarshalPassportElementErrorSourceReverseSide(data) - case TypePassportElementErrorSourceSelfie: - return UnmarshalPassportElementErrorSourceSelfie(data) + case TypePassportElementErrorSourceSelfie: + return UnmarshalPassportElementErrorSourceSelfie(data) - case TypePassportElementErrorSourceTranslationFile: - return UnmarshalPassportElementErrorSourceTranslationFile(data) + case TypePassportElementErrorSourceTranslationFile: + return UnmarshalPassportElementErrorSourceTranslationFile(data) - case TypePassportElementErrorSourceTranslationFiles: - return UnmarshalPassportElementErrorSourceTranslationFiles(data) + case TypePassportElementErrorSourceTranslationFiles: + return UnmarshalPassportElementErrorSourceTranslationFiles(data) - case TypePassportElementErrorSourceFile: - return UnmarshalPassportElementErrorSourceFile(data) + case TypePassportElementErrorSourceFile: + return UnmarshalPassportElementErrorSourceFile(data) - case TypePassportElementErrorSourceFiles: - return UnmarshalPassportElementErrorSourceFiles(data) + case TypePassportElementErrorSourceFiles: + return UnmarshalPassportElementErrorSourceFiles(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfPassportElementErrorSource(dataList []json.RawMessage) ([]PassportElementErrorSource, error) { - list := []PassportElementErrorSource{} + list := []PassportElementErrorSource{} - for _, data := range dataList { - entity, err := UnmarshalPassportElementErrorSource(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalPassportElementErrorSource(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalInputPassportElementErrorSource(data json.RawMessage) (InputPassportElementErrorSource, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeInputPassportElementErrorSourceUnspecified: - return UnmarshalInputPassportElementErrorSourceUnspecified(data) + switch meta.Type { + case TypeInputPassportElementErrorSourceUnspecified: + return UnmarshalInputPassportElementErrorSourceUnspecified(data) - case TypeInputPassportElementErrorSourceDataField: - return UnmarshalInputPassportElementErrorSourceDataField(data) + case TypeInputPassportElementErrorSourceDataField: + return UnmarshalInputPassportElementErrorSourceDataField(data) - case TypeInputPassportElementErrorSourceFrontSide: - return UnmarshalInputPassportElementErrorSourceFrontSide(data) + case TypeInputPassportElementErrorSourceFrontSide: + return UnmarshalInputPassportElementErrorSourceFrontSide(data) - case TypeInputPassportElementErrorSourceReverseSide: - return UnmarshalInputPassportElementErrorSourceReverseSide(data) + case TypeInputPassportElementErrorSourceReverseSide: + return UnmarshalInputPassportElementErrorSourceReverseSide(data) - case TypeInputPassportElementErrorSourceSelfie: - return UnmarshalInputPassportElementErrorSourceSelfie(data) + case TypeInputPassportElementErrorSourceSelfie: + return UnmarshalInputPassportElementErrorSourceSelfie(data) - case TypeInputPassportElementErrorSourceTranslationFile: - return UnmarshalInputPassportElementErrorSourceTranslationFile(data) + case TypeInputPassportElementErrorSourceTranslationFile: + return UnmarshalInputPassportElementErrorSourceTranslationFile(data) - case TypeInputPassportElementErrorSourceTranslationFiles: - return UnmarshalInputPassportElementErrorSourceTranslationFiles(data) + case TypeInputPassportElementErrorSourceTranslationFiles: + return UnmarshalInputPassportElementErrorSourceTranslationFiles(data) - case TypeInputPassportElementErrorSourceFile: - return UnmarshalInputPassportElementErrorSourceFile(data) + case TypeInputPassportElementErrorSourceFile: + return UnmarshalInputPassportElementErrorSourceFile(data) - case TypeInputPassportElementErrorSourceFiles: - return UnmarshalInputPassportElementErrorSourceFiles(data) + case TypeInputPassportElementErrorSourceFiles: + return UnmarshalInputPassportElementErrorSourceFiles(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfInputPassportElementErrorSource(dataList []json.RawMessage) ([]InputPassportElementErrorSource, error) { - list := []InputPassportElementErrorSource{} + list := []InputPassportElementErrorSource{} - for _, data := range dataList { - entity, err := UnmarshalInputPassportElementErrorSource(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalInputPassportElementErrorSource(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalMessageContent(data json.RawMessage) (MessageContent, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeMessageText: - return UnmarshalMessageText(data) + switch meta.Type { + case TypeMessageText: + return UnmarshalMessageText(data) - case TypeMessageAnimation: - return UnmarshalMessageAnimation(data) + case TypeMessageAnimation: + return UnmarshalMessageAnimation(data) - case TypeMessageAudio: - return UnmarshalMessageAudio(data) + case TypeMessageAudio: + return UnmarshalMessageAudio(data) - case TypeMessageDocument: - return UnmarshalMessageDocument(data) + case TypeMessageDocument: + return UnmarshalMessageDocument(data) - case TypeMessagePhoto: - return UnmarshalMessagePhoto(data) + case TypeMessagePaidMedia: + return UnmarshalMessagePaidMedia(data) - case TypeMessageExpiredPhoto: - return UnmarshalMessageExpiredPhoto(data) + case TypeMessagePhoto: + return UnmarshalMessagePhoto(data) - case TypeMessageSticker: - return UnmarshalMessageSticker(data) + case TypeMessageSticker: + return UnmarshalMessageSticker(data) - case TypeMessageVideo: - return UnmarshalMessageVideo(data) + case TypeMessageVideo: + return UnmarshalMessageVideo(data) - case TypeMessageExpiredVideo: - return UnmarshalMessageExpiredVideo(data) + case TypeMessageVideoNote: + return UnmarshalMessageVideoNote(data) - case TypeMessageVideoNote: - return UnmarshalMessageVideoNote(data) + case TypeMessageVoiceNote: + return UnmarshalMessageVoiceNote(data) - case TypeMessageVoiceNote: - return UnmarshalMessageVoiceNote(data) + case TypeMessageExpiredPhoto: + return UnmarshalMessageExpiredPhoto(data) - case TypeMessageLocation: - return UnmarshalMessageLocation(data) + case TypeMessageExpiredVideo: + return UnmarshalMessageExpiredVideo(data) - case TypeMessageVenue: - return UnmarshalMessageVenue(data) + case TypeMessageExpiredVideoNote: + return UnmarshalMessageExpiredVideoNote(data) - case TypeMessageContact: - return UnmarshalMessageContact(data) + case TypeMessageExpiredVoiceNote: + return UnmarshalMessageExpiredVoiceNote(data) - case TypeMessageAnimatedEmoji: - return UnmarshalMessageAnimatedEmoji(data) + case TypeMessageLocation: + return UnmarshalMessageLocation(data) - case TypeMessageDice: - return UnmarshalMessageDice(data) + case TypeMessageVenue: + return UnmarshalMessageVenue(data) - case TypeMessageGame: - return UnmarshalMessageGame(data) + case TypeMessageContact: + return UnmarshalMessageContact(data) - case TypeMessagePoll: - return UnmarshalMessagePoll(data) + case TypeMessageAnimatedEmoji: + return UnmarshalMessageAnimatedEmoji(data) - case TypeMessageInvoice: - return UnmarshalMessageInvoice(data) + case TypeMessageDice: + return UnmarshalMessageDice(data) - case TypeMessageCall: - return UnmarshalMessageCall(data) + case TypeMessageGame: + return UnmarshalMessageGame(data) - case TypeMessageVideoChatScheduled: - return UnmarshalMessageVideoChatScheduled(data) + case TypeMessagePoll: + return UnmarshalMessagePoll(data) - case TypeMessageVideoChatStarted: - return UnmarshalMessageVideoChatStarted(data) + case TypeMessageStakeDice: + return UnmarshalMessageStakeDice(data) - case TypeMessageVideoChatEnded: - return UnmarshalMessageVideoChatEnded(data) + case TypeMessageStory: + return UnmarshalMessageStory(data) - case TypeMessageInviteVideoChatParticipants: - return UnmarshalMessageInviteVideoChatParticipants(data) + case TypeMessageChecklist: + return UnmarshalMessageChecklist(data) - case TypeMessageBasicGroupChatCreate: - return UnmarshalMessageBasicGroupChatCreate(data) + case TypeMessageInvoice: + return UnmarshalMessageInvoice(data) - case TypeMessageSupergroupChatCreate: - return UnmarshalMessageSupergroupChatCreate(data) + case TypeMessageCall: + return UnmarshalMessageCall(data) - case TypeMessageChatChangeTitle: - return UnmarshalMessageChatChangeTitle(data) + case TypeMessageGroupCall: + return UnmarshalMessageGroupCall(data) - case TypeMessageChatChangePhoto: - return UnmarshalMessageChatChangePhoto(data) + case TypeMessageVideoChatScheduled: + return UnmarshalMessageVideoChatScheduled(data) - case TypeMessageChatDeletePhoto: - return UnmarshalMessageChatDeletePhoto(data) + case TypeMessageVideoChatStarted: + return UnmarshalMessageVideoChatStarted(data) - case TypeMessageChatAddMembers: - return UnmarshalMessageChatAddMembers(data) + case TypeMessageVideoChatEnded: + return UnmarshalMessageVideoChatEnded(data) - case TypeMessageChatJoinByLink: - return UnmarshalMessageChatJoinByLink(data) + case TypeMessageInviteVideoChatParticipants: + return UnmarshalMessageInviteVideoChatParticipants(data) - case TypeMessageChatJoinByRequest: - return UnmarshalMessageChatJoinByRequest(data) + case TypeMessageBasicGroupChatCreate: + return UnmarshalMessageBasicGroupChatCreate(data) - case TypeMessageChatDeleteMember: - return UnmarshalMessageChatDeleteMember(data) + case TypeMessageSupergroupChatCreate: + return UnmarshalMessageSupergroupChatCreate(data) - case TypeMessageChatUpgradeTo: - return UnmarshalMessageChatUpgradeTo(data) + case TypeMessageChatChangeTitle: + return UnmarshalMessageChatChangeTitle(data) - case TypeMessageChatUpgradeFrom: - return UnmarshalMessageChatUpgradeFrom(data) + case TypeMessageChatChangePhoto: + return UnmarshalMessageChatChangePhoto(data) - case TypeMessagePinMessage: - return UnmarshalMessagePinMessage(data) + case TypeMessageChatDeletePhoto: + return UnmarshalMessageChatDeletePhoto(data) - case TypeMessageScreenshotTaken: - return UnmarshalMessageScreenshotTaken(data) + case TypeMessageChatOwnerLeft: + return UnmarshalMessageChatOwnerLeft(data) - case TypeMessageChatSetTheme: - return UnmarshalMessageChatSetTheme(data) + case TypeMessageChatOwnerChanged: + return UnmarshalMessageChatOwnerChanged(data) - case TypeMessageChatSetMessageAutoDeleteTime: - return UnmarshalMessageChatSetMessageAutoDeleteTime(data) + case TypeMessageChatAddMembers: + return UnmarshalMessageChatAddMembers(data) - case TypeMessageForumTopicCreated: - return UnmarshalMessageForumTopicCreated(data) + case TypeMessageChatJoinByLink: + return UnmarshalMessageChatJoinByLink(data) - case TypeMessageForumTopicEdited: - return UnmarshalMessageForumTopicEdited(data) + case TypeMessageChatJoinByRequest: + return UnmarshalMessageChatJoinByRequest(data) - case TypeMessageForumTopicIsClosedToggled: - return UnmarshalMessageForumTopicIsClosedToggled(data) + case TypeMessageChatDeleteMember: + return UnmarshalMessageChatDeleteMember(data) - case TypeMessageForumTopicIsHiddenToggled: - return UnmarshalMessageForumTopicIsHiddenToggled(data) + case TypeMessageChatUpgradeTo: + return UnmarshalMessageChatUpgradeTo(data) - case TypeMessageSuggestProfilePhoto: - return UnmarshalMessageSuggestProfilePhoto(data) + case TypeMessageChatUpgradeFrom: + return UnmarshalMessageChatUpgradeFrom(data) - case TypeMessageCustomServiceAction: - return UnmarshalMessageCustomServiceAction(data) + case TypeMessagePinMessage: + return UnmarshalMessagePinMessage(data) - case TypeMessageGameScore: - return UnmarshalMessageGameScore(data) + case TypeMessageScreenshotTaken: + return UnmarshalMessageScreenshotTaken(data) - case TypeMessagePaymentSuccessful: - return UnmarshalMessagePaymentSuccessful(data) + case TypeMessageChatSetBackground: + return UnmarshalMessageChatSetBackground(data) - case TypeMessagePaymentSuccessfulBot: - return UnmarshalMessagePaymentSuccessfulBot(data) + case TypeMessageChatSetTheme: + return UnmarshalMessageChatSetTheme(data) - case TypeMessageGiftedPremium: - return UnmarshalMessageGiftedPremium(data) + case TypeMessageChatSetMessageAutoDeleteTime: + return UnmarshalMessageChatSetMessageAutoDeleteTime(data) - case TypeMessageContactRegistered: - return UnmarshalMessageContactRegistered(data) + case TypeMessageChatBoost: + return UnmarshalMessageChatBoost(data) - case TypeMessageUserShared: - return UnmarshalMessageUserShared(data) + case TypeMessageForumTopicCreated: + return UnmarshalMessageForumTopicCreated(data) - case TypeMessageChatShared: - return UnmarshalMessageChatShared(data) + case TypeMessageForumTopicEdited: + return UnmarshalMessageForumTopicEdited(data) - case TypeMessageWebsiteConnected: - return UnmarshalMessageWebsiteConnected(data) + case TypeMessageForumTopicIsClosedToggled: + return UnmarshalMessageForumTopicIsClosedToggled(data) - case TypeMessageBotWriteAccessAllowed: - return UnmarshalMessageBotWriteAccessAllowed(data) + case TypeMessageForumTopicIsHiddenToggled: + return UnmarshalMessageForumTopicIsHiddenToggled(data) - case TypeMessageWebAppDataSent: - return UnmarshalMessageWebAppDataSent(data) + case TypeMessageSuggestProfilePhoto: + return UnmarshalMessageSuggestProfilePhoto(data) - case TypeMessageWebAppDataReceived: - return UnmarshalMessageWebAppDataReceived(data) + case TypeMessageSuggestBirthdate: + return UnmarshalMessageSuggestBirthdate(data) - case TypeMessagePassportDataSent: - return UnmarshalMessagePassportDataSent(data) + case TypeMessageCustomServiceAction: + return UnmarshalMessageCustomServiceAction(data) - case TypeMessagePassportDataReceived: - return UnmarshalMessagePassportDataReceived(data) + case TypeMessageGameScore: + return UnmarshalMessageGameScore(data) - case TypeMessageProximityAlertTriggered: - return UnmarshalMessageProximityAlertTriggered(data) + case TypeMessagePaymentSuccessful: + return UnmarshalMessagePaymentSuccessful(data) - case TypeMessageUnsupported: - return UnmarshalMessageUnsupported(data) + case TypeMessagePaymentSuccessfulBot: + return UnmarshalMessagePaymentSuccessfulBot(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + case TypeMessagePaymentRefunded: + return UnmarshalMessagePaymentRefunded(data) + + case TypeMessageGiftedPremium: + return UnmarshalMessageGiftedPremium(data) + + case TypeMessagePremiumGiftCode: + return UnmarshalMessagePremiumGiftCode(data) + + case TypeMessageGiveawayCreated: + return UnmarshalMessageGiveawayCreated(data) + + case TypeMessageGiveaway: + return UnmarshalMessageGiveaway(data) + + case TypeMessageGiveawayCompleted: + return UnmarshalMessageGiveawayCompleted(data) + + case TypeMessageGiveawayWinners: + return UnmarshalMessageGiveawayWinners(data) + + case TypeMessageGiftedStars: + return UnmarshalMessageGiftedStars(data) + + case TypeMessageGiftedTon: + return UnmarshalMessageGiftedTon(data) + + case TypeMessageGiveawayPrizeStars: + return UnmarshalMessageGiveawayPrizeStars(data) + + case TypeMessageGift: + return UnmarshalMessageGift(data) + + case TypeMessageUpgradedGift: + return UnmarshalMessageUpgradedGift(data) + + case TypeMessageRefundedUpgradedGift: + return UnmarshalMessageRefundedUpgradedGift(data) + + case TypeMessageUpgradedGiftPurchaseOffer: + return UnmarshalMessageUpgradedGiftPurchaseOffer(data) + + case TypeMessageUpgradedGiftPurchaseOfferRejected: + return UnmarshalMessageUpgradedGiftPurchaseOfferRejected(data) + + case TypeMessagePaidMessagesRefunded: + return UnmarshalMessagePaidMessagesRefunded(data) + + case TypeMessagePaidMessagePriceChanged: + return UnmarshalMessagePaidMessagePriceChanged(data) + + case TypeMessageDirectMessagePriceChanged: + return UnmarshalMessageDirectMessagePriceChanged(data) + + case TypeMessageChecklistTasksDone: + return UnmarshalMessageChecklistTasksDone(data) + + case TypeMessageChecklistTasksAdded: + return UnmarshalMessageChecklistTasksAdded(data) + + case TypeMessageSuggestedPostApprovalFailed: + return UnmarshalMessageSuggestedPostApprovalFailed(data) + + case TypeMessageSuggestedPostApproved: + return UnmarshalMessageSuggestedPostApproved(data) + + case TypeMessageSuggestedPostDeclined: + return UnmarshalMessageSuggestedPostDeclined(data) + + case TypeMessageSuggestedPostPaid: + return UnmarshalMessageSuggestedPostPaid(data) + + case TypeMessageSuggestedPostRefunded: + return UnmarshalMessageSuggestedPostRefunded(data) + + case TypeMessageContactRegistered: + return UnmarshalMessageContactRegistered(data) + + case TypeMessageUsersShared: + return UnmarshalMessageUsersShared(data) + + case TypeMessageChatShared: + return UnmarshalMessageChatShared(data) + + case TypeMessageBotWriteAccessAllowed: + return UnmarshalMessageBotWriteAccessAllowed(data) + + case TypeMessageWebAppDataSent: + return UnmarshalMessageWebAppDataSent(data) + + case TypeMessageWebAppDataReceived: + return UnmarshalMessageWebAppDataReceived(data) + + case TypeMessagePassportDataSent: + return UnmarshalMessagePassportDataSent(data) + + case TypeMessagePassportDataReceived: + return UnmarshalMessagePassportDataReceived(data) + + case TypeMessageProximityAlertTriggered: + return UnmarshalMessageProximityAlertTriggered(data) + + case TypeMessageUnsupported: + return UnmarshalMessageUnsupported(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfMessageContent(dataList []json.RawMessage) ([]MessageContent, error) { - list := []MessageContent{} + list := []MessageContent{} - for _, data := range dataList { - entity, err := UnmarshalMessageContent(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalMessageContent(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalTextEntityType(data json.RawMessage) (TextEntityType, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeTextEntityTypeMention: - return UnmarshalTextEntityTypeMention(data) + switch meta.Type { + case TypeTextEntityTypeMention: + return UnmarshalTextEntityTypeMention(data) - case TypeTextEntityTypeHashtag: - return UnmarshalTextEntityTypeHashtag(data) + case TypeTextEntityTypeHashtag: + return UnmarshalTextEntityTypeHashtag(data) - case TypeTextEntityTypeCashtag: - return UnmarshalTextEntityTypeCashtag(data) + case TypeTextEntityTypeCashtag: + return UnmarshalTextEntityTypeCashtag(data) - case TypeTextEntityTypeBotCommand: - return UnmarshalTextEntityTypeBotCommand(data) + case TypeTextEntityTypeBotCommand: + return UnmarshalTextEntityTypeBotCommand(data) - case TypeTextEntityTypeUrl: - return UnmarshalTextEntityTypeUrl(data) + case TypeTextEntityTypeUrl: + return UnmarshalTextEntityTypeUrl(data) - case TypeTextEntityTypeEmailAddress: - return UnmarshalTextEntityTypeEmailAddress(data) + case TypeTextEntityTypeEmailAddress: + return UnmarshalTextEntityTypeEmailAddress(data) - case TypeTextEntityTypePhoneNumber: - return UnmarshalTextEntityTypePhoneNumber(data) + case TypeTextEntityTypePhoneNumber: + return UnmarshalTextEntityTypePhoneNumber(data) - case TypeTextEntityTypeBankCardNumber: - return UnmarshalTextEntityTypeBankCardNumber(data) + case TypeTextEntityTypeBankCardNumber: + return UnmarshalTextEntityTypeBankCardNumber(data) - case TypeTextEntityTypeBold: - return UnmarshalTextEntityTypeBold(data) + case TypeTextEntityTypeBold: + return UnmarshalTextEntityTypeBold(data) - case TypeTextEntityTypeItalic: - return UnmarshalTextEntityTypeItalic(data) + case TypeTextEntityTypeItalic: + return UnmarshalTextEntityTypeItalic(data) - case TypeTextEntityTypeUnderline: - return UnmarshalTextEntityTypeUnderline(data) + case TypeTextEntityTypeUnderline: + return UnmarshalTextEntityTypeUnderline(data) - case TypeTextEntityTypeStrikethrough: - return UnmarshalTextEntityTypeStrikethrough(data) + case TypeTextEntityTypeStrikethrough: + return UnmarshalTextEntityTypeStrikethrough(data) - case TypeTextEntityTypeSpoiler: - return UnmarshalTextEntityTypeSpoiler(data) + case TypeTextEntityTypeSpoiler: + return UnmarshalTextEntityTypeSpoiler(data) - case TypeTextEntityTypeCode: - return UnmarshalTextEntityTypeCode(data) + case TypeTextEntityTypeCode: + return UnmarshalTextEntityTypeCode(data) - case TypeTextEntityTypePre: - return UnmarshalTextEntityTypePre(data) + case TypeTextEntityTypePre: + return UnmarshalTextEntityTypePre(data) - case TypeTextEntityTypePreCode: - return UnmarshalTextEntityTypePreCode(data) + case TypeTextEntityTypePreCode: + return UnmarshalTextEntityTypePreCode(data) - case TypeTextEntityTypeTextUrl: - return UnmarshalTextEntityTypeTextUrl(data) + case TypeTextEntityTypeBlockQuote: + return UnmarshalTextEntityTypeBlockQuote(data) - case TypeTextEntityTypeMentionName: - return UnmarshalTextEntityTypeMentionName(data) + case TypeTextEntityTypeExpandableBlockQuote: + return UnmarshalTextEntityTypeExpandableBlockQuote(data) - case TypeTextEntityTypeCustomEmoji: - return UnmarshalTextEntityTypeCustomEmoji(data) + case TypeTextEntityTypeTextUrl: + return UnmarshalTextEntityTypeTextUrl(data) - case TypeTextEntityTypeMediaTimestamp: - return UnmarshalTextEntityTypeMediaTimestamp(data) + case TypeTextEntityTypeMentionName: + return UnmarshalTextEntityTypeMentionName(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + case TypeTextEntityTypeCustomEmoji: + return UnmarshalTextEntityTypeCustomEmoji(data) + + case TypeTextEntityTypeMediaTimestamp: + return UnmarshalTextEntityTypeMediaTimestamp(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfTextEntityType(dataList []json.RawMessage) ([]TextEntityType, error) { - list := []TextEntityType{} + list := []TextEntityType{} - for _, data := range dataList { - entity, err := UnmarshalTextEntityType(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalTextEntityType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil +} + +func UnmarshalInputPaidMediaType(data json.RawMessage) (InputPaidMediaType, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeInputPaidMediaTypePhoto: + return UnmarshalInputPaidMediaTypePhoto(data) + + case TypeInputPaidMediaTypeVideo: + return UnmarshalInputPaidMediaTypeVideo(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfInputPaidMediaType(dataList []json.RawMessage) ([]InputPaidMediaType, error) { + list := []InputPaidMediaType{} + + for _, data := range dataList { + entity, err := UnmarshalInputPaidMediaType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil } func UnmarshalMessageSchedulingState(data json.RawMessage) (MessageSchedulingState, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeMessageSchedulingStateSendAtDate: - return UnmarshalMessageSchedulingStateSendAtDate(data) + switch meta.Type { + case TypeMessageSchedulingStateSendAtDate: + return UnmarshalMessageSchedulingStateSendAtDate(data) - case TypeMessageSchedulingStateSendWhenOnline: - return UnmarshalMessageSchedulingStateSendWhenOnline(data) + case TypeMessageSchedulingStateSendWhenOnline: + return UnmarshalMessageSchedulingStateSendWhenOnline(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + case TypeMessageSchedulingStateSendWhenVideoProcessed: + return UnmarshalMessageSchedulingStateSendWhenVideoProcessed(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfMessageSchedulingState(dataList []json.RawMessage) ([]MessageSchedulingState, error) { - list := []MessageSchedulingState{} + list := []MessageSchedulingState{} - for _, data := range dataList { - entity, err := UnmarshalMessageSchedulingState(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalMessageSchedulingState(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil +} + +func UnmarshalMessageSelfDestructType(data json.RawMessage) (MessageSelfDestructType, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeMessageSelfDestructTypeTimer: + return UnmarshalMessageSelfDestructTypeTimer(data) + + case TypeMessageSelfDestructTypeImmediately: + return UnmarshalMessageSelfDestructTypeImmediately(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfMessageSelfDestructType(dataList []json.RawMessage) ([]MessageSelfDestructType, error) { + list := []MessageSelfDestructType{} + + for _, data := range dataList { + entity, err := UnmarshalMessageSelfDestructType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil } func UnmarshalInputMessageContent(data json.RawMessage) (InputMessageContent, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeInputMessageText: - return UnmarshalInputMessageText(data) + switch meta.Type { + case TypeInputMessageText: + return UnmarshalInputMessageText(data) - case TypeInputMessageAnimation: - return UnmarshalInputMessageAnimation(data) + case TypeInputMessageAnimation: + return UnmarshalInputMessageAnimation(data) - case TypeInputMessageAudio: - return UnmarshalInputMessageAudio(data) + case TypeInputMessageAudio: + return UnmarshalInputMessageAudio(data) - case TypeInputMessageDocument: - return UnmarshalInputMessageDocument(data) + case TypeInputMessageDocument: + return UnmarshalInputMessageDocument(data) - case TypeInputMessagePhoto: - return UnmarshalInputMessagePhoto(data) + case TypeInputMessagePaidMedia: + return UnmarshalInputMessagePaidMedia(data) - case TypeInputMessageSticker: - return UnmarshalInputMessageSticker(data) + case TypeInputMessagePhoto: + return UnmarshalInputMessagePhoto(data) - case TypeInputMessageVideo: - return UnmarshalInputMessageVideo(data) + case TypeInputMessageSticker: + return UnmarshalInputMessageSticker(data) - case TypeInputMessageVideoNote: - return UnmarshalInputMessageVideoNote(data) + case TypeInputMessageVideo: + return UnmarshalInputMessageVideo(data) - case TypeInputMessageVoiceNote: - return UnmarshalInputMessageVoiceNote(data) + case TypeInputMessageVideoNote: + return UnmarshalInputMessageVideoNote(data) - case TypeInputMessageLocation: - return UnmarshalInputMessageLocation(data) + case TypeInputMessageVoiceNote: + return UnmarshalInputMessageVoiceNote(data) - case TypeInputMessageVenue: - return UnmarshalInputMessageVenue(data) + case TypeInputMessageLocation: + return UnmarshalInputMessageLocation(data) - case TypeInputMessageContact: - return UnmarshalInputMessageContact(data) + case TypeInputMessageVenue: + return UnmarshalInputMessageVenue(data) - case TypeInputMessageDice: - return UnmarshalInputMessageDice(data) + case TypeInputMessageContact: + return UnmarshalInputMessageContact(data) - case TypeInputMessageGame: - return UnmarshalInputMessageGame(data) + case TypeInputMessageDice: + return UnmarshalInputMessageDice(data) - case TypeInputMessageInvoice: - return UnmarshalInputMessageInvoice(data) + case TypeInputMessageGame: + return UnmarshalInputMessageGame(data) - case TypeInputMessagePoll: - return UnmarshalInputMessagePoll(data) + case TypeInputMessageInvoice: + return UnmarshalInputMessageInvoice(data) - case TypeInputMessageForwarded: - return UnmarshalInputMessageForwarded(data) + case TypeInputMessagePoll: + return UnmarshalInputMessagePoll(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + case TypeInputMessageStakeDice: + return UnmarshalInputMessageStakeDice(data) + + case TypeInputMessageStory: + return UnmarshalInputMessageStory(data) + + case TypeInputMessageChecklist: + return UnmarshalInputMessageChecklist(data) + + case TypeInputMessageForwarded: + return UnmarshalInputMessageForwarded(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfInputMessageContent(dataList []json.RawMessage) ([]InputMessageContent, error) { - list := []InputMessageContent{} + list := []InputMessageContent{} - for _, data := range dataList { - entity, err := UnmarshalInputMessageContent(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalInputMessageContent(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalSearchMessagesFilter(data json.RawMessage) (SearchMessagesFilter, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeSearchMessagesFilterEmpty: - return UnmarshalSearchMessagesFilterEmpty(data) + switch meta.Type { + case TypeSearchMessagesFilterEmpty: + return UnmarshalSearchMessagesFilterEmpty(data) - case TypeSearchMessagesFilterAnimation: - return UnmarshalSearchMessagesFilterAnimation(data) + case TypeSearchMessagesFilterAnimation: + return UnmarshalSearchMessagesFilterAnimation(data) - case TypeSearchMessagesFilterAudio: - return UnmarshalSearchMessagesFilterAudio(data) + case TypeSearchMessagesFilterAudio: + return UnmarshalSearchMessagesFilterAudio(data) - case TypeSearchMessagesFilterDocument: - return UnmarshalSearchMessagesFilterDocument(data) + case TypeSearchMessagesFilterDocument: + return UnmarshalSearchMessagesFilterDocument(data) - case TypeSearchMessagesFilterPhoto: - return UnmarshalSearchMessagesFilterPhoto(data) + case TypeSearchMessagesFilterPhoto: + return UnmarshalSearchMessagesFilterPhoto(data) - case TypeSearchMessagesFilterVideo: - return UnmarshalSearchMessagesFilterVideo(data) + case TypeSearchMessagesFilterVideo: + return UnmarshalSearchMessagesFilterVideo(data) - case TypeSearchMessagesFilterVoiceNote: - return UnmarshalSearchMessagesFilterVoiceNote(data) + case TypeSearchMessagesFilterVoiceNote: + return UnmarshalSearchMessagesFilterVoiceNote(data) - case TypeSearchMessagesFilterPhotoAndVideo: - return UnmarshalSearchMessagesFilterPhotoAndVideo(data) + case TypeSearchMessagesFilterPhotoAndVideo: + return UnmarshalSearchMessagesFilterPhotoAndVideo(data) - case TypeSearchMessagesFilterUrl: - return UnmarshalSearchMessagesFilterUrl(data) + case TypeSearchMessagesFilterUrl: + return UnmarshalSearchMessagesFilterUrl(data) - case TypeSearchMessagesFilterChatPhoto: - return UnmarshalSearchMessagesFilterChatPhoto(data) + case TypeSearchMessagesFilterChatPhoto: + return UnmarshalSearchMessagesFilterChatPhoto(data) - case TypeSearchMessagesFilterVideoNote: - return UnmarshalSearchMessagesFilterVideoNote(data) + case TypeSearchMessagesFilterVideoNote: + return UnmarshalSearchMessagesFilterVideoNote(data) - case TypeSearchMessagesFilterVoiceAndVideoNote: - return UnmarshalSearchMessagesFilterVoiceAndVideoNote(data) + case TypeSearchMessagesFilterVoiceAndVideoNote: + return UnmarshalSearchMessagesFilterVoiceAndVideoNote(data) - case TypeSearchMessagesFilterMention: - return UnmarshalSearchMessagesFilterMention(data) + case TypeSearchMessagesFilterMention: + return UnmarshalSearchMessagesFilterMention(data) - case TypeSearchMessagesFilterUnreadMention: - return UnmarshalSearchMessagesFilterUnreadMention(data) + case TypeSearchMessagesFilterUnreadMention: + return UnmarshalSearchMessagesFilterUnreadMention(data) - case TypeSearchMessagesFilterUnreadReaction: - return UnmarshalSearchMessagesFilterUnreadReaction(data) + case TypeSearchMessagesFilterUnreadReaction: + return UnmarshalSearchMessagesFilterUnreadReaction(data) - case TypeSearchMessagesFilterFailedToSend: - return UnmarshalSearchMessagesFilterFailedToSend(data) + case TypeSearchMessagesFilterFailedToSend: + return UnmarshalSearchMessagesFilterFailedToSend(data) - case TypeSearchMessagesFilterPinned: - return UnmarshalSearchMessagesFilterPinned(data) + case TypeSearchMessagesFilterPinned: + return UnmarshalSearchMessagesFilterPinned(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfSearchMessagesFilter(dataList []json.RawMessage) ([]SearchMessagesFilter, error) { - list := []SearchMessagesFilter{} + list := []SearchMessagesFilter{} - for _, data := range dataList { - entity, err := UnmarshalSearchMessagesFilter(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalSearchMessagesFilter(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil +} + +func UnmarshalSearchMessagesChatTypeFilter(data json.RawMessage) (SearchMessagesChatTypeFilter, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeSearchMessagesChatTypeFilterPrivate: + return UnmarshalSearchMessagesChatTypeFilterPrivate(data) + + case TypeSearchMessagesChatTypeFilterGroup: + return UnmarshalSearchMessagesChatTypeFilterGroup(data) + + case TypeSearchMessagesChatTypeFilterChannel: + return UnmarshalSearchMessagesChatTypeFilterChannel(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfSearchMessagesChatTypeFilter(dataList []json.RawMessage) ([]SearchMessagesChatTypeFilter, error) { + list := []SearchMessagesChatTypeFilter{} + + for _, data := range dataList { + entity, err := UnmarshalSearchMessagesChatTypeFilter(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil } func UnmarshalChatAction(data json.RawMessage) (ChatAction, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeChatActionTyping: - return UnmarshalChatActionTyping(data) + switch meta.Type { + case TypeChatActionTyping: + return UnmarshalChatActionTyping(data) - case TypeChatActionRecordingVideo: - return UnmarshalChatActionRecordingVideo(data) + case TypeChatActionRecordingVideo: + return UnmarshalChatActionRecordingVideo(data) - case TypeChatActionUploadingVideo: - return UnmarshalChatActionUploadingVideo(data) + case TypeChatActionUploadingVideo: + return UnmarshalChatActionUploadingVideo(data) - case TypeChatActionRecordingVoiceNote: - return UnmarshalChatActionRecordingVoiceNote(data) + case TypeChatActionRecordingVoiceNote: + return UnmarshalChatActionRecordingVoiceNote(data) - case TypeChatActionUploadingVoiceNote: - return UnmarshalChatActionUploadingVoiceNote(data) + case TypeChatActionUploadingVoiceNote: + return UnmarshalChatActionUploadingVoiceNote(data) - case TypeChatActionUploadingPhoto: - return UnmarshalChatActionUploadingPhoto(data) + case TypeChatActionUploadingPhoto: + return UnmarshalChatActionUploadingPhoto(data) - case TypeChatActionUploadingDocument: - return UnmarshalChatActionUploadingDocument(data) + case TypeChatActionUploadingDocument: + return UnmarshalChatActionUploadingDocument(data) - case TypeChatActionChoosingSticker: - return UnmarshalChatActionChoosingSticker(data) + case TypeChatActionChoosingSticker: + return UnmarshalChatActionChoosingSticker(data) - case TypeChatActionChoosingLocation: - return UnmarshalChatActionChoosingLocation(data) + case TypeChatActionChoosingLocation: + return UnmarshalChatActionChoosingLocation(data) - case TypeChatActionChoosingContact: - return UnmarshalChatActionChoosingContact(data) + case TypeChatActionChoosingContact: + return UnmarshalChatActionChoosingContact(data) - case TypeChatActionStartPlayingGame: - return UnmarshalChatActionStartPlayingGame(data) + case TypeChatActionStartPlayingGame: + return UnmarshalChatActionStartPlayingGame(data) - case TypeChatActionRecordingVideoNote: - return UnmarshalChatActionRecordingVideoNote(data) + case TypeChatActionRecordingVideoNote: + return UnmarshalChatActionRecordingVideoNote(data) - case TypeChatActionUploadingVideoNote: - return UnmarshalChatActionUploadingVideoNote(data) + case TypeChatActionUploadingVideoNote: + return UnmarshalChatActionUploadingVideoNote(data) - case TypeChatActionWatchingAnimations: - return UnmarshalChatActionWatchingAnimations(data) + case TypeChatActionWatchingAnimations: + return UnmarshalChatActionWatchingAnimations(data) - case TypeChatActionCancel: - return UnmarshalChatActionCancel(data) + case TypeChatActionCancel: + return UnmarshalChatActionCancel(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfChatAction(dataList []json.RawMessage) ([]ChatAction, error) { - list := []ChatAction{} + list := []ChatAction{} - for _, data := range dataList { - entity, err := UnmarshalChatAction(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalChatAction(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalUserStatus(data json.RawMessage) (UserStatus, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeUserStatusEmpty: - return UnmarshalUserStatusEmpty(data) + switch meta.Type { + case TypeUserStatusEmpty: + return UnmarshalUserStatusEmpty(data) - case TypeUserStatusOnline: - return UnmarshalUserStatusOnline(data) + case TypeUserStatusOnline: + return UnmarshalUserStatusOnline(data) - case TypeUserStatusOffline: - return UnmarshalUserStatusOffline(data) + case TypeUserStatusOffline: + return UnmarshalUserStatusOffline(data) - case TypeUserStatusRecently: - return UnmarshalUserStatusRecently(data) + case TypeUserStatusRecently: + return UnmarshalUserStatusRecently(data) - case TypeUserStatusLastWeek: - return UnmarshalUserStatusLastWeek(data) + case TypeUserStatusLastWeek: + return UnmarshalUserStatusLastWeek(data) - case TypeUserStatusLastMonth: - return UnmarshalUserStatusLastMonth(data) + case TypeUserStatusLastMonth: + return UnmarshalUserStatusLastMonth(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfUserStatus(dataList []json.RawMessage) ([]UserStatus, error) { - list := []UserStatus{} + list := []UserStatus{} - for _, data := range dataList { - entity, err := UnmarshalUserStatus(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalUserStatus(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil +} + +func UnmarshalEmojiCategorySource(data json.RawMessage) (EmojiCategorySource, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeEmojiCategorySourceSearch: + return UnmarshalEmojiCategorySourceSearch(data) + + case TypeEmojiCategorySourcePremium: + return UnmarshalEmojiCategorySourcePremium(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfEmojiCategorySource(dataList []json.RawMessage) ([]EmojiCategorySource, error) { + list := []EmojiCategorySource{} + + for _, data := range dataList { + entity, err := UnmarshalEmojiCategorySource(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil } func UnmarshalEmojiCategoryType(data json.RawMessage) (EmojiCategoryType, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeEmojiCategoryTypeDefault: - return UnmarshalEmojiCategoryTypeDefault(data) + switch meta.Type { + case TypeEmojiCategoryTypeDefault: + return UnmarshalEmojiCategoryTypeDefault(data) - case TypeEmojiCategoryTypeEmojiStatus: - return UnmarshalEmojiCategoryTypeEmojiStatus(data) + case TypeEmojiCategoryTypeRegularStickers: + return UnmarshalEmojiCategoryTypeRegularStickers(data) - case TypeEmojiCategoryTypeChatPhoto: - return UnmarshalEmojiCategoryTypeChatPhoto(data) + case TypeEmojiCategoryTypeEmojiStatus: + return UnmarshalEmojiCategoryTypeEmojiStatus(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + case TypeEmojiCategoryTypeChatPhoto: + return UnmarshalEmojiCategoryTypeChatPhoto(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfEmojiCategoryType(dataList []json.RawMessage) ([]EmojiCategoryType, error) { - list := []EmojiCategoryType{} + list := []EmojiCategoryType{} - for _, data := range dataList { - entity, err := UnmarshalEmojiCategoryType(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalEmojiCategoryType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil +} + +func UnmarshalStoryAreaType(data json.RawMessage) (StoryAreaType, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeStoryAreaTypeLocation: + return UnmarshalStoryAreaTypeLocation(data) + + case TypeStoryAreaTypeVenue: + return UnmarshalStoryAreaTypeVenue(data) + + case TypeStoryAreaTypeSuggestedReaction: + return UnmarshalStoryAreaTypeSuggestedReaction(data) + + case TypeStoryAreaTypeMessage: + return UnmarshalStoryAreaTypeMessage(data) + + case TypeStoryAreaTypeLink: + return UnmarshalStoryAreaTypeLink(data) + + case TypeStoryAreaTypeWeather: + return UnmarshalStoryAreaTypeWeather(data) + + case TypeStoryAreaTypeUpgradedGift: + return UnmarshalStoryAreaTypeUpgradedGift(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfStoryAreaType(dataList []json.RawMessage) ([]StoryAreaType, error) { + list := []StoryAreaType{} + + for _, data := range dataList { + entity, err := UnmarshalStoryAreaType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalInputStoryAreaType(data json.RawMessage) (InputStoryAreaType, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeInputStoryAreaTypeLocation: + return UnmarshalInputStoryAreaTypeLocation(data) + + case TypeInputStoryAreaTypeFoundVenue: + return UnmarshalInputStoryAreaTypeFoundVenue(data) + + case TypeInputStoryAreaTypePreviousVenue: + return UnmarshalInputStoryAreaTypePreviousVenue(data) + + case TypeInputStoryAreaTypeSuggestedReaction: + return UnmarshalInputStoryAreaTypeSuggestedReaction(data) + + case TypeInputStoryAreaTypeMessage: + return UnmarshalInputStoryAreaTypeMessage(data) + + case TypeInputStoryAreaTypeLink: + return UnmarshalInputStoryAreaTypeLink(data) + + case TypeInputStoryAreaTypeWeather: + return UnmarshalInputStoryAreaTypeWeather(data) + + case TypeInputStoryAreaTypeUpgradedGift: + return UnmarshalInputStoryAreaTypeUpgradedGift(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfInputStoryAreaType(dataList []json.RawMessage) ([]InputStoryAreaType, error) { + list := []InputStoryAreaType{} + + for _, data := range dataList { + entity, err := UnmarshalInputStoryAreaType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalStoryContentType(data json.RawMessage) (StoryContentType, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeStoryContentTypePhoto: + return UnmarshalStoryContentTypePhoto(data) + + case TypeStoryContentTypeVideo: + return UnmarshalStoryContentTypeVideo(data) + + case TypeStoryContentTypeLive: + return UnmarshalStoryContentTypeLive(data) + + case TypeStoryContentTypeUnsupported: + return UnmarshalStoryContentTypeUnsupported(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfStoryContentType(dataList []json.RawMessage) ([]StoryContentType, error) { + list := []StoryContentType{} + + for _, data := range dataList { + entity, err := UnmarshalStoryContentType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalStoryContent(data json.RawMessage) (StoryContent, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeStoryContentPhoto: + return UnmarshalStoryContentPhoto(data) + + case TypeStoryContentVideo: + return UnmarshalStoryContentVideo(data) + + case TypeStoryContentLive: + return UnmarshalStoryContentLive(data) + + case TypeStoryContentUnsupported: + return UnmarshalStoryContentUnsupported(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfStoryContent(dataList []json.RawMessage) ([]StoryContent, error) { + list := []StoryContent{} + + for _, data := range dataList { + entity, err := UnmarshalStoryContent(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalInputStoryContent(data json.RawMessage) (InputStoryContent, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeInputStoryContentPhoto: + return UnmarshalInputStoryContentPhoto(data) + + case TypeInputStoryContentVideo: + return UnmarshalInputStoryContentVideo(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfInputStoryContent(dataList []json.RawMessage) ([]InputStoryContent, error) { + list := []InputStoryContent{} + + for _, data := range dataList { + entity, err := UnmarshalInputStoryContent(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalStoryList(data json.RawMessage) (StoryList, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeStoryListMain: + return UnmarshalStoryListMain(data) + + case TypeStoryListArchive: + return UnmarshalStoryListArchive(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfStoryList(dataList []json.RawMessage) ([]StoryList, error) { + list := []StoryList{} + + for _, data := range dataList { + entity, err := UnmarshalStoryList(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalStoryOrigin(data json.RawMessage) (StoryOrigin, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeStoryOriginPublicStory: + return UnmarshalStoryOriginPublicStory(data) + + case TypeStoryOriginHiddenUser: + return UnmarshalStoryOriginHiddenUser(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfStoryOrigin(dataList []json.RawMessage) ([]StoryOrigin, error) { + list := []StoryOrigin{} + + for _, data := range dataList { + entity, err := UnmarshalStoryOrigin(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalStoryInteractionType(data json.RawMessage) (StoryInteractionType, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeStoryInteractionTypeView: + return UnmarshalStoryInteractionTypeView(data) + + case TypeStoryInteractionTypeForward: + return UnmarshalStoryInteractionTypeForward(data) + + case TypeStoryInteractionTypeRepost: + return UnmarshalStoryInteractionTypeRepost(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfStoryInteractionType(dataList []json.RawMessage) ([]StoryInteractionType, error) { + list := []StoryInteractionType{} + + for _, data := range dataList { + entity, err := UnmarshalStoryInteractionType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalPublicForward(data json.RawMessage) (PublicForward, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypePublicForwardMessage: + return UnmarshalPublicForwardMessage(data) + + case TypePublicForwardStory: + return UnmarshalPublicForwardStory(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfPublicForward(dataList []json.RawMessage) ([]PublicForward, error) { + list := []PublicForward{} + + for _, data := range dataList { + entity, err := UnmarshalPublicForward(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalChatBoostSource(data json.RawMessage) (ChatBoostSource, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeChatBoostSourceGiftCode: + return UnmarshalChatBoostSourceGiftCode(data) + + case TypeChatBoostSourceGiveaway: + return UnmarshalChatBoostSourceGiveaway(data) + + case TypeChatBoostSourcePremium: + return UnmarshalChatBoostSourcePremium(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfChatBoostSource(dataList []json.RawMessage) ([]ChatBoostSource, error) { + list := []ChatBoostSource{} + + for _, data := range dataList { + entity, err := UnmarshalChatBoostSource(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalResendCodeReason(data json.RawMessage) (ResendCodeReason, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeResendCodeReasonUserRequest: + return UnmarshalResendCodeReasonUserRequest(data) + + case TypeResendCodeReasonVerificationFailed: + return UnmarshalResendCodeReasonVerificationFailed(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfResendCodeReason(dataList []json.RawMessage) ([]ResendCodeReason, error) { + list := []ResendCodeReason{} + + for _, data := range dataList { + entity, err := UnmarshalResendCodeReason(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil } func UnmarshalCallDiscardReason(data json.RawMessage) (CallDiscardReason, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeCallDiscardReasonEmpty: - return UnmarshalCallDiscardReasonEmpty(data) + switch meta.Type { + case TypeCallDiscardReasonEmpty: + return UnmarshalCallDiscardReasonEmpty(data) - case TypeCallDiscardReasonMissed: - return UnmarshalCallDiscardReasonMissed(data) + case TypeCallDiscardReasonMissed: + return UnmarshalCallDiscardReasonMissed(data) - case TypeCallDiscardReasonDeclined: - return UnmarshalCallDiscardReasonDeclined(data) + case TypeCallDiscardReasonDeclined: + return UnmarshalCallDiscardReasonDeclined(data) - case TypeCallDiscardReasonDisconnected: - return UnmarshalCallDiscardReasonDisconnected(data) + case TypeCallDiscardReasonDisconnected: + return UnmarshalCallDiscardReasonDisconnected(data) - case TypeCallDiscardReasonHungUp: - return UnmarshalCallDiscardReasonHungUp(data) + case TypeCallDiscardReasonHungUp: + return UnmarshalCallDiscardReasonHungUp(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + case TypeCallDiscardReasonUpgradeToGroupCall: + return UnmarshalCallDiscardReasonUpgradeToGroupCall(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfCallDiscardReason(dataList []json.RawMessage) ([]CallDiscardReason, error) { - list := []CallDiscardReason{} + list := []CallDiscardReason{} - for _, data := range dataList { - entity, err := UnmarshalCallDiscardReason(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalCallDiscardReason(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalCallServerType(data json.RawMessage) (CallServerType, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeCallServerTypeTelegramReflector: - return UnmarshalCallServerTypeTelegramReflector(data) + switch meta.Type { + case TypeCallServerTypeTelegramReflector: + return UnmarshalCallServerTypeTelegramReflector(data) - case TypeCallServerTypeWebrtc: - return UnmarshalCallServerTypeWebrtc(data) + case TypeCallServerTypeWebrtc: + return UnmarshalCallServerTypeWebrtc(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfCallServerType(dataList []json.RawMessage) ([]CallServerType, error) { - list := []CallServerType{} + list := []CallServerType{} - for _, data := range dataList { - entity, err := UnmarshalCallServerType(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalCallServerType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalCallState(data json.RawMessage) (CallState, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeCallStatePending: - return UnmarshalCallStatePending(data) + switch meta.Type { + case TypeCallStatePending: + return UnmarshalCallStatePending(data) - case TypeCallStateExchangingKeys: - return UnmarshalCallStateExchangingKeys(data) + case TypeCallStateExchangingKeys: + return UnmarshalCallStateExchangingKeys(data) - case TypeCallStateReady: - return UnmarshalCallStateReady(data) + case TypeCallStateReady: + return UnmarshalCallStateReady(data) - case TypeCallStateHangingUp: - return UnmarshalCallStateHangingUp(data) + case TypeCallStateHangingUp: + return UnmarshalCallStateHangingUp(data) - case TypeCallStateDiscarded: - return UnmarshalCallStateDiscarded(data) + case TypeCallStateDiscarded: + return UnmarshalCallStateDiscarded(data) - case TypeCallStateError: - return UnmarshalCallStateError(data) + case TypeCallStateError: + return UnmarshalCallStateError(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfCallState(dataList []json.RawMessage) ([]CallState, error) { - list := []CallState{} + list := []CallState{} - for _, data := range dataList { - entity, err := UnmarshalCallState(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalCallState(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalGroupCallVideoQuality(data json.RawMessage) (GroupCallVideoQuality, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeGroupCallVideoQualityThumbnail: - return UnmarshalGroupCallVideoQualityThumbnail(data) + switch meta.Type { + case TypeGroupCallVideoQualityThumbnail: + return UnmarshalGroupCallVideoQualityThumbnail(data) - case TypeGroupCallVideoQualityMedium: - return UnmarshalGroupCallVideoQualityMedium(data) + case TypeGroupCallVideoQualityMedium: + return UnmarshalGroupCallVideoQualityMedium(data) - case TypeGroupCallVideoQualityFull: - return UnmarshalGroupCallVideoQualityFull(data) + case TypeGroupCallVideoQualityFull: + return UnmarshalGroupCallVideoQualityFull(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfGroupCallVideoQuality(dataList []json.RawMessage) ([]GroupCallVideoQuality, error) { - list := []GroupCallVideoQuality{} + list := []GroupCallVideoQuality{} - for _, data := range dataList { - entity, err := UnmarshalGroupCallVideoQuality(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalGroupCallVideoQuality(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil +} + +func UnmarshalInviteGroupCallParticipantResult(data json.RawMessage) (InviteGroupCallParticipantResult, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeInviteGroupCallParticipantResultUserPrivacyRestricted: + return UnmarshalInviteGroupCallParticipantResultUserPrivacyRestricted(data) + + case TypeInviteGroupCallParticipantResultUserAlreadyParticipant: + return UnmarshalInviteGroupCallParticipantResultUserAlreadyParticipant(data) + + case TypeInviteGroupCallParticipantResultUserWasBanned: + return UnmarshalInviteGroupCallParticipantResultUserWasBanned(data) + + case TypeInviteGroupCallParticipantResultSuccess: + return UnmarshalInviteGroupCallParticipantResultSuccess(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfInviteGroupCallParticipantResult(dataList []json.RawMessage) ([]InviteGroupCallParticipantResult, error) { + list := []InviteGroupCallParticipantResult{} + + for _, data := range dataList { + entity, err := UnmarshalInviteGroupCallParticipantResult(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalGroupCallDataChannel(data json.RawMessage) (GroupCallDataChannel, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeGroupCallDataChannelMain: + return UnmarshalGroupCallDataChannelMain(data) + + case TypeGroupCallDataChannelScreenSharing: + return UnmarshalGroupCallDataChannelScreenSharing(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfGroupCallDataChannel(dataList []json.RawMessage) ([]GroupCallDataChannel, error) { + list := []GroupCallDataChannel{} + + for _, data := range dataList { + entity, err := UnmarshalGroupCallDataChannel(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalInputGroupCall(data json.RawMessage) (InputGroupCall, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeInputGroupCallLink: + return UnmarshalInputGroupCallLink(data) + + case TypeInputGroupCallMessage: + return UnmarshalInputGroupCallMessage(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfInputGroupCall(dataList []json.RawMessage) ([]InputGroupCall, error) { + list := []InputGroupCall{} + + for _, data := range dataList { + entity, err := UnmarshalInputGroupCall(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil } func UnmarshalCallProblem(data json.RawMessage) (CallProblem, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeCallProblemEcho: - return UnmarshalCallProblemEcho(data) + switch meta.Type { + case TypeCallProblemEcho: + return UnmarshalCallProblemEcho(data) - case TypeCallProblemNoise: - return UnmarshalCallProblemNoise(data) + case TypeCallProblemNoise: + return UnmarshalCallProblemNoise(data) - case TypeCallProblemInterruptions: - return UnmarshalCallProblemInterruptions(data) + case TypeCallProblemInterruptions: + return UnmarshalCallProblemInterruptions(data) - case TypeCallProblemDistortedSpeech: - return UnmarshalCallProblemDistortedSpeech(data) + case TypeCallProblemDistortedSpeech: + return UnmarshalCallProblemDistortedSpeech(data) - case TypeCallProblemSilentLocal: - return UnmarshalCallProblemSilentLocal(data) + case TypeCallProblemSilentLocal: + return UnmarshalCallProblemSilentLocal(data) - case TypeCallProblemSilentRemote: - return UnmarshalCallProblemSilentRemote(data) + case TypeCallProblemSilentRemote: + return UnmarshalCallProblemSilentRemote(data) - case TypeCallProblemDropped: - return UnmarshalCallProblemDropped(data) + case TypeCallProblemDropped: + return UnmarshalCallProblemDropped(data) - case TypeCallProblemDistortedVideo: - return UnmarshalCallProblemDistortedVideo(data) + case TypeCallProblemDistortedVideo: + return UnmarshalCallProblemDistortedVideo(data) - case TypeCallProblemPixelatedVideo: - return UnmarshalCallProblemPixelatedVideo(data) + case TypeCallProblemPixelatedVideo: + return UnmarshalCallProblemPixelatedVideo(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfCallProblem(dataList []json.RawMessage) ([]CallProblem, error) { - list := []CallProblem{} + list := []CallProblem{} - for _, data := range dataList { - entity, err := UnmarshalCallProblem(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalCallProblem(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalFirebaseAuthenticationSettings(data json.RawMessage) (FirebaseAuthenticationSettings, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeFirebaseAuthenticationSettingsAndroid: - return UnmarshalFirebaseAuthenticationSettingsAndroid(data) + switch meta.Type { + case TypeFirebaseAuthenticationSettingsAndroid: + return UnmarshalFirebaseAuthenticationSettingsAndroid(data) - case TypeFirebaseAuthenticationSettingsIos: - return UnmarshalFirebaseAuthenticationSettingsIos(data) + case TypeFirebaseAuthenticationSettingsIos: + return UnmarshalFirebaseAuthenticationSettingsIos(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfFirebaseAuthenticationSettings(dataList []json.RawMessage) ([]FirebaseAuthenticationSettings, error) { - list := []FirebaseAuthenticationSettings{} + list := []FirebaseAuthenticationSettings{} - for _, data := range dataList { - entity, err := UnmarshalFirebaseAuthenticationSettings(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalFirebaseAuthenticationSettings(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil +} + +func UnmarshalReactionUnavailabilityReason(data json.RawMessage) (ReactionUnavailabilityReason, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeReactionUnavailabilityReasonAnonymousAdministrator: + return UnmarshalReactionUnavailabilityReasonAnonymousAdministrator(data) + + case TypeReactionUnavailabilityReasonGuest: + return UnmarshalReactionUnavailabilityReasonGuest(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfReactionUnavailabilityReason(dataList []json.RawMessage) ([]ReactionUnavailabilityReason, error) { + list := []ReactionUnavailabilityReason{} + + for _, data := range dataList { + entity, err := UnmarshalReactionUnavailabilityReason(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil } func UnmarshalDiceStickers(data json.RawMessage) (DiceStickers, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeDiceStickersRegular: - return UnmarshalDiceStickersRegular(data) + switch meta.Type { + case TypeDiceStickersRegular: + return UnmarshalDiceStickersRegular(data) - case TypeDiceStickersSlotMachine: - return UnmarshalDiceStickersSlotMachine(data) + case TypeDiceStickersSlotMachine: + return UnmarshalDiceStickersSlotMachine(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfDiceStickers(dataList []json.RawMessage) ([]DiceStickers, error) { - list := []DiceStickers{} + list := []DiceStickers{} - for _, data := range dataList { - entity, err := UnmarshalDiceStickers(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalDiceStickers(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalSpeechRecognitionResult(data json.RawMessage) (SpeechRecognitionResult, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeSpeechRecognitionResultPending: - return UnmarshalSpeechRecognitionResultPending(data) + switch meta.Type { + case TypeSpeechRecognitionResultPending: + return UnmarshalSpeechRecognitionResultPending(data) - case TypeSpeechRecognitionResultText: - return UnmarshalSpeechRecognitionResultText(data) + case TypeSpeechRecognitionResultText: + return UnmarshalSpeechRecognitionResultText(data) - case TypeSpeechRecognitionResultError: - return UnmarshalSpeechRecognitionResultError(data) + case TypeSpeechRecognitionResultError: + return UnmarshalSpeechRecognitionResultError(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfSpeechRecognitionResult(dataList []json.RawMessage) ([]SpeechRecognitionResult, error) { - list := []SpeechRecognitionResult{} + list := []SpeechRecognitionResult{} - for _, data := range dataList { - entity, err := UnmarshalSpeechRecognitionResult(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalSpeechRecognitionResult(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } -func UnmarshalInputInlineQueryResult(data json.RawMessage) (InputInlineQueryResult, error) { - var meta meta +func UnmarshalBotWriteAccessAllowReason(data json.RawMessage) (BotWriteAccessAllowReason, error) { + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeInputInlineQueryResultAnimation: - return UnmarshalInputInlineQueryResultAnimation(data) + switch meta.Type { + case TypeBotWriteAccessAllowReasonConnectedWebsite: + return UnmarshalBotWriteAccessAllowReasonConnectedWebsite(data) - case TypeInputInlineQueryResultArticle: - return UnmarshalInputInlineQueryResultArticle(data) + case TypeBotWriteAccessAllowReasonAddedToAttachmentMenu: + return UnmarshalBotWriteAccessAllowReasonAddedToAttachmentMenu(data) - case TypeInputInlineQueryResultAudio: - return UnmarshalInputInlineQueryResultAudio(data) + case TypeBotWriteAccessAllowReasonLaunchedWebApp: + return UnmarshalBotWriteAccessAllowReasonLaunchedWebApp(data) - case TypeInputInlineQueryResultContact: - return UnmarshalInputInlineQueryResultContact(data) + case TypeBotWriteAccessAllowReasonAcceptedRequest: + return UnmarshalBotWriteAccessAllowReasonAcceptedRequest(data) - case TypeInputInlineQueryResultDocument: - return UnmarshalInputInlineQueryResultDocument(data) - - case TypeInputInlineQueryResultGame: - return UnmarshalInputInlineQueryResultGame(data) - - case TypeInputInlineQueryResultLocation: - return UnmarshalInputInlineQueryResultLocation(data) - - case TypeInputInlineQueryResultPhoto: - return UnmarshalInputInlineQueryResultPhoto(data) - - case TypeInputInlineQueryResultSticker: - return UnmarshalInputInlineQueryResultSticker(data) - - case TypeInputInlineQueryResultVenue: - return UnmarshalInputInlineQueryResultVenue(data) - - case TypeInputInlineQueryResultVideo: - return UnmarshalInputInlineQueryResultVideo(data) - - case TypeInputInlineQueryResultVoiceNote: - return UnmarshalInputInlineQueryResultVoiceNote(data) - - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } -func UnmarshalListOfInputInlineQueryResult(dataList []json.RawMessage) ([]InputInlineQueryResult, error) { - list := []InputInlineQueryResult{} - - for _, data := range dataList { - entity, err := UnmarshalInputInlineQueryResult(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } - - return list, nil -} - -func UnmarshalInlineQueryResult(data json.RawMessage) (InlineQueryResult, error) { - var meta meta - - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } - - switch meta.Type { - case TypeInlineQueryResultArticle: - return UnmarshalInlineQueryResultArticle(data) - - case TypeInlineQueryResultContact: - return UnmarshalInlineQueryResultContact(data) - - case TypeInlineQueryResultLocation: - return UnmarshalInlineQueryResultLocation(data) - - case TypeInlineQueryResultVenue: - return UnmarshalInlineQueryResultVenue(data) - - case TypeInlineQueryResultGame: - return UnmarshalInlineQueryResultGame(data) - - case TypeInlineQueryResultAnimation: - return UnmarshalInlineQueryResultAnimation(data) - - case TypeInlineQueryResultAudio: - return UnmarshalInlineQueryResultAudio(data) - - case TypeInlineQueryResultDocument: - return UnmarshalInlineQueryResultDocument(data) - - case TypeInlineQueryResultPhoto: - return UnmarshalInlineQueryResultPhoto(data) - - case TypeInlineQueryResultSticker: - return UnmarshalInlineQueryResultSticker(data) - - case TypeInlineQueryResultVideo: - return UnmarshalInlineQueryResultVideo(data) - - case TypeInlineQueryResultVoiceNote: - return UnmarshalInlineQueryResultVoiceNote(data) - - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } -} - -func UnmarshalListOfInlineQueryResult(dataList []json.RawMessage) ([]InlineQueryResult, error) { - list := []InlineQueryResult{} - - for _, data := range dataList { - entity, err := UnmarshalInlineQueryResult(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } - - return list, nil -} - -func UnmarshalInlineQueryResultsButtonType(data json.RawMessage) (InlineQueryResultsButtonType, error) { - var meta meta - - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } - - switch meta.Type { - case TypeInlineQueryResultsButtonTypeStartBot: - return UnmarshalInlineQueryResultsButtonTypeStartBot(data) - - case TypeInlineQueryResultsButtonTypeWebApp: - return UnmarshalInlineQueryResultsButtonTypeWebApp(data) - - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } -} - -func UnmarshalListOfInlineQueryResultsButtonType(dataList []json.RawMessage) ([]InlineQueryResultsButtonType, error) { - list := []InlineQueryResultsButtonType{} - - for _, data := range dataList { - entity, err := UnmarshalInlineQueryResultsButtonType(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } - - return list, nil -} - -func UnmarshalCallbackQueryPayload(data json.RawMessage) (CallbackQueryPayload, error) { - var meta meta - - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } - - switch meta.Type { - case TypeCallbackQueryPayloadData: - return UnmarshalCallbackQueryPayloadData(data) - - case TypeCallbackQueryPayloadDataWithPassword: - return UnmarshalCallbackQueryPayloadDataWithPassword(data) - - case TypeCallbackQueryPayloadGame: - return UnmarshalCallbackQueryPayloadGame(data) - - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } -} - -func UnmarshalListOfCallbackQueryPayload(dataList []json.RawMessage) ([]CallbackQueryPayload, error) { - list := []CallbackQueryPayload{} - - for _, data := range dataList { - entity, err := UnmarshalCallbackQueryPayload(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } - - return list, nil -} - -func UnmarshalChatEventAction(data json.RawMessage) (ChatEventAction, error) { - var meta meta - - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } - - switch meta.Type { - case TypeChatEventMessageEdited: - return UnmarshalChatEventMessageEdited(data) - - case TypeChatEventMessageDeleted: - return UnmarshalChatEventMessageDeleted(data) - - case TypeChatEventMessagePinned: - return UnmarshalChatEventMessagePinned(data) - - case TypeChatEventMessageUnpinned: - return UnmarshalChatEventMessageUnpinned(data) - - case TypeChatEventPollStopped: - return UnmarshalChatEventPollStopped(data) - - case TypeChatEventMemberJoined: - return UnmarshalChatEventMemberJoined(data) - - case TypeChatEventMemberJoinedByInviteLink: - return UnmarshalChatEventMemberJoinedByInviteLink(data) - - case TypeChatEventMemberJoinedByRequest: - return UnmarshalChatEventMemberJoinedByRequest(data) - - case TypeChatEventMemberInvited: - return UnmarshalChatEventMemberInvited(data) - - case TypeChatEventMemberLeft: - return UnmarshalChatEventMemberLeft(data) - - case TypeChatEventMemberPromoted: - return UnmarshalChatEventMemberPromoted(data) - - case TypeChatEventMemberRestricted: - return UnmarshalChatEventMemberRestricted(data) - - case TypeChatEventAvailableReactionsChanged: - return UnmarshalChatEventAvailableReactionsChanged(data) - - case TypeChatEventDescriptionChanged: - return UnmarshalChatEventDescriptionChanged(data) - - case TypeChatEventLinkedChatChanged: - return UnmarshalChatEventLinkedChatChanged(data) - - case TypeChatEventLocationChanged: - return UnmarshalChatEventLocationChanged(data) - - case TypeChatEventMessageAutoDeleteTimeChanged: - return UnmarshalChatEventMessageAutoDeleteTimeChanged(data) - - case TypeChatEventPermissionsChanged: - return UnmarshalChatEventPermissionsChanged(data) - - case TypeChatEventPhotoChanged: - return UnmarshalChatEventPhotoChanged(data) - - case TypeChatEventSlowModeDelayChanged: - return UnmarshalChatEventSlowModeDelayChanged(data) - - case TypeChatEventStickerSetChanged: - return UnmarshalChatEventStickerSetChanged(data) - - case TypeChatEventTitleChanged: - return UnmarshalChatEventTitleChanged(data) - - case TypeChatEventUsernameChanged: - return UnmarshalChatEventUsernameChanged(data) - - case TypeChatEventActiveUsernamesChanged: - return UnmarshalChatEventActiveUsernamesChanged(data) - - case TypeChatEventHasProtectedContentToggled: - return UnmarshalChatEventHasProtectedContentToggled(data) - - case TypeChatEventInvitesToggled: - return UnmarshalChatEventInvitesToggled(data) - - case TypeChatEventIsAllHistoryAvailableToggled: - return UnmarshalChatEventIsAllHistoryAvailableToggled(data) - - case TypeChatEventHasAggressiveAntiSpamEnabledToggled: - return UnmarshalChatEventHasAggressiveAntiSpamEnabledToggled(data) - - case TypeChatEventSignMessagesToggled: - return UnmarshalChatEventSignMessagesToggled(data) - - case TypeChatEventInviteLinkEdited: - return UnmarshalChatEventInviteLinkEdited(data) - - case TypeChatEventInviteLinkRevoked: - return UnmarshalChatEventInviteLinkRevoked(data) - - case TypeChatEventInviteLinkDeleted: - return UnmarshalChatEventInviteLinkDeleted(data) - - case TypeChatEventVideoChatCreated: - return UnmarshalChatEventVideoChatCreated(data) - - case TypeChatEventVideoChatEnded: - return UnmarshalChatEventVideoChatEnded(data) - - case TypeChatEventVideoChatMuteNewParticipantsToggled: - return UnmarshalChatEventVideoChatMuteNewParticipantsToggled(data) - - case TypeChatEventVideoChatParticipantIsMutedToggled: - return UnmarshalChatEventVideoChatParticipantIsMutedToggled(data) - - case TypeChatEventVideoChatParticipantVolumeLevelChanged: - return UnmarshalChatEventVideoChatParticipantVolumeLevelChanged(data) - - case TypeChatEventIsForumToggled: - return UnmarshalChatEventIsForumToggled(data) - - case TypeChatEventForumTopicCreated: - return UnmarshalChatEventForumTopicCreated(data) - - case TypeChatEventForumTopicEdited: - return UnmarshalChatEventForumTopicEdited(data) - - case TypeChatEventForumTopicToggleIsClosed: - return UnmarshalChatEventForumTopicToggleIsClosed(data) - - case TypeChatEventForumTopicToggleIsHidden: - return UnmarshalChatEventForumTopicToggleIsHidden(data) - - case TypeChatEventForumTopicDeleted: - return UnmarshalChatEventForumTopicDeleted(data) - - case TypeChatEventForumTopicPinned: - return UnmarshalChatEventForumTopicPinned(data) - - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } -} - -func UnmarshalListOfChatEventAction(dataList []json.RawMessage) ([]ChatEventAction, error) { - list := []ChatEventAction{} - - for _, data := range dataList { - entity, err := UnmarshalChatEventAction(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } - - return list, nil -} - -func UnmarshalLanguagePackStringValue(data json.RawMessage) (LanguagePackStringValue, error) { - var meta meta - - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } - - switch meta.Type { - case TypeLanguagePackStringValueOrdinary: - return UnmarshalLanguagePackStringValueOrdinary(data) - - case TypeLanguagePackStringValuePluralized: - return UnmarshalLanguagePackStringValuePluralized(data) - - case TypeLanguagePackStringValueDeleted: - return UnmarshalLanguagePackStringValueDeleted(data) - - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } -} - -func UnmarshalListOfLanguagePackStringValue(dataList []json.RawMessage) ([]LanguagePackStringValue, error) { - list := []LanguagePackStringValue{} - - for _, data := range dataList { - entity, err := UnmarshalLanguagePackStringValue(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } - - return list, nil -} - -func UnmarshalPremiumLimitType(data json.RawMessage) (PremiumLimitType, error) { - var meta meta - - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } - - switch meta.Type { - case TypePremiumLimitTypeSupergroupCount: - return UnmarshalPremiumLimitTypeSupergroupCount(data) - - case TypePremiumLimitTypePinnedChatCount: - return UnmarshalPremiumLimitTypePinnedChatCount(data) - - case TypePremiumLimitTypeCreatedPublicChatCount: - return UnmarshalPremiumLimitTypeCreatedPublicChatCount(data) - - case TypePremiumLimitTypeSavedAnimationCount: - return UnmarshalPremiumLimitTypeSavedAnimationCount(data) - - case TypePremiumLimitTypeFavoriteStickerCount: - return UnmarshalPremiumLimitTypeFavoriteStickerCount(data) - - case TypePremiumLimitTypeChatFilterCount: - return UnmarshalPremiumLimitTypeChatFilterCount(data) - - case TypePremiumLimitTypeChatFilterChosenChatCount: - return UnmarshalPremiumLimitTypeChatFilterChosenChatCount(data) - - case TypePremiumLimitTypePinnedArchivedChatCount: - return UnmarshalPremiumLimitTypePinnedArchivedChatCount(data) - - case TypePremiumLimitTypeCaptionLength: - return UnmarshalPremiumLimitTypeCaptionLength(data) - - case TypePremiumLimitTypeBioLength: - return UnmarshalPremiumLimitTypeBioLength(data) - - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } -} - -func UnmarshalListOfPremiumLimitType(dataList []json.RawMessage) ([]PremiumLimitType, error) { - list := []PremiumLimitType{} - - for _, data := range dataList { - entity, err := UnmarshalPremiumLimitType(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } - - return list, nil -} - -func UnmarshalPremiumFeature(data json.RawMessage) (PremiumFeature, error) { - var meta meta - - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } - - switch meta.Type { - case TypePremiumFeatureIncreasedLimits: - return UnmarshalPremiumFeatureIncreasedLimits(data) - - case TypePremiumFeatureIncreasedUploadFileSize: - return UnmarshalPremiumFeatureIncreasedUploadFileSize(data) - - case TypePremiumFeatureImprovedDownloadSpeed: - return UnmarshalPremiumFeatureImprovedDownloadSpeed(data) - - case TypePremiumFeatureVoiceRecognition: - return UnmarshalPremiumFeatureVoiceRecognition(data) - - case TypePremiumFeatureDisabledAds: - return UnmarshalPremiumFeatureDisabledAds(data) - - case TypePremiumFeatureUniqueReactions: - return UnmarshalPremiumFeatureUniqueReactions(data) - - case TypePremiumFeatureUniqueStickers: - return UnmarshalPremiumFeatureUniqueStickers(data) - - case TypePremiumFeatureCustomEmoji: - return UnmarshalPremiumFeatureCustomEmoji(data) - - case TypePremiumFeatureAdvancedChatManagement: - return UnmarshalPremiumFeatureAdvancedChatManagement(data) - - case TypePremiumFeatureProfileBadge: - return UnmarshalPremiumFeatureProfileBadge(data) - - case TypePremiumFeatureEmojiStatus: - return UnmarshalPremiumFeatureEmojiStatus(data) - - case TypePremiumFeatureAnimatedProfilePhoto: - return UnmarshalPremiumFeatureAnimatedProfilePhoto(data) - - case TypePremiumFeatureForumTopicIcon: - return UnmarshalPremiumFeatureForumTopicIcon(data) - - case TypePremiumFeatureAppIcons: - return UnmarshalPremiumFeatureAppIcons(data) - - case TypePremiumFeatureRealTimeChatTranslation: - return UnmarshalPremiumFeatureRealTimeChatTranslation(data) - - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } -} - -func UnmarshalListOfPremiumFeature(dataList []json.RawMessage) ([]PremiumFeature, error) { - list := []PremiumFeature{} - - for _, data := range dataList { - entity, err := UnmarshalPremiumFeature(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } - - return list, nil -} - -func UnmarshalPremiumSource(data json.RawMessage) (PremiumSource, error) { - var meta meta - - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } - - switch meta.Type { - case TypePremiumSourceLimitExceeded: - return UnmarshalPremiumSourceLimitExceeded(data) - - case TypePremiumSourceFeature: - return UnmarshalPremiumSourceFeature(data) - - case TypePremiumSourceLink: - return UnmarshalPremiumSourceLink(data) - - case TypePremiumSourceSettings: - return UnmarshalPremiumSourceSettings(data) - - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } -} - -func UnmarshalListOfPremiumSource(dataList []json.RawMessage) ([]PremiumSource, error) { - list := []PremiumSource{} - - for _, data := range dataList { - entity, err := UnmarshalPremiumSource(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } - - return list, nil -} - -func UnmarshalStorePaymentPurpose(data json.RawMessage) (StorePaymentPurpose, error) { - var meta meta - - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } - - switch meta.Type { - case TypeStorePaymentPurposePremiumSubscription: - return UnmarshalStorePaymentPurposePremiumSubscription(data) - - case TypeStorePaymentPurposeGiftedPremium: - return UnmarshalStorePaymentPurposeGiftedPremium(data) - - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } -} - -func UnmarshalListOfStorePaymentPurpose(dataList []json.RawMessage) ([]StorePaymentPurpose, error) { - list := []StorePaymentPurpose{} - - for _, data := range dataList { - entity, err := UnmarshalStorePaymentPurpose(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } - - return list, nil -} - -func UnmarshalDeviceToken(data json.RawMessage) (DeviceToken, error) { - var meta meta - - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } - - switch meta.Type { - case TypeDeviceTokenFirebaseCloudMessaging: - return UnmarshalDeviceTokenFirebaseCloudMessaging(data) - - case TypeDeviceTokenApplePush: - return UnmarshalDeviceTokenApplePush(data) - - case TypeDeviceTokenApplePushVoIP: - return UnmarshalDeviceTokenApplePushVoIP(data) - - case TypeDeviceTokenWindowsPush: - return UnmarshalDeviceTokenWindowsPush(data) - - case TypeDeviceTokenMicrosoftPush: - return UnmarshalDeviceTokenMicrosoftPush(data) - - case TypeDeviceTokenMicrosoftPushVoIP: - return UnmarshalDeviceTokenMicrosoftPushVoIP(data) - - case TypeDeviceTokenWebPush: - return UnmarshalDeviceTokenWebPush(data) - - case TypeDeviceTokenSimplePush: - return UnmarshalDeviceTokenSimplePush(data) - - case TypeDeviceTokenUbuntuPush: - return UnmarshalDeviceTokenUbuntuPush(data) - - case TypeDeviceTokenBlackBerryPush: - return UnmarshalDeviceTokenBlackBerryPush(data) - - case TypeDeviceTokenTizenPush: - return UnmarshalDeviceTokenTizenPush(data) - - case TypeDeviceTokenHuaweiPush: - return UnmarshalDeviceTokenHuaweiPush(data) - - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } -} - -func UnmarshalListOfDeviceToken(dataList []json.RawMessage) ([]DeviceToken, error) { - list := []DeviceToken{} - - for _, data := range dataList { - entity, err := UnmarshalDeviceToken(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } - - return list, nil -} - -func UnmarshalBackgroundFill(data json.RawMessage) (BackgroundFill, error) { - var meta meta - - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } - - switch meta.Type { - case TypeBackgroundFillSolid: - return UnmarshalBackgroundFillSolid(data) - - case TypeBackgroundFillGradient: - return UnmarshalBackgroundFillGradient(data) - - case TypeBackgroundFillFreeformGradient: - return UnmarshalBackgroundFillFreeformGradient(data) - - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } -} - -func UnmarshalListOfBackgroundFill(dataList []json.RawMessage) ([]BackgroundFill, error) { - list := []BackgroundFill{} - - for _, data := range dataList { - entity, err := UnmarshalBackgroundFill(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } - - return list, nil -} - -func UnmarshalBackgroundType(data json.RawMessage) (BackgroundType, error) { - var meta meta - - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } - - switch meta.Type { - case TypeBackgroundTypeWallpaper: - return UnmarshalBackgroundTypeWallpaper(data) - - case TypeBackgroundTypePattern: - return UnmarshalBackgroundTypePattern(data) - - case TypeBackgroundTypeFill: - return UnmarshalBackgroundTypeFill(data) - - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } -} - -func UnmarshalListOfBackgroundType(dataList []json.RawMessage) ([]BackgroundType, error) { - list := []BackgroundType{} - - for _, data := range dataList { - entity, err := UnmarshalBackgroundType(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } - - return list, nil -} - -func UnmarshalInputBackground(data json.RawMessage) (InputBackground, error) { - var meta meta - - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } - - switch meta.Type { - case TypeInputBackgroundLocal: - return UnmarshalInputBackgroundLocal(data) - - case TypeInputBackgroundRemote: - return UnmarshalInputBackgroundRemote(data) - - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } -} - -func UnmarshalListOfInputBackground(dataList []json.RawMessage) ([]InputBackground, error) { - list := []InputBackground{} - - for _, data := range dataList { - entity, err := UnmarshalInputBackground(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } - - return list, nil -} - -func UnmarshalCanTransferOwnershipResult(data json.RawMessage) (CanTransferOwnershipResult, error) { - var meta meta - - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } - - switch meta.Type { - case TypeCanTransferOwnershipResultOk: - return UnmarshalCanTransferOwnershipResultOk(data) - - case TypeCanTransferOwnershipResultPasswordNeeded: - return UnmarshalCanTransferOwnershipResultPasswordNeeded(data) - - case TypeCanTransferOwnershipResultPasswordTooFresh: - return UnmarshalCanTransferOwnershipResultPasswordTooFresh(data) - - case TypeCanTransferOwnershipResultSessionTooFresh: - return UnmarshalCanTransferOwnershipResultSessionTooFresh(data) - - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } -} - -func UnmarshalListOfCanTransferOwnershipResult(dataList []json.RawMessage) ([]CanTransferOwnershipResult, error) { - list := []CanTransferOwnershipResult{} - - for _, data := range dataList { - entity, err := UnmarshalCanTransferOwnershipResult(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } - - return list, nil -} - -func UnmarshalCheckChatUsernameResult(data json.RawMessage) (CheckChatUsernameResult, error) { - var meta meta - - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } - - switch meta.Type { - case TypeCheckChatUsernameResultOk: - return UnmarshalCheckChatUsernameResultOk(data) - - case TypeCheckChatUsernameResultUsernameInvalid: - return UnmarshalCheckChatUsernameResultUsernameInvalid(data) - - case TypeCheckChatUsernameResultUsernameOccupied: - return UnmarshalCheckChatUsernameResultUsernameOccupied(data) - - case TypeCheckChatUsernameResultUsernamePurchasable: - return UnmarshalCheckChatUsernameResultUsernamePurchasable(data) - - case TypeCheckChatUsernameResultPublicChatsTooMany: - return UnmarshalCheckChatUsernameResultPublicChatsTooMany(data) - - case TypeCheckChatUsernameResultPublicGroupsUnavailable: - return UnmarshalCheckChatUsernameResultPublicGroupsUnavailable(data) - - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } -} - -func UnmarshalListOfCheckChatUsernameResult(dataList []json.RawMessage) ([]CheckChatUsernameResult, error) { - list := []CheckChatUsernameResult{} - - for _, data := range dataList { - entity, err := UnmarshalCheckChatUsernameResult(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } - - return list, nil -} - -func UnmarshalCheckStickerSetNameResult(data json.RawMessage) (CheckStickerSetNameResult, error) { - var meta meta - - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } - - switch meta.Type { - case TypeCheckStickerSetNameResultOk: - return UnmarshalCheckStickerSetNameResultOk(data) - - case TypeCheckStickerSetNameResultNameInvalid: - return UnmarshalCheckStickerSetNameResultNameInvalid(data) - - case TypeCheckStickerSetNameResultNameOccupied: - return UnmarshalCheckStickerSetNameResultNameOccupied(data) - - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } -} - -func UnmarshalListOfCheckStickerSetNameResult(dataList []json.RawMessage) ([]CheckStickerSetNameResult, error) { - list := []CheckStickerSetNameResult{} - - for _, data := range dataList { - entity, err := UnmarshalCheckStickerSetNameResult(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } - - return list, nil -} - -func UnmarshalResetPasswordResult(data json.RawMessage) (ResetPasswordResult, error) { - var meta meta - - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } - - switch meta.Type { - case TypeResetPasswordResultOk: - return UnmarshalResetPasswordResultOk(data) - - case TypeResetPasswordResultPending: - return UnmarshalResetPasswordResultPending(data) - - case TypeResetPasswordResultDeclined: - return UnmarshalResetPasswordResultDeclined(data) - - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } -} - -func UnmarshalListOfResetPasswordResult(dataList []json.RawMessage) ([]ResetPasswordResult, error) { - list := []ResetPasswordResult{} - - for _, data := range dataList { - entity, err := UnmarshalResetPasswordResult(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } - - return list, nil -} - -func UnmarshalMessageFileType(data json.RawMessage) (MessageFileType, error) { - var meta meta - - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } - - switch meta.Type { - case TypeMessageFileTypePrivate: - return UnmarshalMessageFileTypePrivate(data) - - case TypeMessageFileTypeGroup: - return UnmarshalMessageFileTypeGroup(data) - - case TypeMessageFileTypeUnknown: - return UnmarshalMessageFileTypeUnknown(data) - - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } -} - -func UnmarshalListOfMessageFileType(dataList []json.RawMessage) ([]MessageFileType, error) { - list := []MessageFileType{} - - for _, data := range dataList { - entity, err := UnmarshalMessageFileType(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } - - return list, nil -} - -func UnmarshalPushMessageContent(data json.RawMessage) (PushMessageContent, error) { - var meta meta - - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } - - switch meta.Type { - case TypePushMessageContentHidden: - return UnmarshalPushMessageContentHidden(data) - - case TypePushMessageContentAnimation: - return UnmarshalPushMessageContentAnimation(data) - - case TypePushMessageContentAudio: - return UnmarshalPushMessageContentAudio(data) - - case TypePushMessageContentContact: - return UnmarshalPushMessageContentContact(data) - - case TypePushMessageContentContactRegistered: - return UnmarshalPushMessageContentContactRegistered(data) - - case TypePushMessageContentDocument: - return UnmarshalPushMessageContentDocument(data) - - case TypePushMessageContentGame: - return UnmarshalPushMessageContentGame(data) - - case TypePushMessageContentGameScore: - return UnmarshalPushMessageContentGameScore(data) - - case TypePushMessageContentInvoice: - return UnmarshalPushMessageContentInvoice(data) - - case TypePushMessageContentLocation: - return UnmarshalPushMessageContentLocation(data) - - case TypePushMessageContentPhoto: - return UnmarshalPushMessageContentPhoto(data) - - case TypePushMessageContentPoll: - return UnmarshalPushMessageContentPoll(data) - - case TypePushMessageContentScreenshotTaken: - return UnmarshalPushMessageContentScreenshotTaken(data) - - case TypePushMessageContentSticker: - return UnmarshalPushMessageContentSticker(data) - - case TypePushMessageContentText: - return UnmarshalPushMessageContentText(data) - - case TypePushMessageContentVideo: - return UnmarshalPushMessageContentVideo(data) - - case TypePushMessageContentVideoNote: - return UnmarshalPushMessageContentVideoNote(data) - - case TypePushMessageContentVoiceNote: - return UnmarshalPushMessageContentVoiceNote(data) - - case TypePushMessageContentBasicGroupChatCreate: - return UnmarshalPushMessageContentBasicGroupChatCreate(data) - - case TypePushMessageContentChatAddMembers: - return UnmarshalPushMessageContentChatAddMembers(data) - - case TypePushMessageContentChatChangePhoto: - return UnmarshalPushMessageContentChatChangePhoto(data) - - case TypePushMessageContentChatChangeTitle: - return UnmarshalPushMessageContentChatChangeTitle(data) - - case TypePushMessageContentChatSetTheme: - return UnmarshalPushMessageContentChatSetTheme(data) - - case TypePushMessageContentChatDeleteMember: - return UnmarshalPushMessageContentChatDeleteMember(data) - - case TypePushMessageContentChatJoinByLink: - return UnmarshalPushMessageContentChatJoinByLink(data) - - case TypePushMessageContentChatJoinByRequest: - return UnmarshalPushMessageContentChatJoinByRequest(data) - - case TypePushMessageContentRecurringPayment: - return UnmarshalPushMessageContentRecurringPayment(data) - - case TypePushMessageContentSuggestProfilePhoto: - return UnmarshalPushMessageContentSuggestProfilePhoto(data) - - case TypePushMessageContentMessageForwards: - return UnmarshalPushMessageContentMessageForwards(data) - - case TypePushMessageContentMediaAlbum: - return UnmarshalPushMessageContentMediaAlbum(data) - - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } -} - -func UnmarshalListOfPushMessageContent(dataList []json.RawMessage) ([]PushMessageContent, error) { - list := []PushMessageContent{} - - for _, data := range dataList { - entity, err := UnmarshalPushMessageContent(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } - - return list, nil -} - -func UnmarshalNotificationType(data json.RawMessage) (NotificationType, error) { - var meta meta - - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } - - switch meta.Type { - case TypeNotificationTypeNewMessage: - return UnmarshalNotificationTypeNewMessage(data) - - case TypeNotificationTypeNewSecretChat: - return UnmarshalNotificationTypeNewSecretChat(data) - - case TypeNotificationTypeNewCall: - return UnmarshalNotificationTypeNewCall(data) - - case TypeNotificationTypeNewPushMessage: - return UnmarshalNotificationTypeNewPushMessage(data) - - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } -} - -func UnmarshalListOfNotificationType(dataList []json.RawMessage) ([]NotificationType, error) { - list := []NotificationType{} - - for _, data := range dataList { - entity, err := UnmarshalNotificationType(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } - - return list, nil -} - -func UnmarshalNotificationGroupType(data json.RawMessage) (NotificationGroupType, error) { - var meta meta - - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } - - switch meta.Type { - case TypeNotificationGroupTypeMessages: - return UnmarshalNotificationGroupTypeMessages(data) - - case TypeNotificationGroupTypeMentions: - return UnmarshalNotificationGroupTypeMentions(data) - - case TypeNotificationGroupTypeSecretChat: - return UnmarshalNotificationGroupTypeSecretChat(data) - - case TypeNotificationGroupTypeCalls: - return UnmarshalNotificationGroupTypeCalls(data) - - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } -} - -func UnmarshalListOfNotificationGroupType(dataList []json.RawMessage) ([]NotificationGroupType, error) { - list := []NotificationGroupType{} - - for _, data := range dataList { - entity, err := UnmarshalNotificationGroupType(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } - - return list, nil -} - -func UnmarshalOptionValue(data json.RawMessage) (OptionValue, error) { - var meta meta - - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } - - switch meta.Type { - case TypeOptionValueBoolean: - return UnmarshalOptionValueBoolean(data) - - case TypeOptionValueEmpty: - return UnmarshalOptionValueEmpty(data) - - case TypeOptionValueInteger: - return UnmarshalOptionValueInteger(data) - - case TypeOptionValueString: - return UnmarshalOptionValueString(data) - - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } -} - -func UnmarshalListOfOptionValue(dataList []json.RawMessage) ([]OptionValue, error) { - list := []OptionValue{} - - for _, data := range dataList { - entity, err := UnmarshalOptionValue(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } - - return list, nil -} - -func UnmarshalJsonValue(data json.RawMessage) (JsonValue, error) { - var meta meta - - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } - - switch meta.Type { - case TypeJsonValueNull: - return UnmarshalJsonValueNull(data) - - case TypeJsonValueBoolean: - return UnmarshalJsonValueBoolean(data) - - case TypeJsonValueNumber: - return UnmarshalJsonValueNumber(data) - - case TypeJsonValueString: - return UnmarshalJsonValueString(data) - - case TypeJsonValueArray: - return UnmarshalJsonValueArray(data) - - case TypeJsonValueObject: - return UnmarshalJsonValueObject(data) - - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } -} - -func UnmarshalListOfJsonValue(dataList []json.RawMessage) ([]JsonValue, error) { - list := []JsonValue{} - - for _, data := range dataList { - entity, err := UnmarshalJsonValue(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } - - return list, nil -} - -func UnmarshalUserPrivacySettingRule(data json.RawMessage) (UserPrivacySettingRule, error) { - var meta meta - - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } - - switch meta.Type { - case TypeUserPrivacySettingRuleAllowAll: - return UnmarshalUserPrivacySettingRuleAllowAll(data) - - case TypeUserPrivacySettingRuleAllowContacts: - return UnmarshalUserPrivacySettingRuleAllowContacts(data) - - case TypeUserPrivacySettingRuleAllowUsers: - return UnmarshalUserPrivacySettingRuleAllowUsers(data) - - case TypeUserPrivacySettingRuleAllowChatMembers: - return UnmarshalUserPrivacySettingRuleAllowChatMembers(data) - - case TypeUserPrivacySettingRuleRestrictAll: - return UnmarshalUserPrivacySettingRuleRestrictAll(data) - - case TypeUserPrivacySettingRuleRestrictContacts: - return UnmarshalUserPrivacySettingRuleRestrictContacts(data) - - case TypeUserPrivacySettingRuleRestrictUsers: - return UnmarshalUserPrivacySettingRuleRestrictUsers(data) - - case TypeUserPrivacySettingRuleRestrictChatMembers: - return UnmarshalUserPrivacySettingRuleRestrictChatMembers(data) - - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } -} - -func UnmarshalListOfUserPrivacySettingRule(dataList []json.RawMessage) ([]UserPrivacySettingRule, error) { - list := []UserPrivacySettingRule{} - - for _, data := range dataList { - entity, err := UnmarshalUserPrivacySettingRule(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } - - return list, nil -} - -func UnmarshalUserPrivacySetting(data json.RawMessage) (UserPrivacySetting, error) { - var meta meta - - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } - - switch meta.Type { - case TypeUserPrivacySettingShowStatus: - return UnmarshalUserPrivacySettingShowStatus(data) - - case TypeUserPrivacySettingShowProfilePhoto: - return UnmarshalUserPrivacySettingShowProfilePhoto(data) - - case TypeUserPrivacySettingShowLinkInForwardedMessages: - return UnmarshalUserPrivacySettingShowLinkInForwardedMessages(data) - - case TypeUserPrivacySettingShowPhoneNumber: - return UnmarshalUserPrivacySettingShowPhoneNumber(data) - - case TypeUserPrivacySettingAllowChatInvites: - return UnmarshalUserPrivacySettingAllowChatInvites(data) - - case TypeUserPrivacySettingAllowCalls: - return UnmarshalUserPrivacySettingAllowCalls(data) - - case TypeUserPrivacySettingAllowPeerToPeerCalls: - return UnmarshalUserPrivacySettingAllowPeerToPeerCalls(data) - - case TypeUserPrivacySettingAllowFindingByPhoneNumber: - return UnmarshalUserPrivacySettingAllowFindingByPhoneNumber(data) - - case TypeUserPrivacySettingAllowPrivateVoiceAndVideoNoteMessages: - return UnmarshalUserPrivacySettingAllowPrivateVoiceAndVideoNoteMessages(data) - - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } -} - -func UnmarshalListOfUserPrivacySetting(dataList []json.RawMessage) ([]UserPrivacySetting, error) { - list := []UserPrivacySetting{} - - for _, data := range dataList { - entity, err := UnmarshalUserPrivacySetting(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } - - return list, nil -} - -func UnmarshalSessionType(data json.RawMessage) (SessionType, error) { - var meta meta - - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } - - switch meta.Type { - case TypeSessionTypeAndroid: - return UnmarshalSessionTypeAndroid(data) - - case TypeSessionTypeApple: - return UnmarshalSessionTypeApple(data) - - case TypeSessionTypeBrave: - return UnmarshalSessionTypeBrave(data) - - case TypeSessionTypeChrome: - return UnmarshalSessionTypeChrome(data) - - case TypeSessionTypeEdge: - return UnmarshalSessionTypeEdge(data) - - case TypeSessionTypeFirefox: - return UnmarshalSessionTypeFirefox(data) - - case TypeSessionTypeIpad: - return UnmarshalSessionTypeIpad(data) - - case TypeSessionTypeIphone: - return UnmarshalSessionTypeIphone(data) - - case TypeSessionTypeLinux: - return UnmarshalSessionTypeLinux(data) - - case TypeSessionTypeMac: - return UnmarshalSessionTypeMac(data) - - case TypeSessionTypeOpera: - return UnmarshalSessionTypeOpera(data) - - case TypeSessionTypeSafari: - return UnmarshalSessionTypeSafari(data) - - case TypeSessionTypeUbuntu: - return UnmarshalSessionTypeUbuntu(data) - - case TypeSessionTypeUnknown: - return UnmarshalSessionTypeUnknown(data) - - case TypeSessionTypeVivaldi: - return UnmarshalSessionTypeVivaldi(data) - - case TypeSessionTypeWindows: - return UnmarshalSessionTypeWindows(data) - - case TypeSessionTypeXbox: - return UnmarshalSessionTypeXbox(data) - - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } -} - -func UnmarshalListOfSessionType(dataList []json.RawMessage) ([]SessionType, error) { - list := []SessionType{} - - for _, data := range dataList { - entity, err := UnmarshalSessionType(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } - - return list, nil -} - -func UnmarshalChatReportReason(data json.RawMessage) (ChatReportReason, error) { - var meta meta - - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } - - switch meta.Type { - case TypeChatReportReasonSpam: - return UnmarshalChatReportReasonSpam(data) - - case TypeChatReportReasonViolence: - return UnmarshalChatReportReasonViolence(data) - - case TypeChatReportReasonPornography: - return UnmarshalChatReportReasonPornography(data) - - case TypeChatReportReasonChildAbuse: - return UnmarshalChatReportReasonChildAbuse(data) - - case TypeChatReportReasonCopyright: - return UnmarshalChatReportReasonCopyright(data) - - case TypeChatReportReasonUnrelatedLocation: - return UnmarshalChatReportReasonUnrelatedLocation(data) - - case TypeChatReportReasonFake: - return UnmarshalChatReportReasonFake(data) - - case TypeChatReportReasonIllegalDrugs: - return UnmarshalChatReportReasonIllegalDrugs(data) - - case TypeChatReportReasonPersonalDetails: - return UnmarshalChatReportReasonPersonalDetails(data) - - case TypeChatReportReasonCustom: - return UnmarshalChatReportReasonCustom(data) - - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } -} - -func UnmarshalListOfChatReportReason(dataList []json.RawMessage) ([]ChatReportReason, error) { - list := []ChatReportReason{} - - for _, data := range dataList { - entity, err := UnmarshalChatReportReason(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } - - return list, nil +func UnmarshalListOfBotWriteAccessAllowReason(dataList []json.RawMessage) ([]BotWriteAccessAllowReason, error) { + list := []BotWriteAccessAllowReason{} + + for _, data := range dataList { + entity, err := UnmarshalBotWriteAccessAllowReason(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil } func UnmarshalTargetChat(data json.RawMessage) (TargetChat, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeTargetChatCurrent: - return UnmarshalTargetChatCurrent(data) + switch meta.Type { + case TypeTargetChatCurrent: + return UnmarshalTargetChatCurrent(data) - case TypeTargetChatChosen: - return UnmarshalTargetChatChosen(data) + case TypeTargetChatChosen: + return UnmarshalTargetChatChosen(data) - case TypeTargetChatInternalLink: - return UnmarshalTargetChatInternalLink(data) + case TypeTargetChatInternalLink: + return UnmarshalTargetChatInternalLink(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfTargetChat(dataList []json.RawMessage) ([]TargetChat, error) { - list := []TargetChat{} + list := []TargetChat{} - for _, data := range dataList { - entity, err := UnmarshalTargetChat(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalTargetChat(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil +} + +func UnmarshalInputInlineQueryResult(data json.RawMessage) (InputInlineQueryResult, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeInputInlineQueryResultAnimation: + return UnmarshalInputInlineQueryResultAnimation(data) + + case TypeInputInlineQueryResultArticle: + return UnmarshalInputInlineQueryResultArticle(data) + + case TypeInputInlineQueryResultAudio: + return UnmarshalInputInlineQueryResultAudio(data) + + case TypeInputInlineQueryResultContact: + return UnmarshalInputInlineQueryResultContact(data) + + case TypeInputInlineQueryResultDocument: + return UnmarshalInputInlineQueryResultDocument(data) + + case TypeInputInlineQueryResultGame: + return UnmarshalInputInlineQueryResultGame(data) + + case TypeInputInlineQueryResultLocation: + return UnmarshalInputInlineQueryResultLocation(data) + + case TypeInputInlineQueryResultPhoto: + return UnmarshalInputInlineQueryResultPhoto(data) + + case TypeInputInlineQueryResultSticker: + return UnmarshalInputInlineQueryResultSticker(data) + + case TypeInputInlineQueryResultVenue: + return UnmarshalInputInlineQueryResultVenue(data) + + case TypeInputInlineQueryResultVideo: + return UnmarshalInputInlineQueryResultVideo(data) + + case TypeInputInlineQueryResultVoiceNote: + return UnmarshalInputInlineQueryResultVoiceNote(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfInputInlineQueryResult(dataList []json.RawMessage) ([]InputInlineQueryResult, error) { + list := []InputInlineQueryResult{} + + for _, data := range dataList { + entity, err := UnmarshalInputInlineQueryResult(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalInlineQueryResult(data json.RawMessage) (InlineQueryResult, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeInlineQueryResultArticle: + return UnmarshalInlineQueryResultArticle(data) + + case TypeInlineQueryResultContact: + return UnmarshalInlineQueryResultContact(data) + + case TypeInlineQueryResultLocation: + return UnmarshalInlineQueryResultLocation(data) + + case TypeInlineQueryResultVenue: + return UnmarshalInlineQueryResultVenue(data) + + case TypeInlineQueryResultGame: + return UnmarshalInlineQueryResultGame(data) + + case TypeInlineQueryResultAnimation: + return UnmarshalInlineQueryResultAnimation(data) + + case TypeInlineQueryResultAudio: + return UnmarshalInlineQueryResultAudio(data) + + case TypeInlineQueryResultDocument: + return UnmarshalInlineQueryResultDocument(data) + + case TypeInlineQueryResultPhoto: + return UnmarshalInlineQueryResultPhoto(data) + + case TypeInlineQueryResultSticker: + return UnmarshalInlineQueryResultSticker(data) + + case TypeInlineQueryResultVideo: + return UnmarshalInlineQueryResultVideo(data) + + case TypeInlineQueryResultVoiceNote: + return UnmarshalInlineQueryResultVoiceNote(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfInlineQueryResult(dataList []json.RawMessage) ([]InlineQueryResult, error) { + list := []InlineQueryResult{} + + for _, data := range dataList { + entity, err := UnmarshalInlineQueryResult(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalInlineQueryResultsButtonType(data json.RawMessage) (InlineQueryResultsButtonType, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeInlineQueryResultsButtonTypeStartBot: + return UnmarshalInlineQueryResultsButtonTypeStartBot(data) + + case TypeInlineQueryResultsButtonTypeWebApp: + return UnmarshalInlineQueryResultsButtonTypeWebApp(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfInlineQueryResultsButtonType(dataList []json.RawMessage) ([]InlineQueryResultsButtonType, error) { + list := []InlineQueryResultsButtonType{} + + for _, data := range dataList { + entity, err := UnmarshalInlineQueryResultsButtonType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalCallbackQueryPayload(data json.RawMessage) (CallbackQueryPayload, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeCallbackQueryPayloadData: + return UnmarshalCallbackQueryPayloadData(data) + + case TypeCallbackQueryPayloadDataWithPassword: + return UnmarshalCallbackQueryPayloadDataWithPassword(data) + + case TypeCallbackQueryPayloadGame: + return UnmarshalCallbackQueryPayloadGame(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfCallbackQueryPayload(dataList []json.RawMessage) ([]CallbackQueryPayload, error) { + list := []CallbackQueryPayload{} + + for _, data := range dataList { + entity, err := UnmarshalCallbackQueryPayload(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalChatEventAction(data json.RawMessage) (ChatEventAction, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeChatEventMessageEdited: + return UnmarshalChatEventMessageEdited(data) + + case TypeChatEventMessageDeleted: + return UnmarshalChatEventMessageDeleted(data) + + case TypeChatEventMessagePinned: + return UnmarshalChatEventMessagePinned(data) + + case TypeChatEventMessageUnpinned: + return UnmarshalChatEventMessageUnpinned(data) + + case TypeChatEventPollStopped: + return UnmarshalChatEventPollStopped(data) + + case TypeChatEventMemberJoined: + return UnmarshalChatEventMemberJoined(data) + + case TypeChatEventMemberJoinedByInviteLink: + return UnmarshalChatEventMemberJoinedByInviteLink(data) + + case TypeChatEventMemberJoinedByRequest: + return UnmarshalChatEventMemberJoinedByRequest(data) + + case TypeChatEventMemberInvited: + return UnmarshalChatEventMemberInvited(data) + + case TypeChatEventMemberLeft: + return UnmarshalChatEventMemberLeft(data) + + case TypeChatEventMemberPromoted: + return UnmarshalChatEventMemberPromoted(data) + + case TypeChatEventMemberRestricted: + return UnmarshalChatEventMemberRestricted(data) + + case TypeChatEventMemberSubscriptionExtended: + return UnmarshalChatEventMemberSubscriptionExtended(data) + + case TypeChatEventAvailableReactionsChanged: + return UnmarshalChatEventAvailableReactionsChanged(data) + + case TypeChatEventBackgroundChanged: + return UnmarshalChatEventBackgroundChanged(data) + + case TypeChatEventDescriptionChanged: + return UnmarshalChatEventDescriptionChanged(data) + + case TypeChatEventEmojiStatusChanged: + return UnmarshalChatEventEmojiStatusChanged(data) + + case TypeChatEventLinkedChatChanged: + return UnmarshalChatEventLinkedChatChanged(data) + + case TypeChatEventLocationChanged: + return UnmarshalChatEventLocationChanged(data) + + case TypeChatEventMessageAutoDeleteTimeChanged: + return UnmarshalChatEventMessageAutoDeleteTimeChanged(data) + + case TypeChatEventPermissionsChanged: + return UnmarshalChatEventPermissionsChanged(data) + + case TypeChatEventPhotoChanged: + return UnmarshalChatEventPhotoChanged(data) + + case TypeChatEventSlowModeDelayChanged: + return UnmarshalChatEventSlowModeDelayChanged(data) + + case TypeChatEventStickerSetChanged: + return UnmarshalChatEventStickerSetChanged(data) + + case TypeChatEventCustomEmojiStickerSetChanged: + return UnmarshalChatEventCustomEmojiStickerSetChanged(data) + + case TypeChatEventTitleChanged: + return UnmarshalChatEventTitleChanged(data) + + case TypeChatEventUsernameChanged: + return UnmarshalChatEventUsernameChanged(data) + + case TypeChatEventActiveUsernamesChanged: + return UnmarshalChatEventActiveUsernamesChanged(data) + + case TypeChatEventAccentColorChanged: + return UnmarshalChatEventAccentColorChanged(data) + + case TypeChatEventProfileAccentColorChanged: + return UnmarshalChatEventProfileAccentColorChanged(data) + + case TypeChatEventHasProtectedContentToggled: + return UnmarshalChatEventHasProtectedContentToggled(data) + + case TypeChatEventInvitesToggled: + return UnmarshalChatEventInvitesToggled(data) + + case TypeChatEventIsAllHistoryAvailableToggled: + return UnmarshalChatEventIsAllHistoryAvailableToggled(data) + + case TypeChatEventHasAggressiveAntiSpamEnabledToggled: + return UnmarshalChatEventHasAggressiveAntiSpamEnabledToggled(data) + + case TypeChatEventSignMessagesToggled: + return UnmarshalChatEventSignMessagesToggled(data) + + case TypeChatEventShowMessageSenderToggled: + return UnmarshalChatEventShowMessageSenderToggled(data) + + case TypeChatEventAutomaticTranslationToggled: + return UnmarshalChatEventAutomaticTranslationToggled(data) + + case TypeChatEventInviteLinkEdited: + return UnmarshalChatEventInviteLinkEdited(data) + + case TypeChatEventInviteLinkRevoked: + return UnmarshalChatEventInviteLinkRevoked(data) + + case TypeChatEventInviteLinkDeleted: + return UnmarshalChatEventInviteLinkDeleted(data) + + case TypeChatEventVideoChatCreated: + return UnmarshalChatEventVideoChatCreated(data) + + case TypeChatEventVideoChatEnded: + return UnmarshalChatEventVideoChatEnded(data) + + case TypeChatEventVideoChatMuteNewParticipantsToggled: + return UnmarshalChatEventVideoChatMuteNewParticipantsToggled(data) + + case TypeChatEventVideoChatParticipantIsMutedToggled: + return UnmarshalChatEventVideoChatParticipantIsMutedToggled(data) + + case TypeChatEventVideoChatParticipantVolumeLevelChanged: + return UnmarshalChatEventVideoChatParticipantVolumeLevelChanged(data) + + case TypeChatEventIsForumToggled: + return UnmarshalChatEventIsForumToggled(data) + + case TypeChatEventForumTopicCreated: + return UnmarshalChatEventForumTopicCreated(data) + + case TypeChatEventForumTopicEdited: + return UnmarshalChatEventForumTopicEdited(data) + + case TypeChatEventForumTopicToggleIsClosed: + return UnmarshalChatEventForumTopicToggleIsClosed(data) + + case TypeChatEventForumTopicToggleIsHidden: + return UnmarshalChatEventForumTopicToggleIsHidden(data) + + case TypeChatEventForumTopicDeleted: + return UnmarshalChatEventForumTopicDeleted(data) + + case TypeChatEventForumTopicPinned: + return UnmarshalChatEventForumTopicPinned(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfChatEventAction(dataList []json.RawMessage) ([]ChatEventAction, error) { + list := []ChatEventAction{} + + for _, data := range dataList { + entity, err := UnmarshalChatEventAction(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalLanguagePackStringValue(data json.RawMessage) (LanguagePackStringValue, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeLanguagePackStringValueOrdinary: + return UnmarshalLanguagePackStringValueOrdinary(data) + + case TypeLanguagePackStringValuePluralized: + return UnmarshalLanguagePackStringValuePluralized(data) + + case TypeLanguagePackStringValueDeleted: + return UnmarshalLanguagePackStringValueDeleted(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfLanguagePackStringValue(dataList []json.RawMessage) ([]LanguagePackStringValue, error) { + list := []LanguagePackStringValue{} + + for _, data := range dataList { + entity, err := UnmarshalLanguagePackStringValue(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalPremiumLimitType(data json.RawMessage) (PremiumLimitType, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypePremiumLimitTypeSupergroupCount: + return UnmarshalPremiumLimitTypeSupergroupCount(data) + + case TypePremiumLimitTypePinnedChatCount: + return UnmarshalPremiumLimitTypePinnedChatCount(data) + + case TypePremiumLimitTypeCreatedPublicChatCount: + return UnmarshalPremiumLimitTypeCreatedPublicChatCount(data) + + case TypePremiumLimitTypeSavedAnimationCount: + return UnmarshalPremiumLimitTypeSavedAnimationCount(data) + + case TypePremiumLimitTypeFavoriteStickerCount: + return UnmarshalPremiumLimitTypeFavoriteStickerCount(data) + + case TypePremiumLimitTypeChatFolderCount: + return UnmarshalPremiumLimitTypeChatFolderCount(data) + + case TypePremiumLimitTypeChatFolderChosenChatCount: + return UnmarshalPremiumLimitTypeChatFolderChosenChatCount(data) + + case TypePremiumLimitTypePinnedArchivedChatCount: + return UnmarshalPremiumLimitTypePinnedArchivedChatCount(data) + + case TypePremiumLimitTypePinnedSavedMessagesTopicCount: + return UnmarshalPremiumLimitTypePinnedSavedMessagesTopicCount(data) + + case TypePremiumLimitTypeCaptionLength: + return UnmarshalPremiumLimitTypeCaptionLength(data) + + case TypePremiumLimitTypeBioLength: + return UnmarshalPremiumLimitTypeBioLength(data) + + case TypePremiumLimitTypeChatFolderInviteLinkCount: + return UnmarshalPremiumLimitTypeChatFolderInviteLinkCount(data) + + case TypePremiumLimitTypeShareableChatFolderCount: + return UnmarshalPremiumLimitTypeShareableChatFolderCount(data) + + case TypePremiumLimitTypeActiveStoryCount: + return UnmarshalPremiumLimitTypeActiveStoryCount(data) + + case TypePremiumLimitTypeWeeklyPostedStoryCount: + return UnmarshalPremiumLimitTypeWeeklyPostedStoryCount(data) + + case TypePremiumLimitTypeMonthlyPostedStoryCount: + return UnmarshalPremiumLimitTypeMonthlyPostedStoryCount(data) + + case TypePremiumLimitTypeStoryCaptionLength: + return UnmarshalPremiumLimitTypeStoryCaptionLength(data) + + case TypePremiumLimitTypeStorySuggestedReactionAreaCount: + return UnmarshalPremiumLimitTypeStorySuggestedReactionAreaCount(data) + + case TypePremiumLimitTypeSimilarChatCount: + return UnmarshalPremiumLimitTypeSimilarChatCount(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfPremiumLimitType(dataList []json.RawMessage) ([]PremiumLimitType, error) { + list := []PremiumLimitType{} + + for _, data := range dataList { + entity, err := UnmarshalPremiumLimitType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalPremiumFeature(data json.RawMessage) (PremiumFeature, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypePremiumFeatureIncreasedLimits: + return UnmarshalPremiumFeatureIncreasedLimits(data) + + case TypePremiumFeatureIncreasedUploadFileSize: + return UnmarshalPremiumFeatureIncreasedUploadFileSize(data) + + case TypePremiumFeatureImprovedDownloadSpeed: + return UnmarshalPremiumFeatureImprovedDownloadSpeed(data) + + case TypePremiumFeatureVoiceRecognition: + return UnmarshalPremiumFeatureVoiceRecognition(data) + + case TypePremiumFeatureDisabledAds: + return UnmarshalPremiumFeatureDisabledAds(data) + + case TypePremiumFeatureUniqueReactions: + return UnmarshalPremiumFeatureUniqueReactions(data) + + case TypePremiumFeatureUniqueStickers: + return UnmarshalPremiumFeatureUniqueStickers(data) + + case TypePremiumFeatureCustomEmoji: + return UnmarshalPremiumFeatureCustomEmoji(data) + + case TypePremiumFeatureAdvancedChatManagement: + return UnmarshalPremiumFeatureAdvancedChatManagement(data) + + case TypePremiumFeatureProfileBadge: + return UnmarshalPremiumFeatureProfileBadge(data) + + case TypePremiumFeatureEmojiStatus: + return UnmarshalPremiumFeatureEmojiStatus(data) + + case TypePremiumFeatureAnimatedProfilePhoto: + return UnmarshalPremiumFeatureAnimatedProfilePhoto(data) + + case TypePremiumFeatureForumTopicIcon: + return UnmarshalPremiumFeatureForumTopicIcon(data) + + case TypePremiumFeatureAppIcons: + return UnmarshalPremiumFeatureAppIcons(data) + + case TypePremiumFeatureRealTimeChatTranslation: + return UnmarshalPremiumFeatureRealTimeChatTranslation(data) + + case TypePremiumFeatureUpgradedStories: + return UnmarshalPremiumFeatureUpgradedStories(data) + + case TypePremiumFeatureChatBoost: + return UnmarshalPremiumFeatureChatBoost(data) + + case TypePremiumFeatureAccentColor: + return UnmarshalPremiumFeatureAccentColor(data) + + case TypePremiumFeatureBackgroundForBoth: + return UnmarshalPremiumFeatureBackgroundForBoth(data) + + case TypePremiumFeatureSavedMessagesTags: + return UnmarshalPremiumFeatureSavedMessagesTags(data) + + case TypePremiumFeatureMessagePrivacy: + return UnmarshalPremiumFeatureMessagePrivacy(data) + + case TypePremiumFeatureLastSeenTimes: + return UnmarshalPremiumFeatureLastSeenTimes(data) + + case TypePremiumFeatureBusiness: + return UnmarshalPremiumFeatureBusiness(data) + + case TypePremiumFeatureMessageEffects: + return UnmarshalPremiumFeatureMessageEffects(data) + + case TypePremiumFeatureChecklists: + return UnmarshalPremiumFeatureChecklists(data) + + case TypePremiumFeaturePaidMessages: + return UnmarshalPremiumFeaturePaidMessages(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfPremiumFeature(dataList []json.RawMessage) ([]PremiumFeature, error) { + list := []PremiumFeature{} + + for _, data := range dataList { + entity, err := UnmarshalPremiumFeature(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalBusinessFeature(data json.RawMessage) (BusinessFeature, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeBusinessFeatureLocation: + return UnmarshalBusinessFeatureLocation(data) + + case TypeBusinessFeatureOpeningHours: + return UnmarshalBusinessFeatureOpeningHours(data) + + case TypeBusinessFeatureQuickReplies: + return UnmarshalBusinessFeatureQuickReplies(data) + + case TypeBusinessFeatureGreetingMessage: + return UnmarshalBusinessFeatureGreetingMessage(data) + + case TypeBusinessFeatureAwayMessage: + return UnmarshalBusinessFeatureAwayMessage(data) + + case TypeBusinessFeatureAccountLinks: + return UnmarshalBusinessFeatureAccountLinks(data) + + case TypeBusinessFeatureStartPage: + return UnmarshalBusinessFeatureStartPage(data) + + case TypeBusinessFeatureBots: + return UnmarshalBusinessFeatureBots(data) + + case TypeBusinessFeatureEmojiStatus: + return UnmarshalBusinessFeatureEmojiStatus(data) + + case TypeBusinessFeatureChatFolderTags: + return UnmarshalBusinessFeatureChatFolderTags(data) + + case TypeBusinessFeatureUpgradedStories: + return UnmarshalBusinessFeatureUpgradedStories(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfBusinessFeature(dataList []json.RawMessage) ([]BusinessFeature, error) { + list := []BusinessFeature{} + + for _, data := range dataList { + entity, err := UnmarshalBusinessFeature(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalPremiumStoryFeature(data json.RawMessage) (PremiumStoryFeature, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypePremiumStoryFeaturePriorityOrder: + return UnmarshalPremiumStoryFeaturePriorityOrder(data) + + case TypePremiumStoryFeatureStealthMode: + return UnmarshalPremiumStoryFeatureStealthMode(data) + + case TypePremiumStoryFeaturePermanentViewsHistory: + return UnmarshalPremiumStoryFeaturePermanentViewsHistory(data) + + case TypePremiumStoryFeatureCustomExpirationDuration: + return UnmarshalPremiumStoryFeatureCustomExpirationDuration(data) + + case TypePremiumStoryFeatureSaveStories: + return UnmarshalPremiumStoryFeatureSaveStories(data) + + case TypePremiumStoryFeatureLinksAndFormatting: + return UnmarshalPremiumStoryFeatureLinksAndFormatting(data) + + case TypePremiumStoryFeatureVideoQuality: + return UnmarshalPremiumStoryFeatureVideoQuality(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfPremiumStoryFeature(dataList []json.RawMessage) ([]PremiumStoryFeature, error) { + list := []PremiumStoryFeature{} + + for _, data := range dataList { + entity, err := UnmarshalPremiumStoryFeature(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalPremiumSource(data json.RawMessage) (PremiumSource, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypePremiumSourceLimitExceeded: + return UnmarshalPremiumSourceLimitExceeded(data) + + case TypePremiumSourceFeature: + return UnmarshalPremiumSourceFeature(data) + + case TypePremiumSourceBusinessFeature: + return UnmarshalPremiumSourceBusinessFeature(data) + + case TypePremiumSourceStoryFeature: + return UnmarshalPremiumSourceStoryFeature(data) + + case TypePremiumSourceLink: + return UnmarshalPremiumSourceLink(data) + + case TypePremiumSourceSettings: + return UnmarshalPremiumSourceSettings(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfPremiumSource(dataList []json.RawMessage) ([]PremiumSource, error) { + list := []PremiumSource{} + + for _, data := range dataList { + entity, err := UnmarshalPremiumSource(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalStorePaymentPurpose(data json.RawMessage) (StorePaymentPurpose, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeStorePaymentPurposePremiumSubscription: + return UnmarshalStorePaymentPurposePremiumSubscription(data) + + case TypeStorePaymentPurposePremiumGift: + return UnmarshalStorePaymentPurposePremiumGift(data) + + case TypeStorePaymentPurposePremiumGiftCodes: + return UnmarshalStorePaymentPurposePremiumGiftCodes(data) + + case TypeStorePaymentPurposePremiumGiveaway: + return UnmarshalStorePaymentPurposePremiumGiveaway(data) + + case TypeStorePaymentPurposeStarGiveaway: + return UnmarshalStorePaymentPurposeStarGiveaway(data) + + case TypeStorePaymentPurposeStars: + return UnmarshalStorePaymentPurposeStars(data) + + case TypeStorePaymentPurposeGiftedStars: + return UnmarshalStorePaymentPurposeGiftedStars(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfStorePaymentPurpose(dataList []json.RawMessage) ([]StorePaymentPurpose, error) { + list := []StorePaymentPurpose{} + + for _, data := range dataList { + entity, err := UnmarshalStorePaymentPurpose(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalStoreTransaction(data json.RawMessage) (StoreTransaction, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeStoreTransactionAppStore: + return UnmarshalStoreTransactionAppStore(data) + + case TypeStoreTransactionGooglePlay: + return UnmarshalStoreTransactionGooglePlay(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfStoreTransaction(dataList []json.RawMessage) ([]StoreTransaction, error) { + list := []StoreTransaction{} + + for _, data := range dataList { + entity, err := UnmarshalStoreTransaction(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalTelegramPaymentPurpose(data json.RawMessage) (TelegramPaymentPurpose, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeTelegramPaymentPurposePremiumGift: + return UnmarshalTelegramPaymentPurposePremiumGift(data) + + case TypeTelegramPaymentPurposePremiumGiftCodes: + return UnmarshalTelegramPaymentPurposePremiumGiftCodes(data) + + case TypeTelegramPaymentPurposePremiumGiveaway: + return UnmarshalTelegramPaymentPurposePremiumGiveaway(data) + + case TypeTelegramPaymentPurposeStars: + return UnmarshalTelegramPaymentPurposeStars(data) + + case TypeTelegramPaymentPurposeGiftedStars: + return UnmarshalTelegramPaymentPurposeGiftedStars(data) + + case TypeTelegramPaymentPurposeStarGiveaway: + return UnmarshalTelegramPaymentPurposeStarGiveaway(data) + + case TypeTelegramPaymentPurposeJoinChat: + return UnmarshalTelegramPaymentPurposeJoinChat(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfTelegramPaymentPurpose(dataList []json.RawMessage) ([]TelegramPaymentPurpose, error) { + list := []TelegramPaymentPurpose{} + + for _, data := range dataList { + entity, err := UnmarshalTelegramPaymentPurpose(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalDeviceToken(data json.RawMessage) (DeviceToken, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeDeviceTokenFirebaseCloudMessaging: + return UnmarshalDeviceTokenFirebaseCloudMessaging(data) + + case TypeDeviceTokenApplePush: + return UnmarshalDeviceTokenApplePush(data) + + case TypeDeviceTokenApplePushVoIP: + return UnmarshalDeviceTokenApplePushVoIP(data) + + case TypeDeviceTokenWindowsPush: + return UnmarshalDeviceTokenWindowsPush(data) + + case TypeDeviceTokenMicrosoftPush: + return UnmarshalDeviceTokenMicrosoftPush(data) + + case TypeDeviceTokenMicrosoftPushVoIP: + return UnmarshalDeviceTokenMicrosoftPushVoIP(data) + + case TypeDeviceTokenWebPush: + return UnmarshalDeviceTokenWebPush(data) + + case TypeDeviceTokenSimplePush: + return UnmarshalDeviceTokenSimplePush(data) + + case TypeDeviceTokenUbuntuPush: + return UnmarshalDeviceTokenUbuntuPush(data) + + case TypeDeviceTokenBlackBerryPush: + return UnmarshalDeviceTokenBlackBerryPush(data) + + case TypeDeviceTokenTizenPush: + return UnmarshalDeviceTokenTizenPush(data) + + case TypeDeviceTokenHuaweiPush: + return UnmarshalDeviceTokenHuaweiPush(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfDeviceToken(dataList []json.RawMessage) ([]DeviceToken, error) { + list := []DeviceToken{} + + for _, data := range dataList { + entity, err := UnmarshalDeviceToken(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalBackgroundFill(data json.RawMessage) (BackgroundFill, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeBackgroundFillSolid: + return UnmarshalBackgroundFillSolid(data) + + case TypeBackgroundFillGradient: + return UnmarshalBackgroundFillGradient(data) + + case TypeBackgroundFillFreeformGradient: + return UnmarshalBackgroundFillFreeformGradient(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfBackgroundFill(dataList []json.RawMessage) ([]BackgroundFill, error) { + list := []BackgroundFill{} + + for _, data := range dataList { + entity, err := UnmarshalBackgroundFill(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalBackgroundType(data json.RawMessage) (BackgroundType, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeBackgroundTypeWallpaper: + return UnmarshalBackgroundTypeWallpaper(data) + + case TypeBackgroundTypePattern: + return UnmarshalBackgroundTypePattern(data) + + case TypeBackgroundTypeFill: + return UnmarshalBackgroundTypeFill(data) + + case TypeBackgroundTypeChatTheme: + return UnmarshalBackgroundTypeChatTheme(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfBackgroundType(dataList []json.RawMessage) ([]BackgroundType, error) { + list := []BackgroundType{} + + for _, data := range dataList { + entity, err := UnmarshalBackgroundType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalInputBackground(data json.RawMessage) (InputBackground, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeInputBackgroundLocal: + return UnmarshalInputBackgroundLocal(data) + + case TypeInputBackgroundRemote: + return UnmarshalInputBackgroundRemote(data) + + case TypeInputBackgroundPrevious: + return UnmarshalInputBackgroundPrevious(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfInputBackground(dataList []json.RawMessage) ([]InputBackground, error) { + list := []InputBackground{} + + for _, data := range dataList { + entity, err := UnmarshalInputBackground(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalChatTheme(data json.RawMessage) (ChatTheme, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeChatThemeEmoji: + return UnmarshalChatThemeEmoji(data) + + case TypeChatThemeGift: + return UnmarshalChatThemeGift(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfChatTheme(dataList []json.RawMessage) ([]ChatTheme, error) { + list := []ChatTheme{} + + for _, data := range dataList { + entity, err := UnmarshalChatTheme(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalInputChatTheme(data json.RawMessage) (InputChatTheme, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeInputChatThemeEmoji: + return UnmarshalInputChatThemeEmoji(data) + + case TypeInputChatThemeGift: + return UnmarshalInputChatThemeGift(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfInputChatTheme(dataList []json.RawMessage) ([]InputChatTheme, error) { + list := []InputChatTheme{} + + for _, data := range dataList { + entity, err := UnmarshalInputChatTheme(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalCanPostStoryResult(data json.RawMessage) (CanPostStoryResult, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeCanPostStoryResultOk: + return UnmarshalCanPostStoryResultOk(data) + + case TypeCanPostStoryResultPremiumNeeded: + return UnmarshalCanPostStoryResultPremiumNeeded(data) + + case TypeCanPostStoryResultBoostNeeded: + return UnmarshalCanPostStoryResultBoostNeeded(data) + + case TypeCanPostStoryResultActiveStoryLimitExceeded: + return UnmarshalCanPostStoryResultActiveStoryLimitExceeded(data) + + case TypeCanPostStoryResultWeeklyLimitExceeded: + return UnmarshalCanPostStoryResultWeeklyLimitExceeded(data) + + case TypeCanPostStoryResultMonthlyLimitExceeded: + return UnmarshalCanPostStoryResultMonthlyLimitExceeded(data) + + case TypeCanPostStoryResultLiveStoryIsActive: + return UnmarshalCanPostStoryResultLiveStoryIsActive(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfCanPostStoryResult(dataList []json.RawMessage) ([]CanPostStoryResult, error) { + list := []CanPostStoryResult{} + + for _, data := range dataList { + entity, err := UnmarshalCanPostStoryResult(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalStartLiveStoryResult(data json.RawMessage) (StartLiveStoryResult, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeStartLiveStoryResultOk: + return UnmarshalStartLiveStoryResultOk(data) + + case TypeStartLiveStoryResultFail: + return UnmarshalStartLiveStoryResultFail(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfStartLiveStoryResult(dataList []json.RawMessage) ([]StartLiveStoryResult, error) { + list := []StartLiveStoryResult{} + + for _, data := range dataList { + entity, err := UnmarshalStartLiveStoryResult(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalCanTransferOwnershipResult(data json.RawMessage) (CanTransferOwnershipResult, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeCanTransferOwnershipResultOk: + return UnmarshalCanTransferOwnershipResultOk(data) + + case TypeCanTransferOwnershipResultPasswordNeeded: + return UnmarshalCanTransferOwnershipResultPasswordNeeded(data) + + case TypeCanTransferOwnershipResultPasswordTooFresh: + return UnmarshalCanTransferOwnershipResultPasswordTooFresh(data) + + case TypeCanTransferOwnershipResultSessionTooFresh: + return UnmarshalCanTransferOwnershipResultSessionTooFresh(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfCanTransferOwnershipResult(dataList []json.RawMessage) ([]CanTransferOwnershipResult, error) { + list := []CanTransferOwnershipResult{} + + for _, data := range dataList { + entity, err := UnmarshalCanTransferOwnershipResult(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalCheckChatUsernameResult(data json.RawMessage) (CheckChatUsernameResult, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeCheckChatUsernameResultOk: + return UnmarshalCheckChatUsernameResultOk(data) + + case TypeCheckChatUsernameResultUsernameInvalid: + return UnmarshalCheckChatUsernameResultUsernameInvalid(data) + + case TypeCheckChatUsernameResultUsernameOccupied: + return UnmarshalCheckChatUsernameResultUsernameOccupied(data) + + case TypeCheckChatUsernameResultUsernamePurchasable: + return UnmarshalCheckChatUsernameResultUsernamePurchasable(data) + + case TypeCheckChatUsernameResultPublicChatsTooMany: + return UnmarshalCheckChatUsernameResultPublicChatsTooMany(data) + + case TypeCheckChatUsernameResultPublicGroupsUnavailable: + return UnmarshalCheckChatUsernameResultPublicGroupsUnavailable(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfCheckChatUsernameResult(dataList []json.RawMessage) ([]CheckChatUsernameResult, error) { + list := []CheckChatUsernameResult{} + + for _, data := range dataList { + entity, err := UnmarshalCheckChatUsernameResult(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalCheckStickerSetNameResult(data json.RawMessage) (CheckStickerSetNameResult, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeCheckStickerSetNameResultOk: + return UnmarshalCheckStickerSetNameResultOk(data) + + case TypeCheckStickerSetNameResultNameInvalid: + return UnmarshalCheckStickerSetNameResultNameInvalid(data) + + case TypeCheckStickerSetNameResultNameOccupied: + return UnmarshalCheckStickerSetNameResultNameOccupied(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfCheckStickerSetNameResult(dataList []json.RawMessage) ([]CheckStickerSetNameResult, error) { + list := []CheckStickerSetNameResult{} + + for _, data := range dataList { + entity, err := UnmarshalCheckStickerSetNameResult(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalResetPasswordResult(data json.RawMessage) (ResetPasswordResult, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeResetPasswordResultOk: + return UnmarshalResetPasswordResultOk(data) + + case TypeResetPasswordResultPending: + return UnmarshalResetPasswordResultPending(data) + + case TypeResetPasswordResultDeclined: + return UnmarshalResetPasswordResultDeclined(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfResetPasswordResult(dataList []json.RawMessage) ([]ResetPasswordResult, error) { + list := []ResetPasswordResult{} + + for _, data := range dataList { + entity, err := UnmarshalResetPasswordResult(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalMessageFileType(data json.RawMessage) (MessageFileType, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeMessageFileTypePrivate: + return UnmarshalMessageFileTypePrivate(data) + + case TypeMessageFileTypeGroup: + return UnmarshalMessageFileTypeGroup(data) + + case TypeMessageFileTypeUnknown: + return UnmarshalMessageFileTypeUnknown(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfMessageFileType(dataList []json.RawMessage) ([]MessageFileType, error) { + list := []MessageFileType{} + + for _, data := range dataList { + entity, err := UnmarshalMessageFileType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalPushMessageContent(data json.RawMessage) (PushMessageContent, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypePushMessageContentHidden: + return UnmarshalPushMessageContentHidden(data) + + case TypePushMessageContentAnimation: + return UnmarshalPushMessageContentAnimation(data) + + case TypePushMessageContentAudio: + return UnmarshalPushMessageContentAudio(data) + + case TypePushMessageContentContact: + return UnmarshalPushMessageContentContact(data) + + case TypePushMessageContentContactRegistered: + return UnmarshalPushMessageContentContactRegistered(data) + + case TypePushMessageContentDocument: + return UnmarshalPushMessageContentDocument(data) + + case TypePushMessageContentGame: + return UnmarshalPushMessageContentGame(data) + + case TypePushMessageContentGameScore: + return UnmarshalPushMessageContentGameScore(data) + + case TypePushMessageContentInvoice: + return UnmarshalPushMessageContentInvoice(data) + + case TypePushMessageContentLocation: + return UnmarshalPushMessageContentLocation(data) + + case TypePushMessageContentPaidMedia: + return UnmarshalPushMessageContentPaidMedia(data) + + case TypePushMessageContentPhoto: + return UnmarshalPushMessageContentPhoto(data) + + case TypePushMessageContentPoll: + return UnmarshalPushMessageContentPoll(data) + + case TypePushMessageContentPremiumGiftCode: + return UnmarshalPushMessageContentPremiumGiftCode(data) + + case TypePushMessageContentGiveaway: + return UnmarshalPushMessageContentGiveaway(data) + + case TypePushMessageContentGift: + return UnmarshalPushMessageContentGift(data) + + case TypePushMessageContentUpgradedGift: + return UnmarshalPushMessageContentUpgradedGift(data) + + case TypePushMessageContentScreenshotTaken: + return UnmarshalPushMessageContentScreenshotTaken(data) + + case TypePushMessageContentSticker: + return UnmarshalPushMessageContentSticker(data) + + case TypePushMessageContentStory: + return UnmarshalPushMessageContentStory(data) + + case TypePushMessageContentText: + return UnmarshalPushMessageContentText(data) + + case TypePushMessageContentChecklist: + return UnmarshalPushMessageContentChecklist(data) + + case TypePushMessageContentVideo: + return UnmarshalPushMessageContentVideo(data) + + case TypePushMessageContentVideoNote: + return UnmarshalPushMessageContentVideoNote(data) + + case TypePushMessageContentVoiceNote: + return UnmarshalPushMessageContentVoiceNote(data) + + case TypePushMessageContentBasicGroupChatCreate: + return UnmarshalPushMessageContentBasicGroupChatCreate(data) + + case TypePushMessageContentVideoChatStarted: + return UnmarshalPushMessageContentVideoChatStarted(data) + + case TypePushMessageContentVideoChatEnded: + return UnmarshalPushMessageContentVideoChatEnded(data) + + case TypePushMessageContentInviteVideoChatParticipants: + return UnmarshalPushMessageContentInviteVideoChatParticipants(data) + + case TypePushMessageContentChatAddMembers: + return UnmarshalPushMessageContentChatAddMembers(data) + + case TypePushMessageContentChatChangePhoto: + return UnmarshalPushMessageContentChatChangePhoto(data) + + case TypePushMessageContentChatChangeTitle: + return UnmarshalPushMessageContentChatChangeTitle(data) + + case TypePushMessageContentChatSetBackground: + return UnmarshalPushMessageContentChatSetBackground(data) + + case TypePushMessageContentChatSetTheme: + return UnmarshalPushMessageContentChatSetTheme(data) + + case TypePushMessageContentChatDeleteMember: + return UnmarshalPushMessageContentChatDeleteMember(data) + + case TypePushMessageContentChatJoinByLink: + return UnmarshalPushMessageContentChatJoinByLink(data) + + case TypePushMessageContentChatJoinByRequest: + return UnmarshalPushMessageContentChatJoinByRequest(data) + + case TypePushMessageContentRecurringPayment: + return UnmarshalPushMessageContentRecurringPayment(data) + + case TypePushMessageContentSuggestProfilePhoto: + return UnmarshalPushMessageContentSuggestProfilePhoto(data) + + case TypePushMessageContentSuggestBirthdate: + return UnmarshalPushMessageContentSuggestBirthdate(data) + + case TypePushMessageContentProximityAlertTriggered: + return UnmarshalPushMessageContentProximityAlertTriggered(data) + + case TypePushMessageContentChecklistTasksAdded: + return UnmarshalPushMessageContentChecklistTasksAdded(data) + + case TypePushMessageContentChecklistTasksDone: + return UnmarshalPushMessageContentChecklistTasksDone(data) + + case TypePushMessageContentMessageForwards: + return UnmarshalPushMessageContentMessageForwards(data) + + case TypePushMessageContentMediaAlbum: + return UnmarshalPushMessageContentMediaAlbum(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfPushMessageContent(dataList []json.RawMessage) ([]PushMessageContent, error) { + list := []PushMessageContent{} + + for _, data := range dataList { + entity, err := UnmarshalPushMessageContent(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalNotificationType(data json.RawMessage) (NotificationType, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeNotificationTypeNewMessage: + return UnmarshalNotificationTypeNewMessage(data) + + case TypeNotificationTypeNewSecretChat: + return UnmarshalNotificationTypeNewSecretChat(data) + + case TypeNotificationTypeNewCall: + return UnmarshalNotificationTypeNewCall(data) + + case TypeNotificationTypeNewPushMessage: + return UnmarshalNotificationTypeNewPushMessage(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfNotificationType(dataList []json.RawMessage) ([]NotificationType, error) { + list := []NotificationType{} + + for _, data := range dataList { + entity, err := UnmarshalNotificationType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalNotificationGroupType(data json.RawMessage) (NotificationGroupType, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeNotificationGroupTypeMessages: + return UnmarshalNotificationGroupTypeMessages(data) + + case TypeNotificationGroupTypeMentions: + return UnmarshalNotificationGroupTypeMentions(data) + + case TypeNotificationGroupTypeSecretChat: + return UnmarshalNotificationGroupTypeSecretChat(data) + + case TypeNotificationGroupTypeCalls: + return UnmarshalNotificationGroupTypeCalls(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfNotificationGroupType(dataList []json.RawMessage) ([]NotificationGroupType, error) { + list := []NotificationGroupType{} + + for _, data := range dataList { + entity, err := UnmarshalNotificationGroupType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalOptionValue(data json.RawMessage) (OptionValue, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeOptionValueBoolean: + return UnmarshalOptionValueBoolean(data) + + case TypeOptionValueEmpty: + return UnmarshalOptionValueEmpty(data) + + case TypeOptionValueInteger: + return UnmarshalOptionValueInteger(data) + + case TypeOptionValueString: + return UnmarshalOptionValueString(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfOptionValue(dataList []json.RawMessage) ([]OptionValue, error) { + list := []OptionValue{} + + for _, data := range dataList { + entity, err := UnmarshalOptionValue(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalJsonValue(data json.RawMessage) (JsonValue, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeJsonValueNull: + return UnmarshalJsonValueNull(data) + + case TypeJsonValueBoolean: + return UnmarshalJsonValueBoolean(data) + + case TypeJsonValueNumber: + return UnmarshalJsonValueNumber(data) + + case TypeJsonValueString: + return UnmarshalJsonValueString(data) + + case TypeJsonValueArray: + return UnmarshalJsonValueArray(data) + + case TypeJsonValueObject: + return UnmarshalJsonValueObject(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfJsonValue(dataList []json.RawMessage) ([]JsonValue, error) { + list := []JsonValue{} + + for _, data := range dataList { + entity, err := UnmarshalJsonValue(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalStoryPrivacySettings(data json.RawMessage) (StoryPrivacySettings, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeStoryPrivacySettingsEveryone: + return UnmarshalStoryPrivacySettingsEveryone(data) + + case TypeStoryPrivacySettingsContacts: + return UnmarshalStoryPrivacySettingsContacts(data) + + case TypeStoryPrivacySettingsCloseFriends: + return UnmarshalStoryPrivacySettingsCloseFriends(data) + + case TypeStoryPrivacySettingsSelectedUsers: + return UnmarshalStoryPrivacySettingsSelectedUsers(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfStoryPrivacySettings(dataList []json.RawMessage) ([]StoryPrivacySettings, error) { + list := []StoryPrivacySettings{} + + for _, data := range dataList { + entity, err := UnmarshalStoryPrivacySettings(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalUserPrivacySettingRule(data json.RawMessage) (UserPrivacySettingRule, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeUserPrivacySettingRuleAllowAll: + return UnmarshalUserPrivacySettingRuleAllowAll(data) + + case TypeUserPrivacySettingRuleAllowContacts: + return UnmarshalUserPrivacySettingRuleAllowContacts(data) + + case TypeUserPrivacySettingRuleAllowBots: + return UnmarshalUserPrivacySettingRuleAllowBots(data) + + case TypeUserPrivacySettingRuleAllowPremiumUsers: + return UnmarshalUserPrivacySettingRuleAllowPremiumUsers(data) + + case TypeUserPrivacySettingRuleAllowUsers: + return UnmarshalUserPrivacySettingRuleAllowUsers(data) + + case TypeUserPrivacySettingRuleAllowChatMembers: + return UnmarshalUserPrivacySettingRuleAllowChatMembers(data) + + case TypeUserPrivacySettingRuleRestrictAll: + return UnmarshalUserPrivacySettingRuleRestrictAll(data) + + case TypeUserPrivacySettingRuleRestrictContacts: + return UnmarshalUserPrivacySettingRuleRestrictContacts(data) + + case TypeUserPrivacySettingRuleRestrictBots: + return UnmarshalUserPrivacySettingRuleRestrictBots(data) + + case TypeUserPrivacySettingRuleRestrictUsers: + return UnmarshalUserPrivacySettingRuleRestrictUsers(data) + + case TypeUserPrivacySettingRuleRestrictChatMembers: + return UnmarshalUserPrivacySettingRuleRestrictChatMembers(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfUserPrivacySettingRule(dataList []json.RawMessage) ([]UserPrivacySettingRule, error) { + list := []UserPrivacySettingRule{} + + for _, data := range dataList { + entity, err := UnmarshalUserPrivacySettingRule(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalUserPrivacySetting(data json.RawMessage) (UserPrivacySetting, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeUserPrivacySettingShowStatus: + return UnmarshalUserPrivacySettingShowStatus(data) + + case TypeUserPrivacySettingShowProfilePhoto: + return UnmarshalUserPrivacySettingShowProfilePhoto(data) + + case TypeUserPrivacySettingShowLinkInForwardedMessages: + return UnmarshalUserPrivacySettingShowLinkInForwardedMessages(data) + + case TypeUserPrivacySettingShowPhoneNumber: + return UnmarshalUserPrivacySettingShowPhoneNumber(data) + + case TypeUserPrivacySettingShowBio: + return UnmarshalUserPrivacySettingShowBio(data) + + case TypeUserPrivacySettingShowBirthdate: + return UnmarshalUserPrivacySettingShowBirthdate(data) + + case TypeUserPrivacySettingShowProfileAudio: + return UnmarshalUserPrivacySettingShowProfileAudio(data) + + case TypeUserPrivacySettingAllowChatInvites: + return UnmarshalUserPrivacySettingAllowChatInvites(data) + + case TypeUserPrivacySettingAllowCalls: + return UnmarshalUserPrivacySettingAllowCalls(data) + + case TypeUserPrivacySettingAllowPeerToPeerCalls: + return UnmarshalUserPrivacySettingAllowPeerToPeerCalls(data) + + case TypeUserPrivacySettingAllowFindingByPhoneNumber: + return UnmarshalUserPrivacySettingAllowFindingByPhoneNumber(data) + + case TypeUserPrivacySettingAllowPrivateVoiceAndVideoNoteMessages: + return UnmarshalUserPrivacySettingAllowPrivateVoiceAndVideoNoteMessages(data) + + case TypeUserPrivacySettingAutosaveGifts: + return UnmarshalUserPrivacySettingAutosaveGifts(data) + + case TypeUserPrivacySettingAllowUnpaidMessages: + return UnmarshalUserPrivacySettingAllowUnpaidMessages(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfUserPrivacySetting(dataList []json.RawMessage) ([]UserPrivacySetting, error) { + list := []UserPrivacySetting{} + + for _, data := range dataList { + entity, err := UnmarshalUserPrivacySetting(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalCanSendMessageToUserResult(data json.RawMessage) (CanSendMessageToUserResult, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeCanSendMessageToUserResultOk: + return UnmarshalCanSendMessageToUserResultOk(data) + + case TypeCanSendMessageToUserResultUserHasPaidMessages: + return UnmarshalCanSendMessageToUserResultUserHasPaidMessages(data) + + case TypeCanSendMessageToUserResultUserIsDeleted: + return UnmarshalCanSendMessageToUserResultUserIsDeleted(data) + + case TypeCanSendMessageToUserResultUserRestrictsNewChats: + return UnmarshalCanSendMessageToUserResultUserRestrictsNewChats(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfCanSendMessageToUserResult(dataList []json.RawMessage) ([]CanSendMessageToUserResult, error) { + list := []CanSendMessageToUserResult{} + + for _, data := range dataList { + entity, err := UnmarshalCanSendMessageToUserResult(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalSessionType(data json.RawMessage) (SessionType, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeSessionTypeAndroid: + return UnmarshalSessionTypeAndroid(data) + + case TypeSessionTypeApple: + return UnmarshalSessionTypeApple(data) + + case TypeSessionTypeBrave: + return UnmarshalSessionTypeBrave(data) + + case TypeSessionTypeChrome: + return UnmarshalSessionTypeChrome(data) + + case TypeSessionTypeEdge: + return UnmarshalSessionTypeEdge(data) + + case TypeSessionTypeFirefox: + return UnmarshalSessionTypeFirefox(data) + + case TypeSessionTypeIpad: + return UnmarshalSessionTypeIpad(data) + + case TypeSessionTypeIphone: + return UnmarshalSessionTypeIphone(data) + + case TypeSessionTypeLinux: + return UnmarshalSessionTypeLinux(data) + + case TypeSessionTypeMac: + return UnmarshalSessionTypeMac(data) + + case TypeSessionTypeOpera: + return UnmarshalSessionTypeOpera(data) + + case TypeSessionTypeSafari: + return UnmarshalSessionTypeSafari(data) + + case TypeSessionTypeUbuntu: + return UnmarshalSessionTypeUbuntu(data) + + case TypeSessionTypeUnknown: + return UnmarshalSessionTypeUnknown(data) + + case TypeSessionTypeVivaldi: + return UnmarshalSessionTypeVivaldi(data) + + case TypeSessionTypeWindows: + return UnmarshalSessionTypeWindows(data) + + case TypeSessionTypeXbox: + return UnmarshalSessionTypeXbox(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfSessionType(dataList []json.RawMessage) ([]SessionType, error) { + list := []SessionType{} + + for _, data := range dataList { + entity, err := UnmarshalSessionType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalReportReason(data json.RawMessage) (ReportReason, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeReportReasonSpam: + return UnmarshalReportReasonSpam(data) + + case TypeReportReasonViolence: + return UnmarshalReportReasonViolence(data) + + case TypeReportReasonPornography: + return UnmarshalReportReasonPornography(data) + + case TypeReportReasonChildAbuse: + return UnmarshalReportReasonChildAbuse(data) + + case TypeReportReasonCopyright: + return UnmarshalReportReasonCopyright(data) + + case TypeReportReasonUnrelatedLocation: + return UnmarshalReportReasonUnrelatedLocation(data) + + case TypeReportReasonFake: + return UnmarshalReportReasonFake(data) + + case TypeReportReasonIllegalDrugs: + return UnmarshalReportReasonIllegalDrugs(data) + + case TypeReportReasonPersonalDetails: + return UnmarshalReportReasonPersonalDetails(data) + + case TypeReportReasonCustom: + return UnmarshalReportReasonCustom(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfReportReason(dataList []json.RawMessage) ([]ReportReason, error) { + list := []ReportReason{} + + for _, data := range dataList { + entity, err := UnmarshalReportReason(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalReportChatResult(data json.RawMessage) (ReportChatResult, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeReportChatResultOk: + return UnmarshalReportChatResultOk(data) + + case TypeReportChatResultOptionRequired: + return UnmarshalReportChatResultOptionRequired(data) + + case TypeReportChatResultTextRequired: + return UnmarshalReportChatResultTextRequired(data) + + case TypeReportChatResultMessagesRequired: + return UnmarshalReportChatResultMessagesRequired(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfReportChatResult(dataList []json.RawMessage) ([]ReportChatResult, error) { + list := []ReportChatResult{} + + for _, data := range dataList { + entity, err := UnmarshalReportChatResult(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalReportStoryResult(data json.RawMessage) (ReportStoryResult, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeReportStoryResultOk: + return UnmarshalReportStoryResultOk(data) + + case TypeReportStoryResultOptionRequired: + return UnmarshalReportStoryResultOptionRequired(data) + + case TypeReportStoryResultTextRequired: + return UnmarshalReportStoryResultTextRequired(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfReportStoryResult(dataList []json.RawMessage) ([]ReportStoryResult, error) { + list := []ReportStoryResult{} + + for _, data := range dataList { + entity, err := UnmarshalReportStoryResult(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalSettingsSection(data json.RawMessage) (SettingsSection, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeSettingsSectionAppearance: + return UnmarshalSettingsSectionAppearance(data) + + case TypeSettingsSectionAskQuestion: + return UnmarshalSettingsSectionAskQuestion(data) + + case TypeSettingsSectionBusiness: + return UnmarshalSettingsSectionBusiness(data) + + case TypeSettingsSectionChatFolders: + return UnmarshalSettingsSectionChatFolders(data) + + case TypeSettingsSectionDataAndStorage: + return UnmarshalSettingsSectionDataAndStorage(data) + + case TypeSettingsSectionDevices: + return UnmarshalSettingsSectionDevices(data) + + case TypeSettingsSectionEditProfile: + return UnmarshalSettingsSectionEditProfile(data) + + case TypeSettingsSectionFaq: + return UnmarshalSettingsSectionFaq(data) + + case TypeSettingsSectionFeatures: + return UnmarshalSettingsSectionFeatures(data) + + case TypeSettingsSectionInAppBrowser: + return UnmarshalSettingsSectionInAppBrowser(data) + + case TypeSettingsSectionLanguage: + return UnmarshalSettingsSectionLanguage(data) + + case TypeSettingsSectionMyStars: + return UnmarshalSettingsSectionMyStars(data) + + case TypeSettingsSectionMyToncoins: + return UnmarshalSettingsSectionMyToncoins(data) + + case TypeSettingsSectionNotifications: + return UnmarshalSettingsSectionNotifications(data) + + case TypeSettingsSectionPowerSaving: + return UnmarshalSettingsSectionPowerSaving(data) + + case TypeSettingsSectionPremium: + return UnmarshalSettingsSectionPremium(data) + + case TypeSettingsSectionPrivacyAndSecurity: + return UnmarshalSettingsSectionPrivacyAndSecurity(data) + + case TypeSettingsSectionPrivacyPolicy: + return UnmarshalSettingsSectionPrivacyPolicy(data) + + case TypeSettingsSectionQrCode: + return UnmarshalSettingsSectionQrCode(data) + + case TypeSettingsSectionSearch: + return UnmarshalSettingsSectionSearch(data) + + case TypeSettingsSectionSendGift: + return UnmarshalSettingsSectionSendGift(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfSettingsSection(dataList []json.RawMessage) ([]SettingsSection, error) { + list := []SettingsSection{} + + for _, data := range dataList { + entity, err := UnmarshalSettingsSection(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil } func UnmarshalInternalLinkType(data json.RawMessage) (InternalLinkType, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeInternalLinkTypeActiveSessions: - return UnmarshalInternalLinkTypeActiveSessions(data) + switch meta.Type { + case TypeInternalLinkTypeAttachmentMenuBot: + return UnmarshalInternalLinkTypeAttachmentMenuBot(data) - case TypeInternalLinkTypeAttachmentMenuBot: - return UnmarshalInternalLinkTypeAttachmentMenuBot(data) + case TypeInternalLinkTypeAuthenticationCode: + return UnmarshalInternalLinkTypeAuthenticationCode(data) - case TypeInternalLinkTypeAuthenticationCode: - return UnmarshalInternalLinkTypeAuthenticationCode(data) + case TypeInternalLinkTypeBackground: + return UnmarshalInternalLinkTypeBackground(data) - case TypeInternalLinkTypeBackground: - return UnmarshalInternalLinkTypeBackground(data) + case TypeInternalLinkTypeBotAddToChannel: + return UnmarshalInternalLinkTypeBotAddToChannel(data) - case TypeInternalLinkTypeBotAddToChannel: - return UnmarshalInternalLinkTypeBotAddToChannel(data) + case TypeInternalLinkTypeBotStart: + return UnmarshalInternalLinkTypeBotStart(data) - case TypeInternalLinkTypeBotStart: - return UnmarshalInternalLinkTypeBotStart(data) + case TypeInternalLinkTypeBotStartInGroup: + return UnmarshalInternalLinkTypeBotStartInGroup(data) - case TypeInternalLinkTypeBotStartInGroup: - return UnmarshalInternalLinkTypeBotStartInGroup(data) + case TypeInternalLinkTypeBusinessChat: + return UnmarshalInternalLinkTypeBusinessChat(data) - case TypeInternalLinkTypeChangePhoneNumber: - return UnmarshalInternalLinkTypeChangePhoneNumber(data) + case TypeInternalLinkTypeCallsPage: + return UnmarshalInternalLinkTypeCallsPage(data) - case TypeInternalLinkTypeChatInvite: - return UnmarshalInternalLinkTypeChatInvite(data) + case TypeInternalLinkTypeChatAffiliateProgram: + return UnmarshalInternalLinkTypeChatAffiliateProgram(data) - case TypeInternalLinkTypeDefaultMessageAutoDeleteTimerSettings: - return UnmarshalInternalLinkTypeDefaultMessageAutoDeleteTimerSettings(data) + case TypeInternalLinkTypeChatBoost: + return UnmarshalInternalLinkTypeChatBoost(data) - case TypeInternalLinkTypeEditProfileSettings: - return UnmarshalInternalLinkTypeEditProfileSettings(data) + case TypeInternalLinkTypeChatFolderInvite: + return UnmarshalInternalLinkTypeChatFolderInvite(data) - case TypeInternalLinkTypeFilterSettings: - return UnmarshalInternalLinkTypeFilterSettings(data) + case TypeInternalLinkTypeChatInvite: + return UnmarshalInternalLinkTypeChatInvite(data) - case TypeInternalLinkTypeGame: - return UnmarshalInternalLinkTypeGame(data) + case TypeInternalLinkTypeChatSelection: + return UnmarshalInternalLinkTypeChatSelection(data) - case TypeInternalLinkTypeInstantView: - return UnmarshalInternalLinkTypeInstantView(data) + case TypeInternalLinkTypeContactsPage: + return UnmarshalInternalLinkTypeContactsPage(data) - case TypeInternalLinkTypeInvoice: - return UnmarshalInternalLinkTypeInvoice(data) + case TypeInternalLinkTypeDirectMessagesChat: + return UnmarshalInternalLinkTypeDirectMessagesChat(data) - case TypeInternalLinkTypeLanguagePack: - return UnmarshalInternalLinkTypeLanguagePack(data) + case TypeInternalLinkTypeGame: + return UnmarshalInternalLinkTypeGame(data) - case TypeInternalLinkTypeLanguageSettings: - return UnmarshalInternalLinkTypeLanguageSettings(data) + case TypeInternalLinkTypeGiftAuction: + return UnmarshalInternalLinkTypeGiftAuction(data) - case TypeInternalLinkTypeMessage: - return UnmarshalInternalLinkTypeMessage(data) + case TypeInternalLinkTypeGiftCollection: + return UnmarshalInternalLinkTypeGiftCollection(data) - case TypeInternalLinkTypeMessageDraft: - return UnmarshalInternalLinkTypeMessageDraft(data) + case TypeInternalLinkTypeGroupCall: + return UnmarshalInternalLinkTypeGroupCall(data) - case TypeInternalLinkTypePassportDataRequest: - return UnmarshalInternalLinkTypePassportDataRequest(data) + case TypeInternalLinkTypeInstantView: + return UnmarshalInternalLinkTypeInstantView(data) - case TypeInternalLinkTypePhoneNumberConfirmation: - return UnmarshalInternalLinkTypePhoneNumberConfirmation(data) + case TypeInternalLinkTypeInvoice: + return UnmarshalInternalLinkTypeInvoice(data) - case TypeInternalLinkTypePremiumFeatures: - return UnmarshalInternalLinkTypePremiumFeatures(data) + case TypeInternalLinkTypeLanguagePack: + return UnmarshalInternalLinkTypeLanguagePack(data) - case TypeInternalLinkTypePrivacyAndSecuritySettings: - return UnmarshalInternalLinkTypePrivacyAndSecuritySettings(data) + case TypeInternalLinkTypeLiveStory: + return UnmarshalInternalLinkTypeLiveStory(data) - case TypeInternalLinkTypeProxy: - return UnmarshalInternalLinkTypeProxy(data) + case TypeInternalLinkTypeMainWebApp: + return UnmarshalInternalLinkTypeMainWebApp(data) - case TypeInternalLinkTypePublicChat: - return UnmarshalInternalLinkTypePublicChat(data) + case TypeInternalLinkTypeMessage: + return UnmarshalInternalLinkTypeMessage(data) - case TypeInternalLinkTypeQrCodeAuthentication: - return UnmarshalInternalLinkTypeQrCodeAuthentication(data) + case TypeInternalLinkTypeMessageDraft: + return UnmarshalInternalLinkTypeMessageDraft(data) - case TypeInternalLinkTypeRestorePurchases: - return UnmarshalInternalLinkTypeRestorePurchases(data) + case TypeInternalLinkTypeMyProfilePage: + return UnmarshalInternalLinkTypeMyProfilePage(data) - case TypeInternalLinkTypeSettings: - return UnmarshalInternalLinkTypeSettings(data) + case TypeInternalLinkTypeNewChannelChat: + return UnmarshalInternalLinkTypeNewChannelChat(data) - case TypeInternalLinkTypeStickerSet: - return UnmarshalInternalLinkTypeStickerSet(data) + case TypeInternalLinkTypeNewGroupChat: + return UnmarshalInternalLinkTypeNewGroupChat(data) - case TypeInternalLinkTypeTheme: - return UnmarshalInternalLinkTypeTheme(data) + case TypeInternalLinkTypeNewPrivateChat: + return UnmarshalInternalLinkTypeNewPrivateChat(data) - case TypeInternalLinkTypeThemeSettings: - return UnmarshalInternalLinkTypeThemeSettings(data) + case TypeInternalLinkTypeNewStory: + return UnmarshalInternalLinkTypeNewStory(data) - case TypeInternalLinkTypeUnknownDeepLink: - return UnmarshalInternalLinkTypeUnknownDeepLink(data) + case TypeInternalLinkTypePassportDataRequest: + return UnmarshalInternalLinkTypePassportDataRequest(data) - case TypeInternalLinkTypeUnsupportedProxy: - return UnmarshalInternalLinkTypeUnsupportedProxy(data) + case TypeInternalLinkTypePhoneNumberConfirmation: + return UnmarshalInternalLinkTypePhoneNumberConfirmation(data) - case TypeInternalLinkTypeUserPhoneNumber: - return UnmarshalInternalLinkTypeUserPhoneNumber(data) + case TypeInternalLinkTypePremiumFeaturesPage: + return UnmarshalInternalLinkTypePremiumFeaturesPage(data) - case TypeInternalLinkTypeUserToken: - return UnmarshalInternalLinkTypeUserToken(data) + case TypeInternalLinkTypePremiumGiftCode: + return UnmarshalInternalLinkTypePremiumGiftCode(data) - case TypeInternalLinkTypeVideoChat: - return UnmarshalInternalLinkTypeVideoChat(data) + case TypeInternalLinkTypePremiumGiftPurchase: + return UnmarshalInternalLinkTypePremiumGiftPurchase(data) - case TypeInternalLinkTypeWebApp: - return UnmarshalInternalLinkTypeWebApp(data) + case TypeInternalLinkTypeProxy: + return UnmarshalInternalLinkTypeProxy(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + case TypeInternalLinkTypePublicChat: + return UnmarshalInternalLinkTypePublicChat(data) + + case TypeInternalLinkTypeQrCodeAuthentication: + return UnmarshalInternalLinkTypeQrCodeAuthentication(data) + + case TypeInternalLinkTypeRestorePurchases: + return UnmarshalInternalLinkTypeRestorePurchases(data) + + case TypeInternalLinkTypeSavedMessages: + return UnmarshalInternalLinkTypeSavedMessages(data) + + case TypeInternalLinkTypeSearch: + return UnmarshalInternalLinkTypeSearch(data) + + case TypeInternalLinkTypeSettings: + return UnmarshalInternalLinkTypeSettings(data) + + case TypeInternalLinkTypeStarPurchase: + return UnmarshalInternalLinkTypeStarPurchase(data) + + case TypeInternalLinkTypeStickerSet: + return UnmarshalInternalLinkTypeStickerSet(data) + + case TypeInternalLinkTypeStory: + return UnmarshalInternalLinkTypeStory(data) + + case TypeInternalLinkTypeStoryAlbum: + return UnmarshalInternalLinkTypeStoryAlbum(data) + + case TypeInternalLinkTypeTheme: + return UnmarshalInternalLinkTypeTheme(data) + + case TypeInternalLinkTypeUnknownDeepLink: + return UnmarshalInternalLinkTypeUnknownDeepLink(data) + + case TypeInternalLinkTypeUpgradedGift: + return UnmarshalInternalLinkTypeUpgradedGift(data) + + case TypeInternalLinkTypeUserPhoneNumber: + return UnmarshalInternalLinkTypeUserPhoneNumber(data) + + case TypeInternalLinkTypeUserToken: + return UnmarshalInternalLinkTypeUserToken(data) + + case TypeInternalLinkTypeVideoChat: + return UnmarshalInternalLinkTypeVideoChat(data) + + case TypeInternalLinkTypeWebApp: + return UnmarshalInternalLinkTypeWebApp(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfInternalLinkType(dataList []json.RawMessage) ([]InternalLinkType, error) { - list := []InternalLinkType{} + list := []InternalLinkType{} - for _, data := range dataList { - entity, err := UnmarshalInternalLinkType(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalInternalLinkType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil +} + +func UnmarshalBlockList(data json.RawMessage) (BlockList, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeBlockListMain: + return UnmarshalBlockListMain(data) + + case TypeBlockListStories: + return UnmarshalBlockListStories(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfBlockList(dataList []json.RawMessage) ([]BlockList, error) { + list := []BlockList{} + + for _, data := range dataList { + entity, err := UnmarshalBlockList(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil } func UnmarshalFileType(data json.RawMessage) (FileType, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeFileTypeNone: - return UnmarshalFileTypeNone(data) + switch meta.Type { + case TypeFileTypeNone: + return UnmarshalFileTypeNone(data) - case TypeFileTypeAnimation: - return UnmarshalFileTypeAnimation(data) + case TypeFileTypeAnimation: + return UnmarshalFileTypeAnimation(data) - case TypeFileTypeAudio: - return UnmarshalFileTypeAudio(data) + case TypeFileTypeAudio: + return UnmarshalFileTypeAudio(data) - case TypeFileTypeDocument: - return UnmarshalFileTypeDocument(data) + case TypeFileTypeDocument: + return UnmarshalFileTypeDocument(data) - case TypeFileTypeNotificationSound: - return UnmarshalFileTypeNotificationSound(data) + case TypeFileTypeNotificationSound: + return UnmarshalFileTypeNotificationSound(data) - case TypeFileTypePhoto: - return UnmarshalFileTypePhoto(data) + case TypeFileTypePhoto: + return UnmarshalFileTypePhoto(data) - case TypeFileTypeProfilePhoto: - return UnmarshalFileTypeProfilePhoto(data) + case TypeFileTypePhotoStory: + return UnmarshalFileTypePhotoStory(data) - case TypeFileTypeSecret: - return UnmarshalFileTypeSecret(data) + case TypeFileTypeProfilePhoto: + return UnmarshalFileTypeProfilePhoto(data) - case TypeFileTypeSecretThumbnail: - return UnmarshalFileTypeSecretThumbnail(data) + case TypeFileTypeSecret: + return UnmarshalFileTypeSecret(data) - case TypeFileTypeSecure: - return UnmarshalFileTypeSecure(data) + case TypeFileTypeSecretThumbnail: + return UnmarshalFileTypeSecretThumbnail(data) - case TypeFileTypeSticker: - return UnmarshalFileTypeSticker(data) + case TypeFileTypeSecure: + return UnmarshalFileTypeSecure(data) - case TypeFileTypeThumbnail: - return UnmarshalFileTypeThumbnail(data) + case TypeFileTypeSelfDestructingPhoto: + return UnmarshalFileTypeSelfDestructingPhoto(data) - case TypeFileTypeUnknown: - return UnmarshalFileTypeUnknown(data) + case TypeFileTypeSelfDestructingVideo: + return UnmarshalFileTypeSelfDestructingVideo(data) - case TypeFileTypeVideo: - return UnmarshalFileTypeVideo(data) + case TypeFileTypeSelfDestructingVideoNote: + return UnmarshalFileTypeSelfDestructingVideoNote(data) - case TypeFileTypeVideoNote: - return UnmarshalFileTypeVideoNote(data) + case TypeFileTypeSelfDestructingVoiceNote: + return UnmarshalFileTypeSelfDestructingVoiceNote(data) - case TypeFileTypeVoiceNote: - return UnmarshalFileTypeVoiceNote(data) + case TypeFileTypeSticker: + return UnmarshalFileTypeSticker(data) - case TypeFileTypeWallpaper: - return UnmarshalFileTypeWallpaper(data) + case TypeFileTypeThumbnail: + return UnmarshalFileTypeThumbnail(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + case TypeFileTypeUnknown: + return UnmarshalFileTypeUnknown(data) + + case TypeFileTypeVideo: + return UnmarshalFileTypeVideo(data) + + case TypeFileTypeVideoNote: + return UnmarshalFileTypeVideoNote(data) + + case TypeFileTypeVideoStory: + return UnmarshalFileTypeVideoStory(data) + + case TypeFileTypeVoiceNote: + return UnmarshalFileTypeVoiceNote(data) + + case TypeFileTypeWallpaper: + return UnmarshalFileTypeWallpaper(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfFileType(dataList []json.RawMessage) ([]FileType, error) { - list := []FileType{} + list := []FileType{} - for _, data := range dataList { - entity, err := UnmarshalFileType(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalFileType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalNetworkType(data json.RawMessage) (NetworkType, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeNetworkTypeNone: - return UnmarshalNetworkTypeNone(data) + switch meta.Type { + case TypeNetworkTypeNone: + return UnmarshalNetworkTypeNone(data) - case TypeNetworkTypeMobile: - return UnmarshalNetworkTypeMobile(data) + case TypeNetworkTypeMobile: + return UnmarshalNetworkTypeMobile(data) - case TypeNetworkTypeMobileRoaming: - return UnmarshalNetworkTypeMobileRoaming(data) + case TypeNetworkTypeMobileRoaming: + return UnmarshalNetworkTypeMobileRoaming(data) - case TypeNetworkTypeWiFi: - return UnmarshalNetworkTypeWiFi(data) + case TypeNetworkTypeWiFi: + return UnmarshalNetworkTypeWiFi(data) - case TypeNetworkTypeOther: - return UnmarshalNetworkTypeOther(data) + case TypeNetworkTypeOther: + return UnmarshalNetworkTypeOther(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfNetworkType(dataList []json.RawMessage) ([]NetworkType, error) { - list := []NetworkType{} + list := []NetworkType{} - for _, data := range dataList { - entity, err := UnmarshalNetworkType(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalNetworkType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalNetworkStatisticsEntry(data json.RawMessage) (NetworkStatisticsEntry, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeNetworkStatisticsEntryFile: - return UnmarshalNetworkStatisticsEntryFile(data) + switch meta.Type { + case TypeNetworkStatisticsEntryFile: + return UnmarshalNetworkStatisticsEntryFile(data) - case TypeNetworkStatisticsEntryCall: - return UnmarshalNetworkStatisticsEntryCall(data) + case TypeNetworkStatisticsEntryCall: + return UnmarshalNetworkStatisticsEntryCall(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfNetworkStatisticsEntry(dataList []json.RawMessage) ([]NetworkStatisticsEntry, error) { - list := []NetworkStatisticsEntry{} + list := []NetworkStatisticsEntry{} - for _, data := range dataList { - entity, err := UnmarshalNetworkStatisticsEntry(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalNetworkStatisticsEntry(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalAutosaveSettingsScope(data json.RawMessage) (AutosaveSettingsScope, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeAutosaveSettingsScopePrivateChats: - return UnmarshalAutosaveSettingsScopePrivateChats(data) + switch meta.Type { + case TypeAutosaveSettingsScopePrivateChats: + return UnmarshalAutosaveSettingsScopePrivateChats(data) - case TypeAutosaveSettingsScopeGroupChats: - return UnmarshalAutosaveSettingsScopeGroupChats(data) + case TypeAutosaveSettingsScopeGroupChats: + return UnmarshalAutosaveSettingsScopeGroupChats(data) - case TypeAutosaveSettingsScopeChannelChats: - return UnmarshalAutosaveSettingsScopeChannelChats(data) + case TypeAutosaveSettingsScopeChannelChats: + return UnmarshalAutosaveSettingsScopeChannelChats(data) - case TypeAutosaveSettingsScopeChat: - return UnmarshalAutosaveSettingsScopeChat(data) + case TypeAutosaveSettingsScopeChat: + return UnmarshalAutosaveSettingsScopeChat(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfAutosaveSettingsScope(dataList []json.RawMessage) ([]AutosaveSettingsScope, error) { - list := []AutosaveSettingsScope{} + list := []AutosaveSettingsScope{} - for _, data := range dataList { - entity, err := UnmarshalAutosaveSettingsScope(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalAutosaveSettingsScope(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalConnectionState(data json.RawMessage) (ConnectionState, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeConnectionStateWaitingForNetwork: - return UnmarshalConnectionStateWaitingForNetwork(data) + switch meta.Type { + case TypeConnectionStateWaitingForNetwork: + return UnmarshalConnectionStateWaitingForNetwork(data) - case TypeConnectionStateConnectingToProxy: - return UnmarshalConnectionStateConnectingToProxy(data) + case TypeConnectionStateConnectingToProxy: + return UnmarshalConnectionStateConnectingToProxy(data) - case TypeConnectionStateConnecting: - return UnmarshalConnectionStateConnecting(data) + case TypeConnectionStateConnecting: + return UnmarshalConnectionStateConnecting(data) - case TypeConnectionStateUpdating: - return UnmarshalConnectionStateUpdating(data) + case TypeConnectionStateUpdating: + return UnmarshalConnectionStateUpdating(data) - case TypeConnectionStateReady: - return UnmarshalConnectionStateReady(data) + case TypeConnectionStateReady: + return UnmarshalConnectionStateReady(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfConnectionState(dataList []json.RawMessage) ([]ConnectionState, error) { - list := []ConnectionState{} + list := []ConnectionState{} - for _, data := range dataList { - entity, err := UnmarshalConnectionState(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalConnectionState(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalTopChatCategory(data json.RawMessage) (TopChatCategory, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeTopChatCategoryUsers: - return UnmarshalTopChatCategoryUsers(data) + switch meta.Type { + case TypeTopChatCategoryUsers: + return UnmarshalTopChatCategoryUsers(data) - case TypeTopChatCategoryBots: - return UnmarshalTopChatCategoryBots(data) + case TypeTopChatCategoryBots: + return UnmarshalTopChatCategoryBots(data) - case TypeTopChatCategoryGroups: - return UnmarshalTopChatCategoryGroups(data) + case TypeTopChatCategoryGroups: + return UnmarshalTopChatCategoryGroups(data) - case TypeTopChatCategoryChannels: - return UnmarshalTopChatCategoryChannels(data) + case TypeTopChatCategoryChannels: + return UnmarshalTopChatCategoryChannels(data) - case TypeTopChatCategoryInlineBots: - return UnmarshalTopChatCategoryInlineBots(data) + case TypeTopChatCategoryInlineBots: + return UnmarshalTopChatCategoryInlineBots(data) - case TypeTopChatCategoryCalls: - return UnmarshalTopChatCategoryCalls(data) + case TypeTopChatCategoryWebAppBots: + return UnmarshalTopChatCategoryWebAppBots(data) - case TypeTopChatCategoryForwardChats: - return UnmarshalTopChatCategoryForwardChats(data) + case TypeTopChatCategoryCalls: + return UnmarshalTopChatCategoryCalls(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + case TypeTopChatCategoryForwardChats: + return UnmarshalTopChatCategoryForwardChats(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfTopChatCategory(dataList []json.RawMessage) ([]TopChatCategory, error) { - list := []TopChatCategory{} + list := []TopChatCategory{} - for _, data := range dataList { - entity, err := UnmarshalTopChatCategory(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalTopChatCategory(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalTMeUrlType(data json.RawMessage) (TMeUrlType, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeTMeUrlTypeUser: - return UnmarshalTMeUrlTypeUser(data) + switch meta.Type { + case TypeTMeUrlTypeUser: + return UnmarshalTMeUrlTypeUser(data) - case TypeTMeUrlTypeSupergroup: - return UnmarshalTMeUrlTypeSupergroup(data) + case TypeTMeUrlTypeSupergroup: + return UnmarshalTMeUrlTypeSupergroup(data) - case TypeTMeUrlTypeChatInvite: - return UnmarshalTMeUrlTypeChatInvite(data) + case TypeTMeUrlTypeChatInvite: + return UnmarshalTMeUrlTypeChatInvite(data) - case TypeTMeUrlTypeStickerSet: - return UnmarshalTMeUrlTypeStickerSet(data) + case TypeTMeUrlTypeStickerSet: + return UnmarshalTMeUrlTypeStickerSet(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfTMeUrlType(dataList []json.RawMessage) ([]TMeUrlType, error) { - list := []TMeUrlType{} + list := []TMeUrlType{} - for _, data := range dataList { - entity, err := UnmarshalTMeUrlType(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalTMeUrlType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalSuggestedAction(data json.RawMessage) (SuggestedAction, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeSuggestedActionEnableArchiveAndMuteNewChats: - return UnmarshalSuggestedActionEnableArchiveAndMuteNewChats(data) + switch meta.Type { + case TypeSuggestedActionEnableArchiveAndMuteNewChats: + return UnmarshalSuggestedActionEnableArchiveAndMuteNewChats(data) - case TypeSuggestedActionCheckPassword: - return UnmarshalSuggestedActionCheckPassword(data) + case TypeSuggestedActionCheckPassword: + return UnmarshalSuggestedActionCheckPassword(data) - case TypeSuggestedActionCheckPhoneNumber: - return UnmarshalSuggestedActionCheckPhoneNumber(data) + case TypeSuggestedActionCheckPhoneNumber: + return UnmarshalSuggestedActionCheckPhoneNumber(data) - case TypeSuggestedActionViewChecksHint: - return UnmarshalSuggestedActionViewChecksHint(data) + case TypeSuggestedActionViewChecksHint: + return UnmarshalSuggestedActionViewChecksHint(data) - case TypeSuggestedActionConvertToBroadcastGroup: - return UnmarshalSuggestedActionConvertToBroadcastGroup(data) + case TypeSuggestedActionConvertToBroadcastGroup: + return UnmarshalSuggestedActionConvertToBroadcastGroup(data) - case TypeSuggestedActionSetPassword: - return UnmarshalSuggestedActionSetPassword(data) + case TypeSuggestedActionSetPassword: + return UnmarshalSuggestedActionSetPassword(data) - case TypeSuggestedActionUpgradePremium: - return UnmarshalSuggestedActionUpgradePremium(data) + case TypeSuggestedActionUpgradePremium: + return UnmarshalSuggestedActionUpgradePremium(data) - case TypeSuggestedActionSubscribeToAnnualPremium: - return UnmarshalSuggestedActionSubscribeToAnnualPremium(data) + case TypeSuggestedActionRestorePremium: + return UnmarshalSuggestedActionRestorePremium(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + case TypeSuggestedActionSubscribeToAnnualPremium: + return UnmarshalSuggestedActionSubscribeToAnnualPremium(data) + + case TypeSuggestedActionGiftPremiumForChristmas: + return UnmarshalSuggestedActionGiftPremiumForChristmas(data) + + case TypeSuggestedActionSetBirthdate: + return UnmarshalSuggestedActionSetBirthdate(data) + + case TypeSuggestedActionSetProfilePhoto: + return UnmarshalSuggestedActionSetProfilePhoto(data) + + case TypeSuggestedActionExtendPremium: + return UnmarshalSuggestedActionExtendPremium(data) + + case TypeSuggestedActionExtendStarSubscriptions: + return UnmarshalSuggestedActionExtendStarSubscriptions(data) + + case TypeSuggestedActionCustom: + return UnmarshalSuggestedActionCustom(data) + + case TypeSuggestedActionSetLoginEmailAddress: + return UnmarshalSuggestedActionSetLoginEmailAddress(data) + + case TypeSuggestedActionAddLoginPasskey: + return UnmarshalSuggestedActionAddLoginPasskey(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfSuggestedAction(dataList []json.RawMessage) ([]SuggestedAction, error) { - list := []SuggestedAction{} + list := []SuggestedAction{} - for _, data := range dataList { - entity, err := UnmarshalSuggestedAction(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalSuggestedAction(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalTextParseMode(data json.RawMessage) (TextParseMode, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeTextParseModeMarkdown: - return UnmarshalTextParseModeMarkdown(data) + switch meta.Type { + case TypeTextParseModeMarkdown: + return UnmarshalTextParseModeMarkdown(data) - case TypeTextParseModeHTML: - return UnmarshalTextParseModeHTML(data) + case TypeTextParseModeHTML: + return UnmarshalTextParseModeHTML(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfTextParseMode(dataList []json.RawMessage) ([]TextParseMode, error) { - list := []TextParseMode{} + list := []TextParseMode{} - for _, data := range dataList { - entity, err := UnmarshalTextParseMode(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalTextParseMode(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalProxyType(data json.RawMessage) (ProxyType, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeProxyTypeSocks5: - return UnmarshalProxyTypeSocks5(data) + switch meta.Type { + case TypeProxyTypeSocks5: + return UnmarshalProxyTypeSocks5(data) - case TypeProxyTypeHttp: - return UnmarshalProxyTypeHttp(data) + case TypeProxyTypeHttp: + return UnmarshalProxyTypeHttp(data) - case TypeProxyTypeMtproto: - return UnmarshalProxyTypeMtproto(data) + case TypeProxyTypeMtproto: + return UnmarshalProxyTypeMtproto(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfProxyType(dataList []json.RawMessage) ([]ProxyType, error) { - list := []ProxyType{} + list := []ProxyType{} - for _, data := range dataList { - entity, err := UnmarshalProxyType(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalProxyType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalStatisticalGraph(data json.RawMessage) (StatisticalGraph, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeStatisticalGraphData: - return UnmarshalStatisticalGraphData(data) + switch meta.Type { + case TypeStatisticalGraphData: + return UnmarshalStatisticalGraphData(data) - case TypeStatisticalGraphAsync: - return UnmarshalStatisticalGraphAsync(data) + case TypeStatisticalGraphAsync: + return UnmarshalStatisticalGraphAsync(data) - case TypeStatisticalGraphError: - return UnmarshalStatisticalGraphError(data) + case TypeStatisticalGraphError: + return UnmarshalStatisticalGraphError(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfStatisticalGraph(dataList []json.RawMessage) ([]StatisticalGraph, error) { - list := []StatisticalGraph{} + list := []StatisticalGraph{} - for _, data := range dataList { - entity, err := UnmarshalStatisticalGraph(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalStatisticalGraph(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil +} + +func UnmarshalChatStatisticsObjectType(data json.RawMessage) (ChatStatisticsObjectType, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeChatStatisticsObjectTypeMessage: + return UnmarshalChatStatisticsObjectTypeMessage(data) + + case TypeChatStatisticsObjectTypeStory: + return UnmarshalChatStatisticsObjectTypeStory(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfChatStatisticsObjectType(dataList []json.RawMessage) ([]ChatStatisticsObjectType, error) { + list := []ChatStatisticsObjectType{} + + for _, data := range dataList { + entity, err := UnmarshalChatStatisticsObjectType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil } func UnmarshalChatStatistics(data json.RawMessage) (ChatStatistics, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeChatStatisticsSupergroup: - return UnmarshalChatStatisticsSupergroup(data) + switch meta.Type { + case TypeChatStatisticsSupergroup: + return UnmarshalChatStatisticsSupergroup(data) - case TypeChatStatisticsChannel: - return UnmarshalChatStatisticsChannel(data) + case TypeChatStatisticsChannel: + return UnmarshalChatStatisticsChannel(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfChatStatistics(dataList []json.RawMessage) ([]ChatStatistics, error) { - list := []ChatStatistics{} + list := []ChatStatistics{} - for _, data := range dataList { - entity, err := UnmarshalChatStatistics(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalChatStatistics(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil +} + +func UnmarshalRevenueWithdrawalState(data json.RawMessage) (RevenueWithdrawalState, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeRevenueWithdrawalStatePending: + return UnmarshalRevenueWithdrawalStatePending(data) + + case TypeRevenueWithdrawalStateSucceeded: + return UnmarshalRevenueWithdrawalStateSucceeded(data) + + case TypeRevenueWithdrawalStateFailed: + return UnmarshalRevenueWithdrawalStateFailed(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfRevenueWithdrawalState(dataList []json.RawMessage) ([]RevenueWithdrawalState, error) { + list := []RevenueWithdrawalState{} + + for _, data := range dataList { + entity, err := UnmarshalRevenueWithdrawalState(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil +} + +func UnmarshalChatRevenueTransactionType(data json.RawMessage) (ChatRevenueTransactionType, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypeChatRevenueTransactionTypeUnsupported: + return UnmarshalChatRevenueTransactionTypeUnsupported(data) + + case TypeChatRevenueTransactionTypeSponsoredMessageEarnings: + return UnmarshalChatRevenueTransactionTypeSponsoredMessageEarnings(data) + + case TypeChatRevenueTransactionTypeSuggestedPostEarnings: + return UnmarshalChatRevenueTransactionTypeSuggestedPostEarnings(data) + + case TypeChatRevenueTransactionTypeFragmentWithdrawal: + return UnmarshalChatRevenueTransactionTypeFragmentWithdrawal(data) + + case TypeChatRevenueTransactionTypeFragmentRefund: + return UnmarshalChatRevenueTransactionTypeFragmentRefund(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfChatRevenueTransactionType(dataList []json.RawMessage) ([]ChatRevenueTransactionType, error) { + list := []ChatRevenueTransactionType{} + + for _, data := range dataList { + entity, err := UnmarshalChatRevenueTransactionType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil } func UnmarshalVectorPathCommand(data json.RawMessage) (VectorPathCommand, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeVectorPathCommandLine: - return UnmarshalVectorPathCommandLine(data) + switch meta.Type { + case TypeVectorPathCommandLine: + return UnmarshalVectorPathCommandLine(data) - case TypeVectorPathCommandCubicBezierCurve: - return UnmarshalVectorPathCommandCubicBezierCurve(data) + case TypeVectorPathCommandCubicBezierCurve: + return UnmarshalVectorPathCommandCubicBezierCurve(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfVectorPathCommand(dataList []json.RawMessage) ([]VectorPathCommand, error) { - list := []VectorPathCommand{} + list := []VectorPathCommand{} - for _, data := range dataList { - entity, err := UnmarshalVectorPathCommand(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalVectorPathCommand(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalBotCommandScope(data json.RawMessage) (BotCommandScope, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeBotCommandScopeDefault: - return UnmarshalBotCommandScopeDefault(data) + switch meta.Type { + case TypeBotCommandScopeDefault: + return UnmarshalBotCommandScopeDefault(data) - case TypeBotCommandScopeAllPrivateChats: - return UnmarshalBotCommandScopeAllPrivateChats(data) + case TypeBotCommandScopeAllPrivateChats: + return UnmarshalBotCommandScopeAllPrivateChats(data) - case TypeBotCommandScopeAllGroupChats: - return UnmarshalBotCommandScopeAllGroupChats(data) + case TypeBotCommandScopeAllGroupChats: + return UnmarshalBotCommandScopeAllGroupChats(data) - case TypeBotCommandScopeAllChatAdministrators: - return UnmarshalBotCommandScopeAllChatAdministrators(data) + case TypeBotCommandScopeAllChatAdministrators: + return UnmarshalBotCommandScopeAllChatAdministrators(data) - case TypeBotCommandScopeChat: - return UnmarshalBotCommandScopeChat(data) + case TypeBotCommandScopeChat: + return UnmarshalBotCommandScopeChat(data) - case TypeBotCommandScopeChatAdministrators: - return UnmarshalBotCommandScopeChatAdministrators(data) + case TypeBotCommandScopeChatAdministrators: + return UnmarshalBotCommandScopeChatAdministrators(data) - case TypeBotCommandScopeChatMember: - return UnmarshalBotCommandScopeChatMember(data) + case TypeBotCommandScopeChatMember: + return UnmarshalBotCommandScopeChatMember(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfBotCommandScope(dataList []json.RawMessage) ([]BotCommandScope, error) { - list := []BotCommandScope{} + list := []BotCommandScope{} - for _, data := range dataList { - entity, err := UnmarshalBotCommandScope(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalBotCommandScope(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil +} + +func UnmarshalPhoneNumberCodeType(data json.RawMessage) (PhoneNumberCodeType, error) { + var meta meta + + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } + + switch meta.Type { + case TypePhoneNumberCodeTypeChange: + return UnmarshalPhoneNumberCodeTypeChange(data) + + case TypePhoneNumberCodeTypeVerify: + return UnmarshalPhoneNumberCodeTypeVerify(data) + + case TypePhoneNumberCodeTypeConfirmOwnership: + return UnmarshalPhoneNumberCodeTypeConfirmOwnership(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } +} + +func UnmarshalListOfPhoneNumberCodeType(dataList []json.RawMessage) ([]PhoneNumberCodeType, error) { + list := []PhoneNumberCodeType{} + + for _, data := range dataList { + entity, err := UnmarshalPhoneNumberCodeType(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } + + return list, nil } func UnmarshalUpdate(data json.RawMessage) (Update, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeUpdateAuthorizationState: - return UnmarshalUpdateAuthorizationState(data) + switch meta.Type { + case TypeUpdateAuthorizationState: + return UnmarshalUpdateAuthorizationState(data) - case TypeUpdateNewMessage: - return UnmarshalUpdateNewMessage(data) + case TypeUpdateNewMessage: + return UnmarshalUpdateNewMessage(data) - case TypeUpdateMessageSendAcknowledged: - return UnmarshalUpdateMessageSendAcknowledged(data) + case TypeUpdateMessageSendAcknowledged: + return UnmarshalUpdateMessageSendAcknowledged(data) - case TypeUpdateMessageSendSucceeded: - return UnmarshalUpdateMessageSendSucceeded(data) + case TypeUpdateMessageSendSucceeded: + return UnmarshalUpdateMessageSendSucceeded(data) - case TypeUpdateMessageSendFailed: - return UnmarshalUpdateMessageSendFailed(data) + case TypeUpdateMessageSendFailed: + return UnmarshalUpdateMessageSendFailed(data) - case TypeUpdateMessageContent: - return UnmarshalUpdateMessageContent(data) + case TypeUpdateMessageContent: + return UnmarshalUpdateMessageContent(data) - case TypeUpdateMessageEdited: - return UnmarshalUpdateMessageEdited(data) + case TypeUpdateMessageEdited: + return UnmarshalUpdateMessageEdited(data) - case TypeUpdateMessageIsPinned: - return UnmarshalUpdateMessageIsPinned(data) + case TypeUpdateMessageIsPinned: + return UnmarshalUpdateMessageIsPinned(data) - case TypeUpdateMessageInteractionInfo: - return UnmarshalUpdateMessageInteractionInfo(data) + case TypeUpdateMessageInteractionInfo: + return UnmarshalUpdateMessageInteractionInfo(data) - case TypeUpdateMessageContentOpened: - return UnmarshalUpdateMessageContentOpened(data) + case TypeUpdateMessageContentOpened: + return UnmarshalUpdateMessageContentOpened(data) - case TypeUpdateMessageMentionRead: - return UnmarshalUpdateMessageMentionRead(data) + case TypeUpdateMessageMentionRead: + return UnmarshalUpdateMessageMentionRead(data) - case TypeUpdateMessageUnreadReactions: - return UnmarshalUpdateMessageUnreadReactions(data) + case TypeUpdateMessageUnreadReactions: + return UnmarshalUpdateMessageUnreadReactions(data) - case TypeUpdateMessageLiveLocationViewed: - return UnmarshalUpdateMessageLiveLocationViewed(data) + case TypeUpdateMessageFactCheck: + return UnmarshalUpdateMessageFactCheck(data) - case TypeUpdateNewChat: - return UnmarshalUpdateNewChat(data) + case TypeUpdateMessageSuggestedPostInfo: + return UnmarshalUpdateMessageSuggestedPostInfo(data) - case TypeUpdateChatTitle: - return UnmarshalUpdateChatTitle(data) + case TypeUpdateMessageLiveLocationViewed: + return UnmarshalUpdateMessageLiveLocationViewed(data) - case TypeUpdateChatPhoto: - return UnmarshalUpdateChatPhoto(data) + case TypeUpdateVideoPublished: + return UnmarshalUpdateVideoPublished(data) - case TypeUpdateChatPermissions: - return UnmarshalUpdateChatPermissions(data) + case TypeUpdateNewChat: + return UnmarshalUpdateNewChat(data) - case TypeUpdateChatLastMessage: - return UnmarshalUpdateChatLastMessage(data) + case TypeUpdateChatTitle: + return UnmarshalUpdateChatTitle(data) - case TypeUpdateChatPosition: - return UnmarshalUpdateChatPosition(data) + case TypeUpdateChatPhoto: + return UnmarshalUpdateChatPhoto(data) - case TypeUpdateChatReadInbox: - return UnmarshalUpdateChatReadInbox(data) + case TypeUpdateChatAccentColors: + return UnmarshalUpdateChatAccentColors(data) - case TypeUpdateChatReadOutbox: - return UnmarshalUpdateChatReadOutbox(data) + case TypeUpdateChatPermissions: + return UnmarshalUpdateChatPermissions(data) - case TypeUpdateChatActionBar: - return UnmarshalUpdateChatActionBar(data) + case TypeUpdateChatLastMessage: + return UnmarshalUpdateChatLastMessage(data) - case TypeUpdateChatAvailableReactions: - return UnmarshalUpdateChatAvailableReactions(data) + case TypeUpdateChatPosition: + return UnmarshalUpdateChatPosition(data) - case TypeUpdateChatDraftMessage: - return UnmarshalUpdateChatDraftMessage(data) + case TypeUpdateChatAddedToList: + return UnmarshalUpdateChatAddedToList(data) - case TypeUpdateChatMessageSender: - return UnmarshalUpdateChatMessageSender(data) + case TypeUpdateChatRemovedFromList: + return UnmarshalUpdateChatRemovedFromList(data) - case TypeUpdateChatMessageAutoDeleteTime: - return UnmarshalUpdateChatMessageAutoDeleteTime(data) + case TypeUpdateChatReadInbox: + return UnmarshalUpdateChatReadInbox(data) - case TypeUpdateChatNotificationSettings: - return UnmarshalUpdateChatNotificationSettings(data) + case TypeUpdateChatReadOutbox: + return UnmarshalUpdateChatReadOutbox(data) - case TypeUpdateChatPendingJoinRequests: - return UnmarshalUpdateChatPendingJoinRequests(data) + case TypeUpdateChatActionBar: + return UnmarshalUpdateChatActionBar(data) - case TypeUpdateChatReplyMarkup: - return UnmarshalUpdateChatReplyMarkup(data) + case TypeUpdateChatBusinessBotManageBar: + return UnmarshalUpdateChatBusinessBotManageBar(data) - case TypeUpdateChatTheme: - return UnmarshalUpdateChatTheme(data) + case TypeUpdateChatAvailableReactions: + return UnmarshalUpdateChatAvailableReactions(data) - case TypeUpdateChatUnreadMentionCount: - return UnmarshalUpdateChatUnreadMentionCount(data) + case TypeUpdateChatDraftMessage: + return UnmarshalUpdateChatDraftMessage(data) - case TypeUpdateChatUnreadReactionCount: - return UnmarshalUpdateChatUnreadReactionCount(data) + case TypeUpdateChatEmojiStatus: + return UnmarshalUpdateChatEmojiStatus(data) - case TypeUpdateChatVideoChat: - return UnmarshalUpdateChatVideoChat(data) + case TypeUpdateChatMessageSender: + return UnmarshalUpdateChatMessageSender(data) - case TypeUpdateChatDefaultDisableNotification: - return UnmarshalUpdateChatDefaultDisableNotification(data) + case TypeUpdateChatMessageAutoDeleteTime: + return UnmarshalUpdateChatMessageAutoDeleteTime(data) - case TypeUpdateChatHasProtectedContent: - return UnmarshalUpdateChatHasProtectedContent(data) + case TypeUpdateChatNotificationSettings: + return UnmarshalUpdateChatNotificationSettings(data) - case TypeUpdateChatIsTranslatable: - return UnmarshalUpdateChatIsTranslatable(data) + case TypeUpdateChatPendingJoinRequests: + return UnmarshalUpdateChatPendingJoinRequests(data) - case TypeUpdateChatIsMarkedAsUnread: - return UnmarshalUpdateChatIsMarkedAsUnread(data) + case TypeUpdateChatReplyMarkup: + return UnmarshalUpdateChatReplyMarkup(data) - case TypeUpdateChatIsBlocked: - return UnmarshalUpdateChatIsBlocked(data) + case TypeUpdateChatBackground: + return UnmarshalUpdateChatBackground(data) - case TypeUpdateChatHasScheduledMessages: - return UnmarshalUpdateChatHasScheduledMessages(data) + case TypeUpdateChatTheme: + return UnmarshalUpdateChatTheme(data) - case TypeUpdateChatFilters: - return UnmarshalUpdateChatFilters(data) + case TypeUpdateChatUnreadMentionCount: + return UnmarshalUpdateChatUnreadMentionCount(data) - case TypeUpdateChatOnlineMemberCount: - return UnmarshalUpdateChatOnlineMemberCount(data) + case TypeUpdateChatUnreadReactionCount: + return UnmarshalUpdateChatUnreadReactionCount(data) - case TypeUpdateForumTopicInfo: - return UnmarshalUpdateForumTopicInfo(data) + case TypeUpdateChatVideoChat: + return UnmarshalUpdateChatVideoChat(data) - case TypeUpdateScopeNotificationSettings: - return UnmarshalUpdateScopeNotificationSettings(data) + case TypeUpdateChatDefaultDisableNotification: + return UnmarshalUpdateChatDefaultDisableNotification(data) - case TypeUpdateNotification: - return UnmarshalUpdateNotification(data) + case TypeUpdateChatHasProtectedContent: + return UnmarshalUpdateChatHasProtectedContent(data) - case TypeUpdateNotificationGroup: - return UnmarshalUpdateNotificationGroup(data) + case TypeUpdateChatIsTranslatable: + return UnmarshalUpdateChatIsTranslatable(data) - case TypeUpdateActiveNotifications: - return UnmarshalUpdateActiveNotifications(data) + case TypeUpdateChatIsMarkedAsUnread: + return UnmarshalUpdateChatIsMarkedAsUnread(data) - case TypeUpdateHavePendingNotifications: - return UnmarshalUpdateHavePendingNotifications(data) + case TypeUpdateChatViewAsTopics: + return UnmarshalUpdateChatViewAsTopics(data) - case TypeUpdateDeleteMessages: - return UnmarshalUpdateDeleteMessages(data) + case TypeUpdateChatBlockList: + return UnmarshalUpdateChatBlockList(data) - case TypeUpdateChatAction: - return UnmarshalUpdateChatAction(data) + case TypeUpdateChatHasScheduledMessages: + return UnmarshalUpdateChatHasScheduledMessages(data) - case TypeUpdateUserStatus: - return UnmarshalUpdateUserStatus(data) + case TypeUpdateChatFolders: + return UnmarshalUpdateChatFolders(data) - case TypeUpdateUser: - return UnmarshalUpdateUser(data) + case TypeUpdateChatOnlineMemberCount: + return UnmarshalUpdateChatOnlineMemberCount(data) - case TypeUpdateBasicGroup: - return UnmarshalUpdateBasicGroup(data) + case TypeUpdateSavedMessagesTopic: + return UnmarshalUpdateSavedMessagesTopic(data) - case TypeUpdateSupergroup: - return UnmarshalUpdateSupergroup(data) + case TypeUpdateSavedMessagesTopicCount: + return UnmarshalUpdateSavedMessagesTopicCount(data) - case TypeUpdateSecretChat: - return UnmarshalUpdateSecretChat(data) + case TypeUpdateDirectMessagesChatTopic: + return UnmarshalUpdateDirectMessagesChatTopic(data) - case TypeUpdateUserFullInfo: - return UnmarshalUpdateUserFullInfo(data) + case TypeUpdateTopicMessageCount: + return UnmarshalUpdateTopicMessageCount(data) - case TypeUpdateBasicGroupFullInfo: - return UnmarshalUpdateBasicGroupFullInfo(data) + case TypeUpdateQuickReplyShortcut: + return UnmarshalUpdateQuickReplyShortcut(data) - case TypeUpdateSupergroupFullInfo: - return UnmarshalUpdateSupergroupFullInfo(data) + case TypeUpdateQuickReplyShortcutDeleted: + return UnmarshalUpdateQuickReplyShortcutDeleted(data) - case TypeUpdateServiceNotification: - return UnmarshalUpdateServiceNotification(data) + case TypeUpdateQuickReplyShortcuts: + return UnmarshalUpdateQuickReplyShortcuts(data) - case TypeUpdateFile: - return UnmarshalUpdateFile(data) + case TypeUpdateQuickReplyShortcutMessages: + return UnmarshalUpdateQuickReplyShortcutMessages(data) - case TypeUpdateFileGenerationStart: - return UnmarshalUpdateFileGenerationStart(data) + case TypeUpdateForumTopicInfo: + return UnmarshalUpdateForumTopicInfo(data) - case TypeUpdateFileGenerationStop: - return UnmarshalUpdateFileGenerationStop(data) + case TypeUpdateForumTopic: + return UnmarshalUpdateForumTopic(data) - case TypeUpdateFileDownloads: - return UnmarshalUpdateFileDownloads(data) + case TypeUpdateScopeNotificationSettings: + return UnmarshalUpdateScopeNotificationSettings(data) - case TypeUpdateFileAddedToDownloads: - return UnmarshalUpdateFileAddedToDownloads(data) + case TypeUpdateReactionNotificationSettings: + return UnmarshalUpdateReactionNotificationSettings(data) - case TypeUpdateFileDownload: - return UnmarshalUpdateFileDownload(data) + case TypeUpdateNotification: + return UnmarshalUpdateNotification(data) - case TypeUpdateFileRemovedFromDownloads: - return UnmarshalUpdateFileRemovedFromDownloads(data) + case TypeUpdateNotificationGroup: + return UnmarshalUpdateNotificationGroup(data) - case TypeUpdateCall: - return UnmarshalUpdateCall(data) + case TypeUpdateActiveNotifications: + return UnmarshalUpdateActiveNotifications(data) - case TypeUpdateGroupCall: - return UnmarshalUpdateGroupCall(data) + case TypeUpdateHavePendingNotifications: + return UnmarshalUpdateHavePendingNotifications(data) - case TypeUpdateGroupCallParticipant: - return UnmarshalUpdateGroupCallParticipant(data) + case TypeUpdateDeleteMessages: + return UnmarshalUpdateDeleteMessages(data) - case TypeUpdateNewCallSignalingData: - return UnmarshalUpdateNewCallSignalingData(data) + case TypeUpdateChatAction: + return UnmarshalUpdateChatAction(data) - case TypeUpdateUserPrivacySettingRules: - return UnmarshalUpdateUserPrivacySettingRules(data) + case TypeUpdatePendingTextMessage: + return UnmarshalUpdatePendingTextMessage(data) - case TypeUpdateUnreadMessageCount: - return UnmarshalUpdateUnreadMessageCount(data) + case TypeUpdateUserStatus: + return UnmarshalUpdateUserStatus(data) - case TypeUpdateUnreadChatCount: - return UnmarshalUpdateUnreadChatCount(data) + case TypeUpdateUser: + return UnmarshalUpdateUser(data) - case TypeUpdateOption: - return UnmarshalUpdateOption(data) + case TypeUpdateBasicGroup: + return UnmarshalUpdateBasicGroup(data) - case TypeUpdateStickerSet: - return UnmarshalUpdateStickerSet(data) + case TypeUpdateSupergroup: + return UnmarshalUpdateSupergroup(data) - case TypeUpdateInstalledStickerSets: - return UnmarshalUpdateInstalledStickerSets(data) + case TypeUpdateSecretChat: + return UnmarshalUpdateSecretChat(data) - case TypeUpdateTrendingStickerSets: - return UnmarshalUpdateTrendingStickerSets(data) + case TypeUpdateUserFullInfo: + return UnmarshalUpdateUserFullInfo(data) - case TypeUpdateRecentStickers: - return UnmarshalUpdateRecentStickers(data) + case TypeUpdateBasicGroupFullInfo: + return UnmarshalUpdateBasicGroupFullInfo(data) - case TypeUpdateFavoriteStickers: - return UnmarshalUpdateFavoriteStickers(data) + case TypeUpdateSupergroupFullInfo: + return UnmarshalUpdateSupergroupFullInfo(data) - case TypeUpdateSavedAnimations: - return UnmarshalUpdateSavedAnimations(data) + case TypeUpdateServiceNotification: + return UnmarshalUpdateServiceNotification(data) - case TypeUpdateSavedNotificationSounds: - return UnmarshalUpdateSavedNotificationSounds(data) + case TypeUpdateFile: + return UnmarshalUpdateFile(data) - case TypeUpdateSelectedBackground: - return UnmarshalUpdateSelectedBackground(data) + case TypeUpdateFileGenerationStart: + return UnmarshalUpdateFileGenerationStart(data) - case TypeUpdateChatThemes: - return UnmarshalUpdateChatThemes(data) + case TypeUpdateFileGenerationStop: + return UnmarshalUpdateFileGenerationStop(data) - case TypeUpdateLanguagePackStrings: - return UnmarshalUpdateLanguagePackStrings(data) + case TypeUpdateFileDownloads: + return UnmarshalUpdateFileDownloads(data) - case TypeUpdateConnectionState: - return UnmarshalUpdateConnectionState(data) + case TypeUpdateFileAddedToDownloads: + return UnmarshalUpdateFileAddedToDownloads(data) - case TypeUpdateTermsOfService: - return UnmarshalUpdateTermsOfService(data) + case TypeUpdateFileDownload: + return UnmarshalUpdateFileDownload(data) - case TypeUpdateUsersNearby: - return UnmarshalUpdateUsersNearby(data) + case TypeUpdateFileRemovedFromDownloads: + return UnmarshalUpdateFileRemovedFromDownloads(data) - case TypeUpdateAttachmentMenuBots: - return UnmarshalUpdateAttachmentMenuBots(data) + case TypeUpdateApplicationVerificationRequired: + return UnmarshalUpdateApplicationVerificationRequired(data) - case TypeUpdateWebAppMessageSent: - return UnmarshalUpdateWebAppMessageSent(data) + case TypeUpdateApplicationRecaptchaVerificationRequired: + return UnmarshalUpdateApplicationRecaptchaVerificationRequired(data) - case TypeUpdateActiveEmojiReactions: - return UnmarshalUpdateActiveEmojiReactions(data) + case TypeUpdateCall: + return UnmarshalUpdateCall(data) - case TypeUpdateDefaultReactionType: - return UnmarshalUpdateDefaultReactionType(data) + case TypeUpdateGroupCall: + return UnmarshalUpdateGroupCall(data) - case TypeUpdateDiceEmojis: - return UnmarshalUpdateDiceEmojis(data) + case TypeUpdateGroupCallParticipant: + return UnmarshalUpdateGroupCallParticipant(data) - case TypeUpdateAnimatedEmojiMessageClicked: - return UnmarshalUpdateAnimatedEmojiMessageClicked(data) + case TypeUpdateGroupCallParticipants: + return UnmarshalUpdateGroupCallParticipants(data) - case TypeUpdateAnimationSearchParameters: - return UnmarshalUpdateAnimationSearchParameters(data) + case TypeUpdateGroupCallVerificationState: + return UnmarshalUpdateGroupCallVerificationState(data) - case TypeUpdateSuggestedActions: - return UnmarshalUpdateSuggestedActions(data) + case TypeUpdateNewGroupCallMessage: + return UnmarshalUpdateNewGroupCallMessage(data) - case TypeUpdateAddChatMembersPrivacyForbidden: - return UnmarshalUpdateAddChatMembersPrivacyForbidden(data) + case TypeUpdateNewGroupCallPaidReaction: + return UnmarshalUpdateNewGroupCallPaidReaction(data) - case TypeUpdateAutosaveSettings: - return UnmarshalUpdateAutosaveSettings(data) + case TypeUpdateGroupCallMessageSendFailed: + return UnmarshalUpdateGroupCallMessageSendFailed(data) - case TypeUpdateNewInlineQuery: - return UnmarshalUpdateNewInlineQuery(data) + case TypeUpdateGroupCallMessagesDeleted: + return UnmarshalUpdateGroupCallMessagesDeleted(data) - case TypeUpdateNewChosenInlineResult: - return UnmarshalUpdateNewChosenInlineResult(data) + case TypeUpdateLiveStoryTopDonors: + return UnmarshalUpdateLiveStoryTopDonors(data) - case TypeUpdateNewCallbackQuery: - return UnmarshalUpdateNewCallbackQuery(data) + case TypeUpdateNewCallSignalingData: + return UnmarshalUpdateNewCallSignalingData(data) - case TypeUpdateNewInlineCallbackQuery: - return UnmarshalUpdateNewInlineCallbackQuery(data) + case TypeUpdateGiftAuctionState: + return UnmarshalUpdateGiftAuctionState(data) - case TypeUpdateNewShippingQuery: - return UnmarshalUpdateNewShippingQuery(data) + case TypeUpdateActiveGiftAuctions: + return UnmarshalUpdateActiveGiftAuctions(data) - case TypeUpdateNewPreCheckoutQuery: - return UnmarshalUpdateNewPreCheckoutQuery(data) + case TypeUpdateUserPrivacySettingRules: + return UnmarshalUpdateUserPrivacySettingRules(data) - case TypeUpdateNewCustomEvent: - return UnmarshalUpdateNewCustomEvent(data) + case TypeUpdateUnreadMessageCount: + return UnmarshalUpdateUnreadMessageCount(data) - case TypeUpdateNewCustomQuery: - return UnmarshalUpdateNewCustomQuery(data) + case TypeUpdateUnreadChatCount: + return UnmarshalUpdateUnreadChatCount(data) - case TypeUpdatePoll: - return UnmarshalUpdatePoll(data) + case TypeUpdateStory: + return UnmarshalUpdateStory(data) - case TypeUpdatePollAnswer: - return UnmarshalUpdatePollAnswer(data) + case TypeUpdateStoryDeleted: + return UnmarshalUpdateStoryDeleted(data) - case TypeUpdateChatMember: - return UnmarshalUpdateChatMember(data) + case TypeUpdateStoryPostSucceeded: + return UnmarshalUpdateStoryPostSucceeded(data) - case TypeUpdateNewChatJoinRequest: - return UnmarshalUpdateNewChatJoinRequest(data) + case TypeUpdateStoryPostFailed: + return UnmarshalUpdateStoryPostFailed(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + case TypeUpdateChatActiveStories: + return UnmarshalUpdateChatActiveStories(data) + + case TypeUpdateStoryListChatCount: + return UnmarshalUpdateStoryListChatCount(data) + + case TypeUpdateStoryStealthMode: + return UnmarshalUpdateStoryStealthMode(data) + + case TypeUpdateTrustedMiniAppBots: + return UnmarshalUpdateTrustedMiniAppBots(data) + + case TypeUpdateOption: + return UnmarshalUpdateOption(data) + + case TypeUpdateStickerSet: + return UnmarshalUpdateStickerSet(data) + + case TypeUpdateInstalledStickerSets: + return UnmarshalUpdateInstalledStickerSets(data) + + case TypeUpdateTrendingStickerSets: + return UnmarshalUpdateTrendingStickerSets(data) + + case TypeUpdateRecentStickers: + return UnmarshalUpdateRecentStickers(data) + + case TypeUpdateFavoriteStickers: + return UnmarshalUpdateFavoriteStickers(data) + + case TypeUpdateSavedAnimations: + return UnmarshalUpdateSavedAnimations(data) + + case TypeUpdateSavedNotificationSounds: + return UnmarshalUpdateSavedNotificationSounds(data) + + case TypeUpdateDefaultBackground: + return UnmarshalUpdateDefaultBackground(data) + + case TypeUpdateEmojiChatThemes: + return UnmarshalUpdateEmojiChatThemes(data) + + case TypeUpdateAccentColors: + return UnmarshalUpdateAccentColors(data) + + case TypeUpdateProfileAccentColors: + return UnmarshalUpdateProfileAccentColors(data) + + case TypeUpdateLanguagePackStrings: + return UnmarshalUpdateLanguagePackStrings(data) + + case TypeUpdateConnectionState: + return UnmarshalUpdateConnectionState(data) + + case TypeUpdateFreezeState: + return UnmarshalUpdateFreezeState(data) + + case TypeUpdateAgeVerificationParameters: + return UnmarshalUpdateAgeVerificationParameters(data) + + case TypeUpdateTermsOfService: + return UnmarshalUpdateTermsOfService(data) + + case TypeUpdateUnconfirmedSession: + return UnmarshalUpdateUnconfirmedSession(data) + + case TypeUpdateAttachmentMenuBots: + return UnmarshalUpdateAttachmentMenuBots(data) + + case TypeUpdateWebAppMessageSent: + return UnmarshalUpdateWebAppMessageSent(data) + + case TypeUpdateActiveEmojiReactions: + return UnmarshalUpdateActiveEmojiReactions(data) + + case TypeUpdateAvailableMessageEffects: + return UnmarshalUpdateAvailableMessageEffects(data) + + case TypeUpdateDefaultReactionType: + return UnmarshalUpdateDefaultReactionType(data) + + case TypeUpdateDefaultPaidReactionType: + return UnmarshalUpdateDefaultPaidReactionType(data) + + case TypeUpdateSavedMessagesTags: + return UnmarshalUpdateSavedMessagesTags(data) + + case TypeUpdateActiveLiveLocationMessages: + return UnmarshalUpdateActiveLiveLocationMessages(data) + + case TypeUpdateOwnedStarCount: + return UnmarshalUpdateOwnedStarCount(data) + + case TypeUpdateOwnedTonCount: + return UnmarshalUpdateOwnedTonCount(data) + + case TypeUpdateChatRevenueAmount: + return UnmarshalUpdateChatRevenueAmount(data) + + case TypeUpdateStarRevenueStatus: + return UnmarshalUpdateStarRevenueStatus(data) + + case TypeUpdateTonRevenueStatus: + return UnmarshalUpdateTonRevenueStatus(data) + + case TypeUpdateSpeechRecognitionTrial: + return UnmarshalUpdateSpeechRecognitionTrial(data) + + case TypeUpdateGroupCallMessageLevels: + return UnmarshalUpdateGroupCallMessageLevels(data) + + case TypeUpdateDiceEmojis: + return UnmarshalUpdateDiceEmojis(data) + + case TypeUpdateStakeDiceState: + return UnmarshalUpdateStakeDiceState(data) + + case TypeUpdateAnimatedEmojiMessageClicked: + return UnmarshalUpdateAnimatedEmojiMessageClicked(data) + + case TypeUpdateAnimationSearchParameters: + return UnmarshalUpdateAnimationSearchParameters(data) + + case TypeUpdateSuggestedActions: + return UnmarshalUpdateSuggestedActions(data) + + case TypeUpdateSpeedLimitNotification: + return UnmarshalUpdateSpeedLimitNotification(data) + + case TypeUpdateContactCloseBirthdays: + return UnmarshalUpdateContactCloseBirthdays(data) + + case TypeUpdateAutosaveSettings: + return UnmarshalUpdateAutosaveSettings(data) + + case TypeUpdateBusinessConnection: + return UnmarshalUpdateBusinessConnection(data) + + case TypeUpdateNewBusinessMessage: + return UnmarshalUpdateNewBusinessMessage(data) + + case TypeUpdateBusinessMessageEdited: + return UnmarshalUpdateBusinessMessageEdited(data) + + case TypeUpdateBusinessMessagesDeleted: + return UnmarshalUpdateBusinessMessagesDeleted(data) + + case TypeUpdateNewInlineQuery: + return UnmarshalUpdateNewInlineQuery(data) + + case TypeUpdateNewChosenInlineResult: + return UnmarshalUpdateNewChosenInlineResult(data) + + case TypeUpdateNewCallbackQuery: + return UnmarshalUpdateNewCallbackQuery(data) + + case TypeUpdateNewInlineCallbackQuery: + return UnmarshalUpdateNewInlineCallbackQuery(data) + + case TypeUpdateNewBusinessCallbackQuery: + return UnmarshalUpdateNewBusinessCallbackQuery(data) + + case TypeUpdateNewShippingQuery: + return UnmarshalUpdateNewShippingQuery(data) + + case TypeUpdateNewPreCheckoutQuery: + return UnmarshalUpdateNewPreCheckoutQuery(data) + + case TypeUpdateNewCustomEvent: + return UnmarshalUpdateNewCustomEvent(data) + + case TypeUpdateNewCustomQuery: + return UnmarshalUpdateNewCustomQuery(data) + + case TypeUpdatePoll: + return UnmarshalUpdatePoll(data) + + case TypeUpdatePollAnswer: + return UnmarshalUpdatePollAnswer(data) + + case TypeUpdateChatMember: + return UnmarshalUpdateChatMember(data) + + case TypeUpdateNewChatJoinRequest: + return UnmarshalUpdateNewChatJoinRequest(data) + + case TypeUpdateChatBoost: + return UnmarshalUpdateChatBoost(data) + + case TypeUpdateMessageReaction: + return UnmarshalUpdateMessageReaction(data) + + case TypeUpdateMessageReactions: + return UnmarshalUpdateMessageReactions(data) + + case TypeUpdatePaidMediaPurchased: + return UnmarshalUpdatePaidMediaPurchased(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfUpdate(dataList []json.RawMessage) ([]Update, error) { - list := []Update{} + list := []Update{} - for _, data := range dataList { - entity, err := UnmarshalUpdate(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalUpdate(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalLogStream(data json.RawMessage) (LogStream, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeLogStreamDefault: - return UnmarshalLogStreamDefault(data) + switch meta.Type { + case TypeLogStreamDefault: + return UnmarshalLogStreamDefault(data) - case TypeLogStreamFile: - return UnmarshalLogStreamFile(data) + case TypeLogStreamFile: + return UnmarshalLogStreamFile(data) - case TypeLogStreamEmpty: - return UnmarshalLogStreamEmpty(data) + case TypeLogStreamEmpty: + return UnmarshalLogStreamEmpty(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } func UnmarshalListOfLogStream(dataList []json.RawMessage) ([]LogStream, error) { - list := []LogStream{} + list := []LogStream{} - for _, data := range dataList { - entity, err := UnmarshalLogStream(data) - if err != nil { - return nil, err - } - list = append(list, entity) - } + for _, data := range dataList { + entity, err := UnmarshalLogStream(data) + if err != nil { + return nil, err + } + list = append(list, entity) + } - return list, nil + return list, nil } func UnmarshalError(data json.RawMessage) (*Error, error) { - var resp Error + var resp Error - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalOk(data json.RawMessage) (*Ok, error) { - var resp Ok + var resp Ok - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalAuthenticationCodeTypeTelegramMessage(data json.RawMessage) (*AuthenticationCodeTypeTelegramMessage, error) { - var resp AuthenticationCodeTypeTelegramMessage + var resp AuthenticationCodeTypeTelegramMessage - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalAuthenticationCodeTypeSms(data json.RawMessage) (*AuthenticationCodeTypeSms, error) { - var resp AuthenticationCodeTypeSms + var resp AuthenticationCodeTypeSms - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err +} + +func UnmarshalAuthenticationCodeTypeSmsWord(data json.RawMessage) (*AuthenticationCodeTypeSmsWord, error) { + var resp AuthenticationCodeTypeSmsWord + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalAuthenticationCodeTypeSmsPhrase(data json.RawMessage) (*AuthenticationCodeTypeSmsPhrase, error) { + var resp AuthenticationCodeTypeSmsPhrase + + err := json.Unmarshal(data, &resp) + + return &resp, err } func UnmarshalAuthenticationCodeTypeCall(data json.RawMessage) (*AuthenticationCodeTypeCall, error) { - var resp AuthenticationCodeTypeCall + var resp AuthenticationCodeTypeCall - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalAuthenticationCodeTypeFlashCall(data json.RawMessage) (*AuthenticationCodeTypeFlashCall, error) { - var resp AuthenticationCodeTypeFlashCall + var resp AuthenticationCodeTypeFlashCall - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalAuthenticationCodeTypeMissedCall(data json.RawMessage) (*AuthenticationCodeTypeMissedCall, error) { - var resp AuthenticationCodeTypeMissedCall + var resp AuthenticationCodeTypeMissedCall - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalAuthenticationCodeTypeFragment(data json.RawMessage) (*AuthenticationCodeTypeFragment, error) { - var resp AuthenticationCodeTypeFragment + var resp AuthenticationCodeTypeFragment - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalAuthenticationCodeTypeFirebaseAndroid(data json.RawMessage) (*AuthenticationCodeTypeFirebaseAndroid, error) { - var resp AuthenticationCodeTypeFirebaseAndroid + var resp AuthenticationCodeTypeFirebaseAndroid - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalAuthenticationCodeTypeFirebaseIos(data json.RawMessage) (*AuthenticationCodeTypeFirebaseIos, error) { - var resp AuthenticationCodeTypeFirebaseIos + var resp AuthenticationCodeTypeFirebaseIos - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalAuthenticationCodeInfo(data json.RawMessage) (*AuthenticationCodeInfo, error) { - var resp AuthenticationCodeInfo + var resp AuthenticationCodeInfo - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalEmailAddressAuthenticationCodeInfo(data json.RawMessage) (*EmailAddressAuthenticationCodeInfo, error) { - var resp EmailAddressAuthenticationCodeInfo + var resp EmailAddressAuthenticationCodeInfo - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalEmailAddressAuthenticationCode(data json.RawMessage) (*EmailAddressAuthenticationCode, error) { - var resp EmailAddressAuthenticationCode + var resp EmailAddressAuthenticationCode - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalEmailAddressAuthenticationAppleId(data json.RawMessage) (*EmailAddressAuthenticationAppleId, error) { - var resp EmailAddressAuthenticationAppleId + var resp EmailAddressAuthenticationAppleId - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalEmailAddressAuthenticationGoogleId(data json.RawMessage) (*EmailAddressAuthenticationGoogleId, error) { - var resp EmailAddressAuthenticationGoogleId + var resp EmailAddressAuthenticationGoogleId - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err +} + +func UnmarshalEmailAddressResetStateAvailable(data json.RawMessage) (*EmailAddressResetStateAvailable, error) { + var resp EmailAddressResetStateAvailable + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalEmailAddressResetStatePending(data json.RawMessage) (*EmailAddressResetStatePending, error) { + var resp EmailAddressResetStatePending + + err := json.Unmarshal(data, &resp) + + return &resp, err } func UnmarshalTextEntity(data json.RawMessage) (*TextEntity, error) { - var resp TextEntity + var resp TextEntity - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalTextEntities(data json.RawMessage) (*TextEntities, error) { - var resp TextEntities + var resp TextEntities - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalFormattedText(data json.RawMessage) (*FormattedText, error) { - var resp FormattedText + var resp FormattedText - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalTermsOfService(data json.RawMessage) (*TermsOfService, error) { - var resp TermsOfService + var resp TermsOfService - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err +} + +func UnmarshalPasskey(data json.RawMessage) (*Passkey, error) { + var resp Passkey + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPasskeys(data json.RawMessage) (*Passkeys, error) { + var resp Passkeys + + err := json.Unmarshal(data, &resp) + + return &resp, err } func UnmarshalAuthorizationStateWaitTdlibParameters(data json.RawMessage) (*AuthorizationStateWaitTdlibParameters, error) { - var resp AuthorizationStateWaitTdlibParameters + var resp AuthorizationStateWaitTdlibParameters - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalAuthorizationStateWaitPhoneNumber(data json.RawMessage) (*AuthorizationStateWaitPhoneNumber, error) { - var resp AuthorizationStateWaitPhoneNumber + var resp AuthorizationStateWaitPhoneNumber - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err +} + +func UnmarshalAuthorizationStateWaitPremiumPurchase(data json.RawMessage) (*AuthorizationStateWaitPremiumPurchase, error) { + var resp AuthorizationStateWaitPremiumPurchase + + err := json.Unmarshal(data, &resp) + + return &resp, err } func UnmarshalAuthorizationStateWaitEmailAddress(data json.RawMessage) (*AuthorizationStateWaitEmailAddress, error) { - var resp AuthorizationStateWaitEmailAddress + var resp AuthorizationStateWaitEmailAddress - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalAuthorizationStateWaitEmailCode(data json.RawMessage) (*AuthorizationStateWaitEmailCode, error) { - var resp AuthorizationStateWaitEmailCode + var resp AuthorizationStateWaitEmailCode - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalAuthorizationStateWaitCode(data json.RawMessage) (*AuthorizationStateWaitCode, error) { - var resp AuthorizationStateWaitCode + var resp AuthorizationStateWaitCode - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalAuthorizationStateWaitOtherDeviceConfirmation(data json.RawMessage) (*AuthorizationStateWaitOtherDeviceConfirmation, error) { - var resp AuthorizationStateWaitOtherDeviceConfirmation + var resp AuthorizationStateWaitOtherDeviceConfirmation - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalAuthorizationStateWaitRegistration(data json.RawMessage) (*AuthorizationStateWaitRegistration, error) { - var resp AuthorizationStateWaitRegistration + var resp AuthorizationStateWaitRegistration - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalAuthorizationStateWaitPassword(data json.RawMessage) (*AuthorizationStateWaitPassword, error) { - var resp AuthorizationStateWaitPassword + var resp AuthorizationStateWaitPassword - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalAuthorizationStateReady(data json.RawMessage) (*AuthorizationStateReady, error) { - var resp AuthorizationStateReady + var resp AuthorizationStateReady - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalAuthorizationStateLoggingOut(data json.RawMessage) (*AuthorizationStateLoggingOut, error) { - var resp AuthorizationStateLoggingOut + var resp AuthorizationStateLoggingOut - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalAuthorizationStateClosing(data json.RawMessage) (*AuthorizationStateClosing, error) { - var resp AuthorizationStateClosing + var resp AuthorizationStateClosing - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalAuthorizationStateClosed(data json.RawMessage) (*AuthorizationStateClosed, error) { - var resp AuthorizationStateClosed + var resp AuthorizationStateClosed - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err +} + +func UnmarshalFirebaseDeviceVerificationParametersSafetyNet(data json.RawMessage) (*FirebaseDeviceVerificationParametersSafetyNet, error) { + var resp FirebaseDeviceVerificationParametersSafetyNet + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalFirebaseDeviceVerificationParametersPlayIntegrity(data json.RawMessage) (*FirebaseDeviceVerificationParametersPlayIntegrity, error) { + var resp FirebaseDeviceVerificationParametersPlayIntegrity + + err := json.Unmarshal(data, &resp) + + return &resp, err } func UnmarshalPasswordState(data json.RawMessage) (*PasswordState, error) { - var resp PasswordState + var resp PasswordState - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalRecoveryEmailAddress(data json.RawMessage) (*RecoveryEmailAddress, error) { - var resp RecoveryEmailAddress + var resp RecoveryEmailAddress - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalTemporaryPasswordState(data json.RawMessage) (*TemporaryPasswordState, error) { - var resp TemporaryPasswordState + var resp TemporaryPasswordState - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalLocalFile(data json.RawMessage) (*LocalFile, error) { - var resp LocalFile + var resp LocalFile - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalRemoteFile(data json.RawMessage) (*RemoteFile, error) { - var resp RemoteFile + var resp RemoteFile - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalFile(data json.RawMessage) (*File, error) { - var resp File + var resp File - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalInputFileId(data json.RawMessage) (*InputFileId, error) { - var resp InputFileId + var resp InputFileId - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalInputFileRemote(data json.RawMessage) (*InputFileRemote, error) { - var resp InputFileRemote + var resp InputFileRemote - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalInputFileLocal(data json.RawMessage) (*InputFileLocal, error) { - var resp InputFileLocal + var resp InputFileLocal - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalInputFileGenerated(data json.RawMessage) (*InputFileGenerated, error) { - var resp InputFileGenerated + var resp InputFileGenerated - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalPhotoSize(data json.RawMessage) (*PhotoSize, error) { - var resp PhotoSize + var resp PhotoSize - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalMinithumbnail(data json.RawMessage) (*Minithumbnail, error) { - var resp Minithumbnail + var resp Minithumbnail - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalThumbnailFormatJpeg(data json.RawMessage) (*ThumbnailFormatJpeg, error) { - var resp ThumbnailFormatJpeg + var resp ThumbnailFormatJpeg - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalThumbnailFormatGif(data json.RawMessage) (*ThumbnailFormatGif, error) { - var resp ThumbnailFormatGif + var resp ThumbnailFormatGif - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalThumbnailFormatMpeg4(data json.RawMessage) (*ThumbnailFormatMpeg4, error) { - var resp ThumbnailFormatMpeg4 + var resp ThumbnailFormatMpeg4 - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalThumbnailFormatPng(data json.RawMessage) (*ThumbnailFormatPng, error) { - var resp ThumbnailFormatPng + var resp ThumbnailFormatPng - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalThumbnailFormatTgs(data json.RawMessage) (*ThumbnailFormatTgs, error) { - var resp ThumbnailFormatTgs + var resp ThumbnailFormatTgs - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalThumbnailFormatWebm(data json.RawMessage) (*ThumbnailFormatWebm, error) { - var resp ThumbnailFormatWebm + var resp ThumbnailFormatWebm - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalThumbnailFormatWebp(data json.RawMessage) (*ThumbnailFormatWebp, error) { - var resp ThumbnailFormatWebp + var resp ThumbnailFormatWebp - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalThumbnail(data json.RawMessage) (*Thumbnail, error) { - var resp Thumbnail + var resp Thumbnail - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalMaskPointForehead(data json.RawMessage) (*MaskPointForehead, error) { - var resp MaskPointForehead + var resp MaskPointForehead - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalMaskPointEyes(data json.RawMessage) (*MaskPointEyes, error) { - var resp MaskPointEyes + var resp MaskPointEyes - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalMaskPointMouth(data json.RawMessage) (*MaskPointMouth, error) { - var resp MaskPointMouth + var resp MaskPointMouth - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalMaskPointChin(data json.RawMessage) (*MaskPointChin, error) { - var resp MaskPointChin + var resp MaskPointChin - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalMaskPosition(data json.RawMessage) (*MaskPosition, error) { - var resp MaskPosition + var resp MaskPosition - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalStickerFormatWebp(data json.RawMessage) (*StickerFormatWebp, error) { - var resp StickerFormatWebp + var resp StickerFormatWebp - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalStickerFormatTgs(data json.RawMessage) (*StickerFormatTgs, error) { - var resp StickerFormatTgs + var resp StickerFormatTgs - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalStickerFormatWebm(data json.RawMessage) (*StickerFormatWebm, error) { - var resp StickerFormatWebm + var resp StickerFormatWebm - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalStickerTypeRegular(data json.RawMessage) (*StickerTypeRegular, error) { - var resp StickerTypeRegular + var resp StickerTypeRegular - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalStickerTypeMask(data json.RawMessage) (*StickerTypeMask, error) { - var resp StickerTypeMask + var resp StickerTypeMask - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalStickerTypeCustomEmoji(data json.RawMessage) (*StickerTypeCustomEmoji, error) { - var resp StickerTypeCustomEmoji + var resp StickerTypeCustomEmoji - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalStickerFullTypeRegular(data json.RawMessage) (*StickerFullTypeRegular, error) { - var resp StickerFullTypeRegular + var resp StickerFullTypeRegular - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalStickerFullTypeMask(data json.RawMessage) (*StickerFullTypeMask, error) { - var resp StickerFullTypeMask + var resp StickerFullTypeMask - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalStickerFullTypeCustomEmoji(data json.RawMessage) (*StickerFullTypeCustomEmoji, error) { - var resp StickerFullTypeCustomEmoji + var resp StickerFullTypeCustomEmoji - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalClosedVectorPath(data json.RawMessage) (*ClosedVectorPath, error) { - var resp ClosedVectorPath + var resp ClosedVectorPath - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err +} + +func UnmarshalOutline(data json.RawMessage) (*Outline, error) { + var resp Outline + + err := json.Unmarshal(data, &resp) + + return &resp, err } func UnmarshalPollOption(data json.RawMessage) (*PollOption, error) { - var resp PollOption + var resp PollOption - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalPollTypeRegular(data json.RawMessage) (*PollTypeRegular, error) { - var resp PollTypeRegular + var resp PollTypeRegular - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalPollTypeQuiz(data json.RawMessage) (*PollTypeQuiz, error) { - var resp PollTypeQuiz + var resp PollTypeQuiz - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err +} + +func UnmarshalChecklistTask(data json.RawMessage) (*ChecklistTask, error) { + var resp ChecklistTask + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputChecklistTask(data json.RawMessage) (*InputChecklistTask, error) { + var resp InputChecklistTask + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChecklist(data json.RawMessage) (*Checklist, error) { + var resp Checklist + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputChecklist(data json.RawMessage) (*InputChecklist, error) { + var resp InputChecklist + + err := json.Unmarshal(data, &resp) + + return &resp, err } func UnmarshalAnimation(data json.RawMessage) (*Animation, error) { - var resp Animation + var resp Animation - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalAudio(data json.RawMessage) (*Audio, error) { - var resp Audio + var resp Audio - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err +} + +func UnmarshalAudios(data json.RawMessage) (*Audios, error) { + var resp Audios + + err := json.Unmarshal(data, &resp) + + return &resp, err } func UnmarshalDocument(data json.RawMessage) (*Document, error) { - var resp Document + var resp Document - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalPhoto(data json.RawMessage) (*Photo, error) { - var resp Photo + var resp Photo - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalSticker(data json.RawMessage) (*Sticker, error) { - var resp Sticker + var resp Sticker - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalVideo(data json.RawMessage) (*Video, error) { - var resp Video + var resp Video - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalVideoNote(data json.RawMessage) (*VideoNote, error) { - var resp VideoNote + var resp VideoNote - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalVoiceNote(data json.RawMessage) (*VoiceNote, error) { - var resp VoiceNote + var resp VoiceNote - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalAnimatedEmoji(data json.RawMessage) (*AnimatedEmoji, error) { - var resp AnimatedEmoji + var resp AnimatedEmoji - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalContact(data json.RawMessage) (*Contact, error) { - var resp Contact + var resp Contact - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalLocation(data json.RawMessage) (*Location, error) { - var resp Location + var resp Location - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalVenue(data json.RawMessage) (*Venue, error) { - var resp Venue + var resp Venue - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalGame(data json.RawMessage) (*Game, error) { - var resp Game + var resp Game - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err +} + +func UnmarshalStakeDiceState(data json.RawMessage) (*StakeDiceState, error) { + var resp StakeDiceState + + err := json.Unmarshal(data, &resp) + + return &resp, err } func UnmarshalWebApp(data json.RawMessage) (*WebApp, error) { - var resp WebApp + var resp WebApp - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalPoll(data json.RawMessage) (*Poll, error) { - var resp Poll + var resp Poll - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalProfilePhoto(data json.RawMessage) (*ProfilePhoto, error) { - var resp ProfilePhoto +func UnmarshalAlternativeVideo(data json.RawMessage) (*AlternativeVideo, error) { + var resp AlternativeVideo - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalChatPhotoInfo(data json.RawMessage) (*ChatPhotoInfo, error) { - var resp ChatPhotoInfo +func UnmarshalVideoStoryboard(data json.RawMessage) (*VideoStoryboard, error) { + var resp VideoStoryboard - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err -} - -func UnmarshalUserTypeRegular(data json.RawMessage) (*UserTypeRegular, error) { - var resp UserTypeRegular - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalUserTypeDeleted(data json.RawMessage) (*UserTypeDeleted, error) { - var resp UserTypeDeleted - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalUserTypeBot(data json.RawMessage) (*UserTypeBot, error) { - var resp UserTypeBot - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalUserTypeUnknown(data json.RawMessage) (*UserTypeUnknown, error) { - var resp UserTypeUnknown - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalBotCommand(data json.RawMessage) (*BotCommand, error) { - var resp BotCommand - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalBotCommands(data json.RawMessage) (*BotCommands, error) { - var resp BotCommands - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalBotMenuButton(data json.RawMessage) (*BotMenuButton, error) { - var resp BotMenuButton - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatLocation(data json.RawMessage) (*ChatLocation, error) { - var resp ChatLocation - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatPhotoStickerTypeRegularOrMask(data json.RawMessage) (*ChatPhotoStickerTypeRegularOrMask, error) { - var resp ChatPhotoStickerTypeRegularOrMask - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatPhotoStickerTypeCustomEmoji(data json.RawMessage) (*ChatPhotoStickerTypeCustomEmoji, error) { - var resp ChatPhotoStickerTypeCustomEmoji - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatPhotoSticker(data json.RawMessage) (*ChatPhotoSticker, error) { - var resp ChatPhotoSticker - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalAnimatedChatPhoto(data json.RawMessage) (*AnimatedChatPhoto, error) { - var resp AnimatedChatPhoto - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatPhoto(data json.RawMessage) (*ChatPhoto, error) { - var resp ChatPhoto - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatPhotos(data json.RawMessage) (*ChatPhotos, error) { - var resp ChatPhotos - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputChatPhotoPrevious(data json.RawMessage) (*InputChatPhotoPrevious, error) { - var resp InputChatPhotoPrevious - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputChatPhotoStatic(data json.RawMessage) (*InputChatPhotoStatic, error) { - var resp InputChatPhotoStatic - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputChatPhotoAnimation(data json.RawMessage) (*InputChatPhotoAnimation, error) { - var resp InputChatPhotoAnimation - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputChatPhotoSticker(data json.RawMessage) (*InputChatPhotoSticker, error) { - var resp InputChatPhotoSticker - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatPermissions(data json.RawMessage) (*ChatPermissions, error) { - var resp ChatPermissions - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatAdministratorRights(data json.RawMessage) (*ChatAdministratorRights, error) { - var resp ChatAdministratorRights - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPremiumPaymentOption(data json.RawMessage) (*PremiumPaymentOption, error) { - var resp PremiumPaymentOption - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPremiumStatePaymentOption(data json.RawMessage) (*PremiumStatePaymentOption, error) { - var resp PremiumStatePaymentOption - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalEmojiStatus(data json.RawMessage) (*EmojiStatus, error) { - var resp EmojiStatus - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalEmojiStatuses(data json.RawMessage) (*EmojiStatuses, error) { - var resp EmojiStatuses - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalUsernames(data json.RawMessage) (*Usernames, error) { - var resp Usernames - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalUser(data json.RawMessage) (*User, error) { - var resp User - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalBotInfo(data json.RawMessage) (*BotInfo, error) { - var resp BotInfo - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalUserFullInfo(data json.RawMessage) (*UserFullInfo, error) { - var resp UserFullInfo - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalUsers(data json.RawMessage) (*Users, error) { - var resp Users - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatAdministrator(data json.RawMessage) (*ChatAdministrator, error) { - var resp ChatAdministrator - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatAdministrators(data json.RawMessage) (*ChatAdministrators, error) { - var resp ChatAdministrators - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatMemberStatusCreator(data json.RawMessage) (*ChatMemberStatusCreator, error) { - var resp ChatMemberStatusCreator - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatMemberStatusAdministrator(data json.RawMessage) (*ChatMemberStatusAdministrator, error) { - var resp ChatMemberStatusAdministrator - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatMemberStatusMember(data json.RawMessage) (*ChatMemberStatusMember, error) { - var resp ChatMemberStatusMember - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatMemberStatusRestricted(data json.RawMessage) (*ChatMemberStatusRestricted, error) { - var resp ChatMemberStatusRestricted - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatMemberStatusLeft(data json.RawMessage) (*ChatMemberStatusLeft, error) { - var resp ChatMemberStatusLeft - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatMemberStatusBanned(data json.RawMessage) (*ChatMemberStatusBanned, error) { - var resp ChatMemberStatusBanned - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatMember(data json.RawMessage) (*ChatMember, error) { - var resp ChatMember - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatMembers(data json.RawMessage) (*ChatMembers, error) { - var resp ChatMembers - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatMembersFilterContacts(data json.RawMessage) (*ChatMembersFilterContacts, error) { - var resp ChatMembersFilterContacts - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatMembersFilterAdministrators(data json.RawMessage) (*ChatMembersFilterAdministrators, error) { - var resp ChatMembersFilterAdministrators - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatMembersFilterMembers(data json.RawMessage) (*ChatMembersFilterMembers, error) { - var resp ChatMembersFilterMembers - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatMembersFilterMention(data json.RawMessage) (*ChatMembersFilterMention, error) { - var resp ChatMembersFilterMention - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatMembersFilterRestricted(data json.RawMessage) (*ChatMembersFilterRestricted, error) { - var resp ChatMembersFilterRestricted - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatMembersFilterBanned(data json.RawMessage) (*ChatMembersFilterBanned, error) { - var resp ChatMembersFilterBanned - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatMembersFilterBots(data json.RawMessage) (*ChatMembersFilterBots, error) { - var resp ChatMembersFilterBots - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalSupergroupMembersFilterRecent(data json.RawMessage) (*SupergroupMembersFilterRecent, error) { - var resp SupergroupMembersFilterRecent - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalSupergroupMembersFilterContacts(data json.RawMessage) (*SupergroupMembersFilterContacts, error) { - var resp SupergroupMembersFilterContacts - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalSupergroupMembersFilterAdministrators(data json.RawMessage) (*SupergroupMembersFilterAdministrators, error) { - var resp SupergroupMembersFilterAdministrators - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalSupergroupMembersFilterSearch(data json.RawMessage) (*SupergroupMembersFilterSearch, error) { - var resp SupergroupMembersFilterSearch - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalSupergroupMembersFilterRestricted(data json.RawMessage) (*SupergroupMembersFilterRestricted, error) { - var resp SupergroupMembersFilterRestricted - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalSupergroupMembersFilterBanned(data json.RawMessage) (*SupergroupMembersFilterBanned, error) { - var resp SupergroupMembersFilterBanned - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalSupergroupMembersFilterMention(data json.RawMessage) (*SupergroupMembersFilterMention, error) { - var resp SupergroupMembersFilterMention - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalSupergroupMembersFilterBots(data json.RawMessage) (*SupergroupMembersFilterBots, error) { - var resp SupergroupMembersFilterBots - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatInviteLink(data json.RawMessage) (*ChatInviteLink, error) { - var resp ChatInviteLink - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatInviteLinks(data json.RawMessage) (*ChatInviteLinks, error) { - var resp ChatInviteLinks - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatInviteLinkCount(data json.RawMessage) (*ChatInviteLinkCount, error) { - var resp ChatInviteLinkCount - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatInviteLinkCounts(data json.RawMessage) (*ChatInviteLinkCounts, error) { - var resp ChatInviteLinkCounts - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatInviteLinkMember(data json.RawMessage) (*ChatInviteLinkMember, error) { - var resp ChatInviteLinkMember - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatInviteLinkMembers(data json.RawMessage) (*ChatInviteLinkMembers, error) { - var resp ChatInviteLinkMembers - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatInviteLinkInfo(data json.RawMessage) (*ChatInviteLinkInfo, error) { - var resp ChatInviteLinkInfo - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatJoinRequest(data json.RawMessage) (*ChatJoinRequest, error) { - var resp ChatJoinRequest - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatJoinRequests(data json.RawMessage) (*ChatJoinRequests, error) { - var resp ChatJoinRequests - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatJoinRequestsInfo(data json.RawMessage) (*ChatJoinRequestsInfo, error) { - var resp ChatJoinRequestsInfo - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalBasicGroup(data json.RawMessage) (*BasicGroup, error) { - var resp BasicGroup - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalBasicGroupFullInfo(data json.RawMessage) (*BasicGroupFullInfo, error) { - var resp BasicGroupFullInfo - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalSupergroup(data json.RawMessage) (*Supergroup, error) { - var resp Supergroup - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalSupergroupFullInfo(data json.RawMessage) (*SupergroupFullInfo, error) { - var resp SupergroupFullInfo - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalSecretChatStatePending(data json.RawMessage) (*SecretChatStatePending, error) { - var resp SecretChatStatePending - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalSecretChatStateReady(data json.RawMessage) (*SecretChatStateReady, error) { - var resp SecretChatStateReady - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalSecretChatStateClosed(data json.RawMessage) (*SecretChatStateClosed, error) { - var resp SecretChatStateClosed - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalSecretChat(data json.RawMessage) (*SecretChat, error) { - var resp SecretChat - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageSenderUser(data json.RawMessage) (*MessageSenderUser, error) { - var resp MessageSenderUser - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageSenderChat(data json.RawMessage) (*MessageSenderChat, error) { - var resp MessageSenderChat - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageSenders(data json.RawMessage) (*MessageSenders, error) { - var resp MessageSenders - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatMessageSender(data json.RawMessage) (*ChatMessageSender, error) { - var resp ChatMessageSender - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatMessageSenders(data json.RawMessage) (*ChatMessageSenders, error) { - var resp ChatMessageSenders - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageViewer(data json.RawMessage) (*MessageViewer, error) { - var resp MessageViewer - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageViewers(data json.RawMessage) (*MessageViewers, error) { - var resp MessageViewers - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageForwardOriginUser(data json.RawMessage) (*MessageForwardOriginUser, error) { - var resp MessageForwardOriginUser - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageForwardOriginChat(data json.RawMessage) (*MessageForwardOriginChat, error) { - var resp MessageForwardOriginChat - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageForwardOriginHiddenUser(data json.RawMessage) (*MessageForwardOriginHiddenUser, error) { - var resp MessageForwardOriginHiddenUser - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageForwardOriginChannel(data json.RawMessage) (*MessageForwardOriginChannel, error) { - var resp MessageForwardOriginChannel - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageForwardOriginMessageImport(data json.RawMessage) (*MessageForwardOriginMessageImport, error) { - var resp MessageForwardOriginMessageImport - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalReactionTypeEmoji(data json.RawMessage) (*ReactionTypeEmoji, error) { - var resp ReactionTypeEmoji - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalReactionTypeCustomEmoji(data json.RawMessage) (*ReactionTypeCustomEmoji, error) { - var resp ReactionTypeCustomEmoji - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageForwardInfo(data json.RawMessage) (*MessageForwardInfo, error) { - var resp MessageForwardInfo - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageReplyInfo(data json.RawMessage) (*MessageReplyInfo, error) { - var resp MessageReplyInfo - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageReaction(data json.RawMessage) (*MessageReaction, error) { - var resp MessageReaction - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageInteractionInfo(data json.RawMessage) (*MessageInteractionInfo, error) { - var resp MessageInteractionInfo - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalUnreadReaction(data json.RawMessage) (*UnreadReaction, error) { - var resp UnreadReaction - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageSendingStatePending(data json.RawMessage) (*MessageSendingStatePending, error) { - var resp MessageSendingStatePending - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageSendingStateFailed(data json.RawMessage) (*MessageSendingStateFailed, error) { - var resp MessageSendingStateFailed - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessage(data json.RawMessage) (*Message, error) { - var resp Message - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessages(data json.RawMessage) (*Messages, error) { - var resp Messages - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalFoundMessages(data json.RawMessage) (*FoundMessages, error) { - var resp FoundMessages - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalFoundChatMessages(data json.RawMessage) (*FoundChatMessages, error) { - var resp FoundChatMessages - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessagePosition(data json.RawMessage) (*MessagePosition, error) { - var resp MessagePosition - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessagePositions(data json.RawMessage) (*MessagePositions, error) { - var resp MessagePositions - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageCalendarDay(data json.RawMessage) (*MessageCalendarDay, error) { - var resp MessageCalendarDay - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageCalendar(data json.RawMessage) (*MessageCalendar, error) { - var resp MessageCalendar - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageSourceChatHistory(data json.RawMessage) (*MessageSourceChatHistory, error) { - var resp MessageSourceChatHistory - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageSourceMessageThreadHistory(data json.RawMessage) (*MessageSourceMessageThreadHistory, error) { - var resp MessageSourceMessageThreadHistory - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageSourceForumTopicHistory(data json.RawMessage) (*MessageSourceForumTopicHistory, error) { - var resp MessageSourceForumTopicHistory - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageSourceHistoryPreview(data json.RawMessage) (*MessageSourceHistoryPreview, error) { - var resp MessageSourceHistoryPreview - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageSourceChatList(data json.RawMessage) (*MessageSourceChatList, error) { - var resp MessageSourceChatList - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageSourceSearch(data json.RawMessage) (*MessageSourceSearch, error) { - var resp MessageSourceSearch - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageSourceChatEventLog(data json.RawMessage) (*MessageSourceChatEventLog, error) { - var resp MessageSourceChatEventLog - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageSourceNotification(data json.RawMessage) (*MessageSourceNotification, error) { - var resp MessageSourceNotification - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageSourceOther(data json.RawMessage) (*MessageSourceOther, error) { - var resp MessageSourceOther - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalSponsoredMessage(data json.RawMessage) (*SponsoredMessage, error) { - var resp SponsoredMessage - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalSponsoredMessages(data json.RawMessage) (*SponsoredMessages, error) { - var resp SponsoredMessages - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalFileDownload(data json.RawMessage) (*FileDownload, error) { - var resp FileDownload - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalDownloadedFileCounts(data json.RawMessage) (*DownloadedFileCounts, error) { - var resp DownloadedFileCounts - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalFoundFileDownloads(data json.RawMessage) (*FoundFileDownloads, error) { - var resp FoundFileDownloads - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalNotificationSettingsScopePrivateChats(data json.RawMessage) (*NotificationSettingsScopePrivateChats, error) { - var resp NotificationSettingsScopePrivateChats - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalNotificationSettingsScopeGroupChats(data json.RawMessage) (*NotificationSettingsScopeGroupChats, error) { - var resp NotificationSettingsScopeGroupChats - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalNotificationSettingsScopeChannelChats(data json.RawMessage) (*NotificationSettingsScopeChannelChats, error) { - var resp NotificationSettingsScopeChannelChats - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatNotificationSettings(data json.RawMessage) (*ChatNotificationSettings, error) { - var resp ChatNotificationSettings - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalScopeNotificationSettings(data json.RawMessage) (*ScopeNotificationSettings, error) { - var resp ScopeNotificationSettings - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalDraftMessage(data json.RawMessage) (*DraftMessage, error) { - var resp DraftMessage - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatTypePrivate(data json.RawMessage) (*ChatTypePrivate, error) { - var resp ChatTypePrivate - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatTypeBasicGroup(data json.RawMessage) (*ChatTypeBasicGroup, error) { - var resp ChatTypeBasicGroup - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatTypeSupergroup(data json.RawMessage) (*ChatTypeSupergroup, error) { - var resp ChatTypeSupergroup - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatTypeSecret(data json.RawMessage) (*ChatTypeSecret, error) { - var resp ChatTypeSecret - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatFilter(data json.RawMessage) (*ChatFilter, error) { - var resp ChatFilter - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatFilterInfo(data json.RawMessage) (*ChatFilterInfo, error) { - var resp ChatFilterInfo - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalRecommendedChatFilter(data json.RawMessage) (*RecommendedChatFilter, error) { - var resp RecommendedChatFilter - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalRecommendedChatFilters(data json.RawMessage) (*RecommendedChatFilters, error) { - var resp RecommendedChatFilters - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatListMain(data json.RawMessage) (*ChatListMain, error) { - var resp ChatListMain - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatListArchive(data json.RawMessage) (*ChatListArchive, error) { - var resp ChatListArchive - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatListFilter(data json.RawMessage) (*ChatListFilter, error) { - var resp ChatListFilter - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatLists(data json.RawMessage) (*ChatLists, error) { - var resp ChatLists - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatSourceMtprotoProxy(data json.RawMessage) (*ChatSourceMtprotoProxy, error) { - var resp ChatSourceMtprotoProxy - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatSourcePublicServiceAnnouncement(data json.RawMessage) (*ChatSourcePublicServiceAnnouncement, error) { - var resp ChatSourcePublicServiceAnnouncement - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatPosition(data json.RawMessage) (*ChatPosition, error) { - var resp ChatPosition - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatAvailableReactionsAll(data json.RawMessage) (*ChatAvailableReactionsAll, error) { - var resp ChatAvailableReactionsAll - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatAvailableReactionsSome(data json.RawMessage) (*ChatAvailableReactionsSome, error) { - var resp ChatAvailableReactionsSome - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalVideoChat(data json.RawMessage) (*VideoChat, error) { - var resp VideoChat - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChat(data json.RawMessage) (*Chat, error) { - var resp Chat - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChats(data json.RawMessage) (*Chats, error) { - var resp Chats - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatNearby(data json.RawMessage) (*ChatNearby, error) { - var resp ChatNearby - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatsNearby(data json.RawMessage) (*ChatsNearby, error) { - var resp ChatsNearby - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPublicChatTypeHasUsername(data json.RawMessage) (*PublicChatTypeHasUsername, error) { - var resp PublicChatTypeHasUsername - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPublicChatTypeIsLocationBased(data json.RawMessage) (*PublicChatTypeIsLocationBased, error) { - var resp PublicChatTypeIsLocationBased - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatActionBarReportSpam(data json.RawMessage) (*ChatActionBarReportSpam, error) { - var resp ChatActionBarReportSpam - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatActionBarReportUnrelatedLocation(data json.RawMessage) (*ChatActionBarReportUnrelatedLocation, error) { - var resp ChatActionBarReportUnrelatedLocation - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatActionBarInviteMembers(data json.RawMessage) (*ChatActionBarInviteMembers, error) { - var resp ChatActionBarInviteMembers - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatActionBarReportAddBlock(data json.RawMessage) (*ChatActionBarReportAddBlock, error) { - var resp ChatActionBarReportAddBlock - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatActionBarAddContact(data json.RawMessage) (*ChatActionBarAddContact, error) { - var resp ChatActionBarAddContact - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatActionBarSharePhoneNumber(data json.RawMessage) (*ChatActionBarSharePhoneNumber, error) { - var resp ChatActionBarSharePhoneNumber - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatActionBarJoinRequest(data json.RawMessage) (*ChatActionBarJoinRequest, error) { - var resp ChatActionBarJoinRequest - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalKeyboardButtonTypeText(data json.RawMessage) (*KeyboardButtonTypeText, error) { - var resp KeyboardButtonTypeText - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalKeyboardButtonTypeRequestPhoneNumber(data json.RawMessage) (*KeyboardButtonTypeRequestPhoneNumber, error) { - var resp KeyboardButtonTypeRequestPhoneNumber - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalKeyboardButtonTypeRequestLocation(data json.RawMessage) (*KeyboardButtonTypeRequestLocation, error) { - var resp KeyboardButtonTypeRequestLocation - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalKeyboardButtonTypeRequestPoll(data json.RawMessage) (*KeyboardButtonTypeRequestPoll, error) { - var resp KeyboardButtonTypeRequestPoll - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalKeyboardButtonTypeRequestUser(data json.RawMessage) (*KeyboardButtonTypeRequestUser, error) { - var resp KeyboardButtonTypeRequestUser - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalKeyboardButtonTypeRequestChat(data json.RawMessage) (*KeyboardButtonTypeRequestChat, error) { - var resp KeyboardButtonTypeRequestChat - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalKeyboardButtonTypeWebApp(data json.RawMessage) (*KeyboardButtonTypeWebApp, error) { - var resp KeyboardButtonTypeWebApp - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalKeyboardButton(data json.RawMessage) (*KeyboardButton, error) { - var resp KeyboardButton - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInlineKeyboardButtonTypeUrl(data json.RawMessage) (*InlineKeyboardButtonTypeUrl, error) { - var resp InlineKeyboardButtonTypeUrl - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInlineKeyboardButtonTypeLoginUrl(data json.RawMessage) (*InlineKeyboardButtonTypeLoginUrl, error) { - var resp InlineKeyboardButtonTypeLoginUrl - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInlineKeyboardButtonTypeWebApp(data json.RawMessage) (*InlineKeyboardButtonTypeWebApp, error) { - var resp InlineKeyboardButtonTypeWebApp - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInlineKeyboardButtonTypeCallback(data json.RawMessage) (*InlineKeyboardButtonTypeCallback, error) { - var resp InlineKeyboardButtonTypeCallback - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInlineKeyboardButtonTypeCallbackWithPassword(data json.RawMessage) (*InlineKeyboardButtonTypeCallbackWithPassword, error) { - var resp InlineKeyboardButtonTypeCallbackWithPassword - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInlineKeyboardButtonTypeCallbackGame(data json.RawMessage) (*InlineKeyboardButtonTypeCallbackGame, error) { - var resp InlineKeyboardButtonTypeCallbackGame - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInlineKeyboardButtonTypeSwitchInline(data json.RawMessage) (*InlineKeyboardButtonTypeSwitchInline, error) { - var resp InlineKeyboardButtonTypeSwitchInline - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInlineKeyboardButtonTypeBuy(data json.RawMessage) (*InlineKeyboardButtonTypeBuy, error) { - var resp InlineKeyboardButtonTypeBuy - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInlineKeyboardButtonTypeUser(data json.RawMessage) (*InlineKeyboardButtonTypeUser, error) { - var resp InlineKeyboardButtonTypeUser - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInlineKeyboardButton(data json.RawMessage) (*InlineKeyboardButton, error) { - var resp InlineKeyboardButton - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalReplyMarkupRemoveKeyboard(data json.RawMessage) (*ReplyMarkupRemoveKeyboard, error) { - var resp ReplyMarkupRemoveKeyboard - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalReplyMarkupForceReply(data json.RawMessage) (*ReplyMarkupForceReply, error) { - var resp ReplyMarkupForceReply - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalReplyMarkupShowKeyboard(data json.RawMessage) (*ReplyMarkupShowKeyboard, error) { - var resp ReplyMarkupShowKeyboard - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalReplyMarkupInlineKeyboard(data json.RawMessage) (*ReplyMarkupInlineKeyboard, error) { - var resp ReplyMarkupInlineKeyboard - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalLoginUrlInfoOpen(data json.RawMessage) (*LoginUrlInfoOpen, error) { - var resp LoginUrlInfoOpen - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalLoginUrlInfoRequestConfirmation(data json.RawMessage) (*LoginUrlInfoRequestConfirmation, error) { - var resp LoginUrlInfoRequestConfirmation - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalFoundWebApp(data json.RawMessage) (*FoundWebApp, error) { - var resp FoundWebApp - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalWebAppInfo(data json.RawMessage) (*WebAppInfo, error) { - var resp WebAppInfo - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageThreadInfo(data json.RawMessage) (*MessageThreadInfo, error) { - var resp MessageThreadInfo - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalForumTopicIcon(data json.RawMessage) (*ForumTopicIcon, error) { - var resp ForumTopicIcon - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalForumTopicInfo(data json.RawMessage) (*ForumTopicInfo, error) { - var resp ForumTopicInfo - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalForumTopic(data json.RawMessage) (*ForumTopic, error) { - var resp ForumTopic - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalForumTopics(data json.RawMessage) (*ForumTopics, error) { - var resp ForumTopics - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalRichTextPlain(data json.RawMessage) (*RichTextPlain, error) { - var resp RichTextPlain - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalRichTextBold(data json.RawMessage) (*RichTextBold, error) { - var resp RichTextBold - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalRichTextItalic(data json.RawMessage) (*RichTextItalic, error) { - var resp RichTextItalic - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalRichTextUnderline(data json.RawMessage) (*RichTextUnderline, error) { - var resp RichTextUnderline - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalRichTextStrikethrough(data json.RawMessage) (*RichTextStrikethrough, error) { - var resp RichTextStrikethrough - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalRichTextFixed(data json.RawMessage) (*RichTextFixed, error) { - var resp RichTextFixed - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalRichTextUrl(data json.RawMessage) (*RichTextUrl, error) { - var resp RichTextUrl - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalRichTextEmailAddress(data json.RawMessage) (*RichTextEmailAddress, error) { - var resp RichTextEmailAddress - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalRichTextSubscript(data json.RawMessage) (*RichTextSubscript, error) { - var resp RichTextSubscript - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalRichTextSuperscript(data json.RawMessage) (*RichTextSuperscript, error) { - var resp RichTextSuperscript - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalRichTextMarked(data json.RawMessage) (*RichTextMarked, error) { - var resp RichTextMarked - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalRichTextPhoneNumber(data json.RawMessage) (*RichTextPhoneNumber, error) { - var resp RichTextPhoneNumber - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalRichTextIcon(data json.RawMessage) (*RichTextIcon, error) { - var resp RichTextIcon - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalRichTextReference(data json.RawMessage) (*RichTextReference, error) { - var resp RichTextReference - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalRichTextAnchor(data json.RawMessage) (*RichTextAnchor, error) { - var resp RichTextAnchor - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalRichTextAnchorLink(data json.RawMessage) (*RichTextAnchorLink, error) { - var resp RichTextAnchorLink - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalRichTexts(data json.RawMessage) (*RichTexts, error) { - var resp RichTexts - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPageBlockCaption(data json.RawMessage) (*PageBlockCaption, error) { - var resp PageBlockCaption - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPageBlockListItem(data json.RawMessage) (*PageBlockListItem, error) { - var resp PageBlockListItem - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPageBlockHorizontalAlignmentLeft(data json.RawMessage) (*PageBlockHorizontalAlignmentLeft, error) { - var resp PageBlockHorizontalAlignmentLeft - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPageBlockHorizontalAlignmentCenter(data json.RawMessage) (*PageBlockHorizontalAlignmentCenter, error) { - var resp PageBlockHorizontalAlignmentCenter - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPageBlockHorizontalAlignmentRight(data json.RawMessage) (*PageBlockHorizontalAlignmentRight, error) { - var resp PageBlockHorizontalAlignmentRight - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPageBlockVerticalAlignmentTop(data json.RawMessage) (*PageBlockVerticalAlignmentTop, error) { - var resp PageBlockVerticalAlignmentTop - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPageBlockVerticalAlignmentMiddle(data json.RawMessage) (*PageBlockVerticalAlignmentMiddle, error) { - var resp PageBlockVerticalAlignmentMiddle - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPageBlockVerticalAlignmentBottom(data json.RawMessage) (*PageBlockVerticalAlignmentBottom, error) { - var resp PageBlockVerticalAlignmentBottom - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPageBlockTableCell(data json.RawMessage) (*PageBlockTableCell, error) { - var resp PageBlockTableCell - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPageBlockRelatedArticle(data json.RawMessage) (*PageBlockRelatedArticle, error) { - var resp PageBlockRelatedArticle - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPageBlockTitle(data json.RawMessage) (*PageBlockTitle, error) { - var resp PageBlockTitle - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPageBlockSubtitle(data json.RawMessage) (*PageBlockSubtitle, error) { - var resp PageBlockSubtitle - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPageBlockAuthorDate(data json.RawMessage) (*PageBlockAuthorDate, error) { - var resp PageBlockAuthorDate - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPageBlockHeader(data json.RawMessage) (*PageBlockHeader, error) { - var resp PageBlockHeader - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPageBlockSubheader(data json.RawMessage) (*PageBlockSubheader, error) { - var resp PageBlockSubheader - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPageBlockKicker(data json.RawMessage) (*PageBlockKicker, error) { - var resp PageBlockKicker - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPageBlockParagraph(data json.RawMessage) (*PageBlockParagraph, error) { - var resp PageBlockParagraph - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPageBlockPreformatted(data json.RawMessage) (*PageBlockPreformatted, error) { - var resp PageBlockPreformatted - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPageBlockFooter(data json.RawMessage) (*PageBlockFooter, error) { - var resp PageBlockFooter - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPageBlockDivider(data json.RawMessage) (*PageBlockDivider, error) { - var resp PageBlockDivider - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPageBlockAnchor(data json.RawMessage) (*PageBlockAnchor, error) { - var resp PageBlockAnchor - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPageBlockList(data json.RawMessage) (*PageBlockList, error) { - var resp PageBlockList - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPageBlockBlockQuote(data json.RawMessage) (*PageBlockBlockQuote, error) { - var resp PageBlockBlockQuote - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPageBlockPullQuote(data json.RawMessage) (*PageBlockPullQuote, error) { - var resp PageBlockPullQuote - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPageBlockAnimation(data json.RawMessage) (*PageBlockAnimation, error) { - var resp PageBlockAnimation - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPageBlockAudio(data json.RawMessage) (*PageBlockAudio, error) { - var resp PageBlockAudio - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPageBlockPhoto(data json.RawMessage) (*PageBlockPhoto, error) { - var resp PageBlockPhoto - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPageBlockVideo(data json.RawMessage) (*PageBlockVideo, error) { - var resp PageBlockVideo - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPageBlockVoiceNote(data json.RawMessage) (*PageBlockVoiceNote, error) { - var resp PageBlockVoiceNote - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPageBlockCover(data json.RawMessage) (*PageBlockCover, error) { - var resp PageBlockCover - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPageBlockEmbedded(data json.RawMessage) (*PageBlockEmbedded, error) { - var resp PageBlockEmbedded - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPageBlockEmbeddedPost(data json.RawMessage) (*PageBlockEmbeddedPost, error) { - var resp PageBlockEmbeddedPost - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPageBlockCollage(data json.RawMessage) (*PageBlockCollage, error) { - var resp PageBlockCollage - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPageBlockSlideshow(data json.RawMessage) (*PageBlockSlideshow, error) { - var resp PageBlockSlideshow - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPageBlockChatLink(data json.RawMessage) (*PageBlockChatLink, error) { - var resp PageBlockChatLink - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPageBlockTable(data json.RawMessage) (*PageBlockTable, error) { - var resp PageBlockTable - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPageBlockDetails(data json.RawMessage) (*PageBlockDetails, error) { - var resp PageBlockDetails - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPageBlockRelatedArticles(data json.RawMessage) (*PageBlockRelatedArticles, error) { - var resp PageBlockRelatedArticles - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPageBlockMap(data json.RawMessage) (*PageBlockMap, error) { - var resp PageBlockMap - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalWebPageInstantView(data json.RawMessage) (*WebPageInstantView, error) { - var resp WebPageInstantView - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalWebPage(data json.RawMessage) (*WebPage, error) { - var resp WebPage - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalCountryInfo(data json.RawMessage) (*CountryInfo, error) { - var resp CountryInfo - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalCountries(data json.RawMessage) (*Countries, error) { - var resp Countries - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPhoneNumberInfo(data json.RawMessage) (*PhoneNumberInfo, error) { - var resp PhoneNumberInfo - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalBankCardActionOpenUrl(data json.RawMessage) (*BankCardActionOpenUrl, error) { - var resp BankCardActionOpenUrl - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalBankCardInfo(data json.RawMessage) (*BankCardInfo, error) { - var resp BankCardInfo - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalAddress(data json.RawMessage) (*Address, error) { - var resp Address - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalThemeParameters(data json.RawMessage) (*ThemeParameters, error) { - var resp ThemeParameters - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalLabeledPricePart(data json.RawMessage) (*LabeledPricePart, error) { - var resp LabeledPricePart - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInvoice(data json.RawMessage) (*Invoice, error) { - var resp Invoice - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalOrderInfo(data json.RawMessage) (*OrderInfo, error) { - var resp OrderInfo - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalShippingOption(data json.RawMessage) (*ShippingOption, error) { - var resp ShippingOption - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalSavedCredentials(data json.RawMessage) (*SavedCredentials, error) { - var resp SavedCredentials - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputCredentialsSaved(data json.RawMessage) (*InputCredentialsSaved, error) { - var resp InputCredentialsSaved - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputCredentialsNew(data json.RawMessage) (*InputCredentialsNew, error) { - var resp InputCredentialsNew - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputCredentialsApplePay(data json.RawMessage) (*InputCredentialsApplePay, error) { - var resp InputCredentialsApplePay - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputCredentialsGooglePay(data json.RawMessage) (*InputCredentialsGooglePay, error) { - var resp InputCredentialsGooglePay - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPaymentProviderSmartGlocal(data json.RawMessage) (*PaymentProviderSmartGlocal, error) { - var resp PaymentProviderSmartGlocal - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPaymentProviderStripe(data json.RawMessage) (*PaymentProviderStripe, error) { - var resp PaymentProviderStripe - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPaymentProviderOther(data json.RawMessage) (*PaymentProviderOther, error) { - var resp PaymentProviderOther - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPaymentOption(data json.RawMessage) (*PaymentOption, error) { - var resp PaymentOption - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPaymentForm(data json.RawMessage) (*PaymentForm, error) { - var resp PaymentForm - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalValidatedOrderInfo(data json.RawMessage) (*ValidatedOrderInfo, error) { - var resp ValidatedOrderInfo - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPaymentResult(data json.RawMessage) (*PaymentResult, error) { - var resp PaymentResult - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPaymentReceipt(data json.RawMessage) (*PaymentReceipt, error) { - var resp PaymentReceipt - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputInvoiceMessage(data json.RawMessage) (*InputInvoiceMessage, error) { - var resp InputInvoiceMessage - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputInvoiceName(data json.RawMessage) (*InputInvoiceName, error) { - var resp InputInvoiceName - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageExtendedMediaPreview(data json.RawMessage) (*MessageExtendedMediaPreview, error) { - var resp MessageExtendedMediaPreview - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageExtendedMediaPhoto(data json.RawMessage) (*MessageExtendedMediaPhoto, error) { - var resp MessageExtendedMediaPhoto - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageExtendedMediaVideo(data json.RawMessage) (*MessageExtendedMediaVideo, error) { - var resp MessageExtendedMediaVideo - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageExtendedMediaUnsupported(data json.RawMessage) (*MessageExtendedMediaUnsupported, error) { - var resp MessageExtendedMediaUnsupported - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalDatedFile(data json.RawMessage) (*DatedFile, error) { - var resp DatedFile - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPassportElementTypePersonalDetails(data json.RawMessage) (*PassportElementTypePersonalDetails, error) { - var resp PassportElementTypePersonalDetails - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPassportElementTypePassport(data json.RawMessage) (*PassportElementTypePassport, error) { - var resp PassportElementTypePassport - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPassportElementTypeDriverLicense(data json.RawMessage) (*PassportElementTypeDriverLicense, error) { - var resp PassportElementTypeDriverLicense - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPassportElementTypeIdentityCard(data json.RawMessage) (*PassportElementTypeIdentityCard, error) { - var resp PassportElementTypeIdentityCard - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPassportElementTypeInternalPassport(data json.RawMessage) (*PassportElementTypeInternalPassport, error) { - var resp PassportElementTypeInternalPassport - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPassportElementTypeAddress(data json.RawMessage) (*PassportElementTypeAddress, error) { - var resp PassportElementTypeAddress - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPassportElementTypeUtilityBill(data json.RawMessage) (*PassportElementTypeUtilityBill, error) { - var resp PassportElementTypeUtilityBill - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPassportElementTypeBankStatement(data json.RawMessage) (*PassportElementTypeBankStatement, error) { - var resp PassportElementTypeBankStatement - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPassportElementTypeRentalAgreement(data json.RawMessage) (*PassportElementTypeRentalAgreement, error) { - var resp PassportElementTypeRentalAgreement - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPassportElementTypePassportRegistration(data json.RawMessage) (*PassportElementTypePassportRegistration, error) { - var resp PassportElementTypePassportRegistration - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPassportElementTypeTemporaryRegistration(data json.RawMessage) (*PassportElementTypeTemporaryRegistration, error) { - var resp PassportElementTypeTemporaryRegistration - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPassportElementTypePhoneNumber(data json.RawMessage) (*PassportElementTypePhoneNumber, error) { - var resp PassportElementTypePhoneNumber - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPassportElementTypeEmailAddress(data json.RawMessage) (*PassportElementTypeEmailAddress, error) { - var resp PassportElementTypeEmailAddress - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalDate(data json.RawMessage) (*Date, error) { - var resp Date - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPersonalDetails(data json.RawMessage) (*PersonalDetails, error) { - var resp PersonalDetails - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalIdentityDocument(data json.RawMessage) (*IdentityDocument, error) { - var resp IdentityDocument - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputIdentityDocument(data json.RawMessage) (*InputIdentityDocument, error) { - var resp InputIdentityDocument - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPersonalDocument(data json.RawMessage) (*PersonalDocument, error) { - var resp PersonalDocument - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputPersonalDocument(data json.RawMessage) (*InputPersonalDocument, error) { - var resp InputPersonalDocument - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPassportElementPersonalDetails(data json.RawMessage) (*PassportElementPersonalDetails, error) { - var resp PassportElementPersonalDetails - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPassportElementPassport(data json.RawMessage) (*PassportElementPassport, error) { - var resp PassportElementPassport - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPassportElementDriverLicense(data json.RawMessage) (*PassportElementDriverLicense, error) { - var resp PassportElementDriverLicense - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPassportElementIdentityCard(data json.RawMessage) (*PassportElementIdentityCard, error) { - var resp PassportElementIdentityCard - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPassportElementInternalPassport(data json.RawMessage) (*PassportElementInternalPassport, error) { - var resp PassportElementInternalPassport - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPassportElementAddress(data json.RawMessage) (*PassportElementAddress, error) { - var resp PassportElementAddress - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPassportElementUtilityBill(data json.RawMessage) (*PassportElementUtilityBill, error) { - var resp PassportElementUtilityBill - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPassportElementBankStatement(data json.RawMessage) (*PassportElementBankStatement, error) { - var resp PassportElementBankStatement - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPassportElementRentalAgreement(data json.RawMessage) (*PassportElementRentalAgreement, error) { - var resp PassportElementRentalAgreement - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPassportElementPassportRegistration(data json.RawMessage) (*PassportElementPassportRegistration, error) { - var resp PassportElementPassportRegistration - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPassportElementTemporaryRegistration(data json.RawMessage) (*PassportElementTemporaryRegistration, error) { - var resp PassportElementTemporaryRegistration - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPassportElementPhoneNumber(data json.RawMessage) (*PassportElementPhoneNumber, error) { - var resp PassportElementPhoneNumber - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPassportElementEmailAddress(data json.RawMessage) (*PassportElementEmailAddress, error) { - var resp PassportElementEmailAddress - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputPassportElementPersonalDetails(data json.RawMessage) (*InputPassportElementPersonalDetails, error) { - var resp InputPassportElementPersonalDetails - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputPassportElementPassport(data json.RawMessage) (*InputPassportElementPassport, error) { - var resp InputPassportElementPassport - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputPassportElementDriverLicense(data json.RawMessage) (*InputPassportElementDriverLicense, error) { - var resp InputPassportElementDriverLicense - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputPassportElementIdentityCard(data json.RawMessage) (*InputPassportElementIdentityCard, error) { - var resp InputPassportElementIdentityCard - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputPassportElementInternalPassport(data json.RawMessage) (*InputPassportElementInternalPassport, error) { - var resp InputPassportElementInternalPassport - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputPassportElementAddress(data json.RawMessage) (*InputPassportElementAddress, error) { - var resp InputPassportElementAddress - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputPassportElementUtilityBill(data json.RawMessage) (*InputPassportElementUtilityBill, error) { - var resp InputPassportElementUtilityBill - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputPassportElementBankStatement(data json.RawMessage) (*InputPassportElementBankStatement, error) { - var resp InputPassportElementBankStatement - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputPassportElementRentalAgreement(data json.RawMessage) (*InputPassportElementRentalAgreement, error) { - var resp InputPassportElementRentalAgreement - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputPassportElementPassportRegistration(data json.RawMessage) (*InputPassportElementPassportRegistration, error) { - var resp InputPassportElementPassportRegistration - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputPassportElementTemporaryRegistration(data json.RawMessage) (*InputPassportElementTemporaryRegistration, error) { - var resp InputPassportElementTemporaryRegistration - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputPassportElementPhoneNumber(data json.RawMessage) (*InputPassportElementPhoneNumber, error) { - var resp InputPassportElementPhoneNumber - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputPassportElementEmailAddress(data json.RawMessage) (*InputPassportElementEmailAddress, error) { - var resp InputPassportElementEmailAddress - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPassportElements(data json.RawMessage) (*PassportElements, error) { - var resp PassportElements - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPassportElementErrorSourceUnspecified(data json.RawMessage) (*PassportElementErrorSourceUnspecified, error) { - var resp PassportElementErrorSourceUnspecified - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPassportElementErrorSourceDataField(data json.RawMessage) (*PassportElementErrorSourceDataField, error) { - var resp PassportElementErrorSourceDataField - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPassportElementErrorSourceFrontSide(data json.RawMessage) (*PassportElementErrorSourceFrontSide, error) { - var resp PassportElementErrorSourceFrontSide - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPassportElementErrorSourceReverseSide(data json.RawMessage) (*PassportElementErrorSourceReverseSide, error) { - var resp PassportElementErrorSourceReverseSide - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPassportElementErrorSourceSelfie(data json.RawMessage) (*PassportElementErrorSourceSelfie, error) { - var resp PassportElementErrorSourceSelfie - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPassportElementErrorSourceTranslationFile(data json.RawMessage) (*PassportElementErrorSourceTranslationFile, error) { - var resp PassportElementErrorSourceTranslationFile - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPassportElementErrorSourceTranslationFiles(data json.RawMessage) (*PassportElementErrorSourceTranslationFiles, error) { - var resp PassportElementErrorSourceTranslationFiles - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPassportElementErrorSourceFile(data json.RawMessage) (*PassportElementErrorSourceFile, error) { - var resp PassportElementErrorSourceFile - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPassportElementErrorSourceFiles(data json.RawMessage) (*PassportElementErrorSourceFiles, error) { - var resp PassportElementErrorSourceFiles - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPassportElementError(data json.RawMessage) (*PassportElementError, error) { - var resp PassportElementError - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPassportSuitableElement(data json.RawMessage) (*PassportSuitableElement, error) { - var resp PassportSuitableElement - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPassportRequiredElement(data json.RawMessage) (*PassportRequiredElement, error) { - var resp PassportRequiredElement - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPassportAuthorizationForm(data json.RawMessage) (*PassportAuthorizationForm, error) { - var resp PassportAuthorizationForm - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPassportElementsWithErrors(data json.RawMessage) (*PassportElementsWithErrors, error) { - var resp PassportElementsWithErrors - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalEncryptedCredentials(data json.RawMessage) (*EncryptedCredentials, error) { - var resp EncryptedCredentials - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalEncryptedPassportElement(data json.RawMessage) (*EncryptedPassportElement, error) { - var resp EncryptedPassportElement - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputPassportElementErrorSourceUnspecified(data json.RawMessage) (*InputPassportElementErrorSourceUnspecified, error) { - var resp InputPassportElementErrorSourceUnspecified - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputPassportElementErrorSourceDataField(data json.RawMessage) (*InputPassportElementErrorSourceDataField, error) { - var resp InputPassportElementErrorSourceDataField - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputPassportElementErrorSourceFrontSide(data json.RawMessage) (*InputPassportElementErrorSourceFrontSide, error) { - var resp InputPassportElementErrorSourceFrontSide - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputPassportElementErrorSourceReverseSide(data json.RawMessage) (*InputPassportElementErrorSourceReverseSide, error) { - var resp InputPassportElementErrorSourceReverseSide - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputPassportElementErrorSourceSelfie(data json.RawMessage) (*InputPassportElementErrorSourceSelfie, error) { - var resp InputPassportElementErrorSourceSelfie - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputPassportElementErrorSourceTranslationFile(data json.RawMessage) (*InputPassportElementErrorSourceTranslationFile, error) { - var resp InputPassportElementErrorSourceTranslationFile - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputPassportElementErrorSourceTranslationFiles(data json.RawMessage) (*InputPassportElementErrorSourceTranslationFiles, error) { - var resp InputPassportElementErrorSourceTranslationFiles - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputPassportElementErrorSourceFile(data json.RawMessage) (*InputPassportElementErrorSourceFile, error) { - var resp InputPassportElementErrorSourceFile - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputPassportElementErrorSourceFiles(data json.RawMessage) (*InputPassportElementErrorSourceFiles, error) { - var resp InputPassportElementErrorSourceFiles - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputPassportElementError(data json.RawMessage) (*InputPassportElementError, error) { - var resp InputPassportElementError - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageText(data json.RawMessage) (*MessageText, error) { - var resp MessageText - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageAnimation(data json.RawMessage) (*MessageAnimation, error) { - var resp MessageAnimation - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageAudio(data json.RawMessage) (*MessageAudio, error) { - var resp MessageAudio - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageDocument(data json.RawMessage) (*MessageDocument, error) { - var resp MessageDocument - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessagePhoto(data json.RawMessage) (*MessagePhoto, error) { - var resp MessagePhoto - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageExpiredPhoto(data json.RawMessage) (*MessageExpiredPhoto, error) { - var resp MessageExpiredPhoto - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageSticker(data json.RawMessage) (*MessageSticker, error) { - var resp MessageSticker - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageVideo(data json.RawMessage) (*MessageVideo, error) { - var resp MessageVideo - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageExpiredVideo(data json.RawMessage) (*MessageExpiredVideo, error) { - var resp MessageExpiredVideo - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageVideoNote(data json.RawMessage) (*MessageVideoNote, error) { - var resp MessageVideoNote - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageVoiceNote(data json.RawMessage) (*MessageVoiceNote, error) { - var resp MessageVoiceNote - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageLocation(data json.RawMessage) (*MessageLocation, error) { - var resp MessageLocation - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageVenue(data json.RawMessage) (*MessageVenue, error) { - var resp MessageVenue - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageContact(data json.RawMessage) (*MessageContact, error) { - var resp MessageContact - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageAnimatedEmoji(data json.RawMessage) (*MessageAnimatedEmoji, error) { - var resp MessageAnimatedEmoji - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageDice(data json.RawMessage) (*MessageDice, error) { - var resp MessageDice - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageGame(data json.RawMessage) (*MessageGame, error) { - var resp MessageGame - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessagePoll(data json.RawMessage) (*MessagePoll, error) { - var resp MessagePoll - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageInvoice(data json.RawMessage) (*MessageInvoice, error) { - var resp MessageInvoice - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageCall(data json.RawMessage) (*MessageCall, error) { - var resp MessageCall - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageVideoChatScheduled(data json.RawMessage) (*MessageVideoChatScheduled, error) { - var resp MessageVideoChatScheduled - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageVideoChatStarted(data json.RawMessage) (*MessageVideoChatStarted, error) { - var resp MessageVideoChatStarted - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageVideoChatEnded(data json.RawMessage) (*MessageVideoChatEnded, error) { - var resp MessageVideoChatEnded - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageInviteVideoChatParticipants(data json.RawMessage) (*MessageInviteVideoChatParticipants, error) { - var resp MessageInviteVideoChatParticipants - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageBasicGroupChatCreate(data json.RawMessage) (*MessageBasicGroupChatCreate, error) { - var resp MessageBasicGroupChatCreate - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageSupergroupChatCreate(data json.RawMessage) (*MessageSupergroupChatCreate, error) { - var resp MessageSupergroupChatCreate - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageChatChangeTitle(data json.RawMessage) (*MessageChatChangeTitle, error) { - var resp MessageChatChangeTitle - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageChatChangePhoto(data json.RawMessage) (*MessageChatChangePhoto, error) { - var resp MessageChatChangePhoto - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageChatDeletePhoto(data json.RawMessage) (*MessageChatDeletePhoto, error) { - var resp MessageChatDeletePhoto - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageChatAddMembers(data json.RawMessage) (*MessageChatAddMembers, error) { - var resp MessageChatAddMembers - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageChatJoinByLink(data json.RawMessage) (*MessageChatJoinByLink, error) { - var resp MessageChatJoinByLink - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageChatJoinByRequest(data json.RawMessage) (*MessageChatJoinByRequest, error) { - var resp MessageChatJoinByRequest - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageChatDeleteMember(data json.RawMessage) (*MessageChatDeleteMember, error) { - var resp MessageChatDeleteMember - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageChatUpgradeTo(data json.RawMessage) (*MessageChatUpgradeTo, error) { - var resp MessageChatUpgradeTo - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageChatUpgradeFrom(data json.RawMessage) (*MessageChatUpgradeFrom, error) { - var resp MessageChatUpgradeFrom - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessagePinMessage(data json.RawMessage) (*MessagePinMessage, error) { - var resp MessagePinMessage - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageScreenshotTaken(data json.RawMessage) (*MessageScreenshotTaken, error) { - var resp MessageScreenshotTaken - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageChatSetTheme(data json.RawMessage) (*MessageChatSetTheme, error) { - var resp MessageChatSetTheme - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageChatSetMessageAutoDeleteTime(data json.RawMessage) (*MessageChatSetMessageAutoDeleteTime, error) { - var resp MessageChatSetMessageAutoDeleteTime - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageForumTopicCreated(data json.RawMessage) (*MessageForumTopicCreated, error) { - var resp MessageForumTopicCreated - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageForumTopicEdited(data json.RawMessage) (*MessageForumTopicEdited, error) { - var resp MessageForumTopicEdited - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageForumTopicIsClosedToggled(data json.RawMessage) (*MessageForumTopicIsClosedToggled, error) { - var resp MessageForumTopicIsClosedToggled - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageForumTopicIsHiddenToggled(data json.RawMessage) (*MessageForumTopicIsHiddenToggled, error) { - var resp MessageForumTopicIsHiddenToggled - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageSuggestProfilePhoto(data json.RawMessage) (*MessageSuggestProfilePhoto, error) { - var resp MessageSuggestProfilePhoto - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageCustomServiceAction(data json.RawMessage) (*MessageCustomServiceAction, error) { - var resp MessageCustomServiceAction - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageGameScore(data json.RawMessage) (*MessageGameScore, error) { - var resp MessageGameScore - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessagePaymentSuccessful(data json.RawMessage) (*MessagePaymentSuccessful, error) { - var resp MessagePaymentSuccessful - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessagePaymentSuccessfulBot(data json.RawMessage) (*MessagePaymentSuccessfulBot, error) { - var resp MessagePaymentSuccessfulBot - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageGiftedPremium(data json.RawMessage) (*MessageGiftedPremium, error) { - var resp MessageGiftedPremium - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageContactRegistered(data json.RawMessage) (*MessageContactRegistered, error) { - var resp MessageContactRegistered - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageUserShared(data json.RawMessage) (*MessageUserShared, error) { - var resp MessageUserShared - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageChatShared(data json.RawMessage) (*MessageChatShared, error) { - var resp MessageChatShared - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageWebsiteConnected(data json.RawMessage) (*MessageWebsiteConnected, error) { - var resp MessageWebsiteConnected - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageBotWriteAccessAllowed(data json.RawMessage) (*MessageBotWriteAccessAllowed, error) { - var resp MessageBotWriteAccessAllowed - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageWebAppDataSent(data json.RawMessage) (*MessageWebAppDataSent, error) { - var resp MessageWebAppDataSent - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageWebAppDataReceived(data json.RawMessage) (*MessageWebAppDataReceived, error) { - var resp MessageWebAppDataReceived - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessagePassportDataSent(data json.RawMessage) (*MessagePassportDataSent, error) { - var resp MessagePassportDataSent - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessagePassportDataReceived(data json.RawMessage) (*MessagePassportDataReceived, error) { - var resp MessagePassportDataReceived - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageProximityAlertTriggered(data json.RawMessage) (*MessageProximityAlertTriggered, error) { - var resp MessageProximityAlertTriggered - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageUnsupported(data json.RawMessage) (*MessageUnsupported, error) { - var resp MessageUnsupported - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalTextEntityTypeMention(data json.RawMessage) (*TextEntityTypeMention, error) { - var resp TextEntityTypeMention - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalTextEntityTypeHashtag(data json.RawMessage) (*TextEntityTypeHashtag, error) { - var resp TextEntityTypeHashtag - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalTextEntityTypeCashtag(data json.RawMessage) (*TextEntityTypeCashtag, error) { - var resp TextEntityTypeCashtag - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalTextEntityTypeBotCommand(data json.RawMessage) (*TextEntityTypeBotCommand, error) { - var resp TextEntityTypeBotCommand - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalTextEntityTypeUrl(data json.RawMessage) (*TextEntityTypeUrl, error) { - var resp TextEntityTypeUrl - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalTextEntityTypeEmailAddress(data json.RawMessage) (*TextEntityTypeEmailAddress, error) { - var resp TextEntityTypeEmailAddress - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalTextEntityTypePhoneNumber(data json.RawMessage) (*TextEntityTypePhoneNumber, error) { - var resp TextEntityTypePhoneNumber - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalTextEntityTypeBankCardNumber(data json.RawMessage) (*TextEntityTypeBankCardNumber, error) { - var resp TextEntityTypeBankCardNumber - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalTextEntityTypeBold(data json.RawMessage) (*TextEntityTypeBold, error) { - var resp TextEntityTypeBold - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalTextEntityTypeItalic(data json.RawMessage) (*TextEntityTypeItalic, error) { - var resp TextEntityTypeItalic - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalTextEntityTypeUnderline(data json.RawMessage) (*TextEntityTypeUnderline, error) { - var resp TextEntityTypeUnderline - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalTextEntityTypeStrikethrough(data json.RawMessage) (*TextEntityTypeStrikethrough, error) { - var resp TextEntityTypeStrikethrough - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalTextEntityTypeSpoiler(data json.RawMessage) (*TextEntityTypeSpoiler, error) { - var resp TextEntityTypeSpoiler - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalTextEntityTypeCode(data json.RawMessage) (*TextEntityTypeCode, error) { - var resp TextEntityTypeCode - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalTextEntityTypePre(data json.RawMessage) (*TextEntityTypePre, error) { - var resp TextEntityTypePre - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalTextEntityTypePreCode(data json.RawMessage) (*TextEntityTypePreCode, error) { - var resp TextEntityTypePreCode - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalTextEntityTypeTextUrl(data json.RawMessage) (*TextEntityTypeTextUrl, error) { - var resp TextEntityTypeTextUrl - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalTextEntityTypeMentionName(data json.RawMessage) (*TextEntityTypeMentionName, error) { - var resp TextEntityTypeMentionName - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalTextEntityTypeCustomEmoji(data json.RawMessage) (*TextEntityTypeCustomEmoji, error) { - var resp TextEntityTypeCustomEmoji - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalTextEntityTypeMediaTimestamp(data json.RawMessage) (*TextEntityTypeMediaTimestamp, error) { - var resp TextEntityTypeMediaTimestamp - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputThumbnail(data json.RawMessage) (*InputThumbnail, error) { - var resp InputThumbnail - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageSchedulingStateSendAtDate(data json.RawMessage) (*MessageSchedulingStateSendAtDate, error) { - var resp MessageSchedulingStateSendAtDate - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageSchedulingStateSendWhenOnline(data json.RawMessage) (*MessageSchedulingStateSendWhenOnline, error) { - var resp MessageSchedulingStateSendWhenOnline - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageSendOptions(data json.RawMessage) (*MessageSendOptions, error) { - var resp MessageSendOptions - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalMessageCopyOptions(data json.RawMessage) (*MessageCopyOptions, error) { - var resp MessageCopyOptions - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputMessageText(data json.RawMessage) (*InputMessageText, error) { - var resp InputMessageText - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputMessageAnimation(data json.RawMessage) (*InputMessageAnimation, error) { - var resp InputMessageAnimation - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputMessageAudio(data json.RawMessage) (*InputMessageAudio, error) { - var resp InputMessageAudio - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputMessageDocument(data json.RawMessage) (*InputMessageDocument, error) { - var resp InputMessageDocument - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputMessagePhoto(data json.RawMessage) (*InputMessagePhoto, error) { - var resp InputMessagePhoto - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputMessageSticker(data json.RawMessage) (*InputMessageSticker, error) { - var resp InputMessageSticker - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputMessageVideo(data json.RawMessage) (*InputMessageVideo, error) { - var resp InputMessageVideo - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputMessageVideoNote(data json.RawMessage) (*InputMessageVideoNote, error) { - var resp InputMessageVideoNote - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputMessageVoiceNote(data json.RawMessage) (*InputMessageVoiceNote, error) { - var resp InputMessageVoiceNote - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputMessageLocation(data json.RawMessage) (*InputMessageLocation, error) { - var resp InputMessageLocation - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputMessageVenue(data json.RawMessage) (*InputMessageVenue, error) { - var resp InputMessageVenue - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputMessageContact(data json.RawMessage) (*InputMessageContact, error) { - var resp InputMessageContact - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputMessageDice(data json.RawMessage) (*InputMessageDice, error) { - var resp InputMessageDice - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputMessageGame(data json.RawMessage) (*InputMessageGame, error) { - var resp InputMessageGame - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputMessageInvoice(data json.RawMessage) (*InputMessageInvoice, error) { - var resp InputMessageInvoice - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputMessagePoll(data json.RawMessage) (*InputMessagePoll, error) { - var resp InputMessagePoll - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputMessageForwarded(data json.RawMessage) (*InputMessageForwarded, error) { - var resp InputMessageForwarded - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalSearchMessagesFilterEmpty(data json.RawMessage) (*SearchMessagesFilterEmpty, error) { - var resp SearchMessagesFilterEmpty - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalSearchMessagesFilterAnimation(data json.RawMessage) (*SearchMessagesFilterAnimation, error) { - var resp SearchMessagesFilterAnimation - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalSearchMessagesFilterAudio(data json.RawMessage) (*SearchMessagesFilterAudio, error) { - var resp SearchMessagesFilterAudio - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalSearchMessagesFilterDocument(data json.RawMessage) (*SearchMessagesFilterDocument, error) { - var resp SearchMessagesFilterDocument - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalSearchMessagesFilterPhoto(data json.RawMessage) (*SearchMessagesFilterPhoto, error) { - var resp SearchMessagesFilterPhoto - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalSearchMessagesFilterVideo(data json.RawMessage) (*SearchMessagesFilterVideo, error) { - var resp SearchMessagesFilterVideo - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalSearchMessagesFilterVoiceNote(data json.RawMessage) (*SearchMessagesFilterVoiceNote, error) { - var resp SearchMessagesFilterVoiceNote - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalSearchMessagesFilterPhotoAndVideo(data json.RawMessage) (*SearchMessagesFilterPhotoAndVideo, error) { - var resp SearchMessagesFilterPhotoAndVideo - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalSearchMessagesFilterUrl(data json.RawMessage) (*SearchMessagesFilterUrl, error) { - var resp SearchMessagesFilterUrl - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalSearchMessagesFilterChatPhoto(data json.RawMessage) (*SearchMessagesFilterChatPhoto, error) { - var resp SearchMessagesFilterChatPhoto - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalSearchMessagesFilterVideoNote(data json.RawMessage) (*SearchMessagesFilterVideoNote, error) { - var resp SearchMessagesFilterVideoNote - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalSearchMessagesFilterVoiceAndVideoNote(data json.RawMessage) (*SearchMessagesFilterVoiceAndVideoNote, error) { - var resp SearchMessagesFilterVoiceAndVideoNote - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalSearchMessagesFilterMention(data json.RawMessage) (*SearchMessagesFilterMention, error) { - var resp SearchMessagesFilterMention - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalSearchMessagesFilterUnreadMention(data json.RawMessage) (*SearchMessagesFilterUnreadMention, error) { - var resp SearchMessagesFilterUnreadMention - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalSearchMessagesFilterUnreadReaction(data json.RawMessage) (*SearchMessagesFilterUnreadReaction, error) { - var resp SearchMessagesFilterUnreadReaction - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalSearchMessagesFilterFailedToSend(data json.RawMessage) (*SearchMessagesFilterFailedToSend, error) { - var resp SearchMessagesFilterFailedToSend - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalSearchMessagesFilterPinned(data json.RawMessage) (*SearchMessagesFilterPinned, error) { - var resp SearchMessagesFilterPinned - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatActionTyping(data json.RawMessage) (*ChatActionTyping, error) { - var resp ChatActionTyping - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatActionRecordingVideo(data json.RawMessage) (*ChatActionRecordingVideo, error) { - var resp ChatActionRecordingVideo - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatActionUploadingVideo(data json.RawMessage) (*ChatActionUploadingVideo, error) { - var resp ChatActionUploadingVideo - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatActionRecordingVoiceNote(data json.RawMessage) (*ChatActionRecordingVoiceNote, error) { - var resp ChatActionRecordingVoiceNote - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatActionUploadingVoiceNote(data json.RawMessage) (*ChatActionUploadingVoiceNote, error) { - var resp ChatActionUploadingVoiceNote - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatActionUploadingPhoto(data json.RawMessage) (*ChatActionUploadingPhoto, error) { - var resp ChatActionUploadingPhoto - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatActionUploadingDocument(data json.RawMessage) (*ChatActionUploadingDocument, error) { - var resp ChatActionUploadingDocument - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatActionChoosingSticker(data json.RawMessage) (*ChatActionChoosingSticker, error) { - var resp ChatActionChoosingSticker - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatActionChoosingLocation(data json.RawMessage) (*ChatActionChoosingLocation, error) { - var resp ChatActionChoosingLocation - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatActionChoosingContact(data json.RawMessage) (*ChatActionChoosingContact, error) { - var resp ChatActionChoosingContact - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatActionStartPlayingGame(data json.RawMessage) (*ChatActionStartPlayingGame, error) { - var resp ChatActionStartPlayingGame - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatActionRecordingVideoNote(data json.RawMessage) (*ChatActionRecordingVideoNote, error) { - var resp ChatActionRecordingVideoNote - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatActionUploadingVideoNote(data json.RawMessage) (*ChatActionUploadingVideoNote, error) { - var resp ChatActionUploadingVideoNote - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatActionWatchingAnimations(data json.RawMessage) (*ChatActionWatchingAnimations, error) { - var resp ChatActionWatchingAnimations - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatActionCancel(data json.RawMessage) (*ChatActionCancel, error) { - var resp ChatActionCancel - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalUserStatusEmpty(data json.RawMessage) (*UserStatusEmpty, error) { - var resp UserStatusEmpty - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalUserStatusOnline(data json.RawMessage) (*UserStatusOnline, error) { - var resp UserStatusOnline - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalUserStatusOffline(data json.RawMessage) (*UserStatusOffline, error) { - var resp UserStatusOffline - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalUserStatusRecently(data json.RawMessage) (*UserStatusRecently, error) { - var resp UserStatusRecently - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalUserStatusLastWeek(data json.RawMessage) (*UserStatusLastWeek, error) { - var resp UserStatusLastWeek - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalUserStatusLastMonth(data json.RawMessage) (*UserStatusLastMonth, error) { - var resp UserStatusLastMonth - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalStickers(data json.RawMessage) (*Stickers, error) { - var resp Stickers - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalEmojis(data json.RawMessage) (*Emojis, error) { - var resp Emojis - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalStickerSet(data json.RawMessage) (*StickerSet, error) { - var resp StickerSet - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalStickerSetInfo(data json.RawMessage) (*StickerSetInfo, error) { - var resp StickerSetInfo - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalStickerSets(data json.RawMessage) (*StickerSets, error) { - var resp StickerSets - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalTrendingStickerSets(data json.RawMessage) (*TrendingStickerSets, error) { - var resp TrendingStickerSets - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalEmojiCategory(data json.RawMessage) (*EmojiCategory, error) { - var resp EmojiCategory - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalEmojiCategories(data json.RawMessage) (*EmojiCategories, error) { - var resp EmojiCategories - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalEmojiCategoryTypeDefault(data json.RawMessage) (*EmojiCategoryTypeDefault, error) { - var resp EmojiCategoryTypeDefault - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalEmojiCategoryTypeEmojiStatus(data json.RawMessage) (*EmojiCategoryTypeEmojiStatus, error) { - var resp EmojiCategoryTypeEmojiStatus - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalEmojiCategoryTypeChatPhoto(data json.RawMessage) (*EmojiCategoryTypeChatPhoto, error) { - var resp EmojiCategoryTypeChatPhoto - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalCallDiscardReasonEmpty(data json.RawMessage) (*CallDiscardReasonEmpty, error) { - var resp CallDiscardReasonEmpty - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalCallDiscardReasonMissed(data json.RawMessage) (*CallDiscardReasonMissed, error) { - var resp CallDiscardReasonMissed - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalCallDiscardReasonDeclined(data json.RawMessage) (*CallDiscardReasonDeclined, error) { - var resp CallDiscardReasonDeclined - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalCallDiscardReasonDisconnected(data json.RawMessage) (*CallDiscardReasonDisconnected, error) { - var resp CallDiscardReasonDisconnected - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalCallDiscardReasonHungUp(data json.RawMessage) (*CallDiscardReasonHungUp, error) { - var resp CallDiscardReasonHungUp - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalCallProtocol(data json.RawMessage) (*CallProtocol, error) { - var resp CallProtocol - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalCallServerTypeTelegramReflector(data json.RawMessage) (*CallServerTypeTelegramReflector, error) { - var resp CallServerTypeTelegramReflector - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalCallServerTypeWebrtc(data json.RawMessage) (*CallServerTypeWebrtc, error) { - var resp CallServerTypeWebrtc - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalCallServer(data json.RawMessage) (*CallServer, error) { - var resp CallServer - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalCallId(data json.RawMessage) (*CallId, error) { - var resp CallId - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalGroupCallId(data json.RawMessage) (*GroupCallId, error) { - var resp GroupCallId - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalCallStatePending(data json.RawMessage) (*CallStatePending, error) { - var resp CallStatePending - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalCallStateExchangingKeys(data json.RawMessage) (*CallStateExchangingKeys, error) { - var resp CallStateExchangingKeys - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalCallStateReady(data json.RawMessage) (*CallStateReady, error) { - var resp CallStateReady - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalCallStateHangingUp(data json.RawMessage) (*CallStateHangingUp, error) { - var resp CallStateHangingUp - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalCallStateDiscarded(data json.RawMessage) (*CallStateDiscarded, error) { - var resp CallStateDiscarded - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalCallStateError(data json.RawMessage) (*CallStateError, error) { - var resp CallStateError - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalGroupCallVideoQualityThumbnail(data json.RawMessage) (*GroupCallVideoQualityThumbnail, error) { - var resp GroupCallVideoQualityThumbnail - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalGroupCallVideoQualityMedium(data json.RawMessage) (*GroupCallVideoQualityMedium, error) { - var resp GroupCallVideoQualityMedium - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalGroupCallVideoQualityFull(data json.RawMessage) (*GroupCallVideoQualityFull, error) { - var resp GroupCallVideoQualityFull - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalGroupCallStream(data json.RawMessage) (*GroupCallStream, error) { - var resp GroupCallStream - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalGroupCallStreams(data json.RawMessage) (*GroupCallStreams, error) { - var resp GroupCallStreams - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalRtmpUrl(data json.RawMessage) (*RtmpUrl, error) { - var resp RtmpUrl - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalGroupCallRecentSpeaker(data json.RawMessage) (*GroupCallRecentSpeaker, error) { - var resp GroupCallRecentSpeaker - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalGroupCall(data json.RawMessage) (*GroupCall, error) { - var resp GroupCall - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalGroupCallVideoSourceGroup(data json.RawMessage) (*GroupCallVideoSourceGroup, error) { - var resp GroupCallVideoSourceGroup - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalGroupCallParticipantVideoInfo(data json.RawMessage) (*GroupCallParticipantVideoInfo, error) { - var resp GroupCallParticipantVideoInfo - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalGroupCallParticipant(data json.RawMessage) (*GroupCallParticipant, error) { - var resp GroupCallParticipant - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalCallProblemEcho(data json.RawMessage) (*CallProblemEcho, error) { - var resp CallProblemEcho - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalCallProblemNoise(data json.RawMessage) (*CallProblemNoise, error) { - var resp CallProblemNoise - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalCallProblemInterruptions(data json.RawMessage) (*CallProblemInterruptions, error) { - var resp CallProblemInterruptions - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalCallProblemDistortedSpeech(data json.RawMessage) (*CallProblemDistortedSpeech, error) { - var resp CallProblemDistortedSpeech - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalCallProblemSilentLocal(data json.RawMessage) (*CallProblemSilentLocal, error) { - var resp CallProblemSilentLocal - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalCallProblemSilentRemote(data json.RawMessage) (*CallProblemSilentRemote, error) { - var resp CallProblemSilentRemote - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalCallProblemDropped(data json.RawMessage) (*CallProblemDropped, error) { - var resp CallProblemDropped - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalCallProblemDistortedVideo(data json.RawMessage) (*CallProblemDistortedVideo, error) { - var resp CallProblemDistortedVideo - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalCallProblemPixelatedVideo(data json.RawMessage) (*CallProblemPixelatedVideo, error) { - var resp CallProblemPixelatedVideo - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalCall(data json.RawMessage) (*Call, error) { - var resp Call - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalFirebaseAuthenticationSettingsAndroid(data json.RawMessage) (*FirebaseAuthenticationSettingsAndroid, error) { - var resp FirebaseAuthenticationSettingsAndroid - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalFirebaseAuthenticationSettingsIos(data json.RawMessage) (*FirebaseAuthenticationSettingsIos, error) { - var resp FirebaseAuthenticationSettingsIos - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPhoneNumberAuthenticationSettings(data json.RawMessage) (*PhoneNumberAuthenticationSettings, error) { - var resp PhoneNumberAuthenticationSettings - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalAddedReaction(data json.RawMessage) (*AddedReaction, error) { - var resp AddedReaction - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalAddedReactions(data json.RawMessage) (*AddedReactions, error) { - var resp AddedReactions - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalAvailableReaction(data json.RawMessage) (*AvailableReaction, error) { - var resp AvailableReaction - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalAvailableReactions(data json.RawMessage) (*AvailableReactions, error) { - var resp AvailableReactions - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalEmojiReaction(data json.RawMessage) (*EmojiReaction, error) { - var resp EmojiReaction - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalAnimations(data json.RawMessage) (*Animations, error) { - var resp Animations - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalDiceStickersRegular(data json.RawMessage) (*DiceStickersRegular, error) { - var resp DiceStickersRegular - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalDiceStickersSlotMachine(data json.RawMessage) (*DiceStickersSlotMachine, error) { - var resp DiceStickersSlotMachine - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalImportedContacts(data json.RawMessage) (*ImportedContacts, error) { - var resp ImportedContacts - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalSpeechRecognitionResultPending(data json.RawMessage) (*SpeechRecognitionResultPending, error) { - var resp SpeechRecognitionResultPending - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalSpeechRecognitionResultText(data json.RawMessage) (*SpeechRecognitionResultText, error) { - var resp SpeechRecognitionResultText - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalSpeechRecognitionResultError(data json.RawMessage) (*SpeechRecognitionResultError, error) { - var resp SpeechRecognitionResultError - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalAttachmentMenuBotColor(data json.RawMessage) (*AttachmentMenuBotColor, error) { - var resp AttachmentMenuBotColor - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalAttachmentMenuBot(data json.RawMessage) (*AttachmentMenuBot, error) { - var resp AttachmentMenuBot - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalSentWebAppMessage(data json.RawMessage) (*SentWebAppMessage, error) { - var resp SentWebAppMessage - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalHttpUrl(data json.RawMessage) (*HttpUrl, error) { - var resp HttpUrl - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalUserLink(data json.RawMessage) (*UserLink, error) { - var resp UserLink - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputInlineQueryResultAnimation(data json.RawMessage) (*InputInlineQueryResultAnimation, error) { - var resp InputInlineQueryResultAnimation - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputInlineQueryResultArticle(data json.RawMessage) (*InputInlineQueryResultArticle, error) { - var resp InputInlineQueryResultArticle - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputInlineQueryResultAudio(data json.RawMessage) (*InputInlineQueryResultAudio, error) { - var resp InputInlineQueryResultAudio - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputInlineQueryResultContact(data json.RawMessage) (*InputInlineQueryResultContact, error) { - var resp InputInlineQueryResultContact - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputInlineQueryResultDocument(data json.RawMessage) (*InputInlineQueryResultDocument, error) { - var resp InputInlineQueryResultDocument - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputInlineQueryResultGame(data json.RawMessage) (*InputInlineQueryResultGame, error) { - var resp InputInlineQueryResultGame - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputInlineQueryResultLocation(data json.RawMessage) (*InputInlineQueryResultLocation, error) { - var resp InputInlineQueryResultLocation - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputInlineQueryResultPhoto(data json.RawMessage) (*InputInlineQueryResultPhoto, error) { - var resp InputInlineQueryResultPhoto - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputInlineQueryResultSticker(data json.RawMessage) (*InputInlineQueryResultSticker, error) { - var resp InputInlineQueryResultSticker - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputInlineQueryResultVenue(data json.RawMessage) (*InputInlineQueryResultVenue, error) { - var resp InputInlineQueryResultVenue - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputInlineQueryResultVideo(data json.RawMessage) (*InputInlineQueryResultVideo, error) { - var resp InputInlineQueryResultVideo - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInputInlineQueryResultVoiceNote(data json.RawMessage) (*InputInlineQueryResultVoiceNote, error) { - var resp InputInlineQueryResultVoiceNote - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInlineQueryResultArticle(data json.RawMessage) (*InlineQueryResultArticle, error) { - var resp InlineQueryResultArticle - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInlineQueryResultContact(data json.RawMessage) (*InlineQueryResultContact, error) { - var resp InlineQueryResultContact - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInlineQueryResultLocation(data json.RawMessage) (*InlineQueryResultLocation, error) { - var resp InlineQueryResultLocation - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInlineQueryResultVenue(data json.RawMessage) (*InlineQueryResultVenue, error) { - var resp InlineQueryResultVenue - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInlineQueryResultGame(data json.RawMessage) (*InlineQueryResultGame, error) { - var resp InlineQueryResultGame - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInlineQueryResultAnimation(data json.RawMessage) (*InlineQueryResultAnimation, error) { - var resp InlineQueryResultAnimation - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInlineQueryResultAudio(data json.RawMessage) (*InlineQueryResultAudio, error) { - var resp InlineQueryResultAudio - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInlineQueryResultDocument(data json.RawMessage) (*InlineQueryResultDocument, error) { - var resp InlineQueryResultDocument - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInlineQueryResultPhoto(data json.RawMessage) (*InlineQueryResultPhoto, error) { - var resp InlineQueryResultPhoto - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInlineQueryResultSticker(data json.RawMessage) (*InlineQueryResultSticker, error) { - var resp InlineQueryResultSticker - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInlineQueryResultVideo(data json.RawMessage) (*InlineQueryResultVideo, error) { - var resp InlineQueryResultVideo - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInlineQueryResultVoiceNote(data json.RawMessage) (*InlineQueryResultVoiceNote, error) { - var resp InlineQueryResultVoiceNote - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInlineQueryResultsButtonTypeStartBot(data json.RawMessage) (*InlineQueryResultsButtonTypeStartBot, error) { - var resp InlineQueryResultsButtonTypeStartBot - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInlineQueryResultsButtonTypeWebApp(data json.RawMessage) (*InlineQueryResultsButtonTypeWebApp, error) { - var resp InlineQueryResultsButtonTypeWebApp - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInlineQueryResultsButton(data json.RawMessage) (*InlineQueryResultsButton, error) { - var resp InlineQueryResultsButton - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalInlineQueryResults(data json.RawMessage) (*InlineQueryResults, error) { - var resp InlineQueryResults - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalCallbackQueryPayloadData(data json.RawMessage) (*CallbackQueryPayloadData, error) { - var resp CallbackQueryPayloadData - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalCallbackQueryPayloadDataWithPassword(data json.RawMessage) (*CallbackQueryPayloadDataWithPassword, error) { - var resp CallbackQueryPayloadDataWithPassword - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalCallbackQueryPayloadGame(data json.RawMessage) (*CallbackQueryPayloadGame, error) { - var resp CallbackQueryPayloadGame - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalCallbackQueryAnswer(data json.RawMessage) (*CallbackQueryAnswer, error) { - var resp CallbackQueryAnswer - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalCustomRequestResult(data json.RawMessage) (*CustomRequestResult, error) { - var resp CustomRequestResult - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalGameHighScore(data json.RawMessage) (*GameHighScore, error) { - var resp GameHighScore - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalGameHighScores(data json.RawMessage) (*GameHighScores, error) { - var resp GameHighScores - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatEventMessageEdited(data json.RawMessage) (*ChatEventMessageEdited, error) { - var resp ChatEventMessageEdited - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatEventMessageDeleted(data json.RawMessage) (*ChatEventMessageDeleted, error) { - var resp ChatEventMessageDeleted - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatEventMessagePinned(data json.RawMessage) (*ChatEventMessagePinned, error) { - var resp ChatEventMessagePinned - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatEventMessageUnpinned(data json.RawMessage) (*ChatEventMessageUnpinned, error) { - var resp ChatEventMessageUnpinned - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatEventPollStopped(data json.RawMessage) (*ChatEventPollStopped, error) { - var resp ChatEventPollStopped - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatEventMemberJoined(data json.RawMessage) (*ChatEventMemberJoined, error) { - var resp ChatEventMemberJoined - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatEventMemberJoinedByInviteLink(data json.RawMessage) (*ChatEventMemberJoinedByInviteLink, error) { - var resp ChatEventMemberJoinedByInviteLink - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatEventMemberJoinedByRequest(data json.RawMessage) (*ChatEventMemberJoinedByRequest, error) { - var resp ChatEventMemberJoinedByRequest - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatEventMemberInvited(data json.RawMessage) (*ChatEventMemberInvited, error) { - var resp ChatEventMemberInvited - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatEventMemberLeft(data json.RawMessage) (*ChatEventMemberLeft, error) { - var resp ChatEventMemberLeft - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatEventMemberPromoted(data json.RawMessage) (*ChatEventMemberPromoted, error) { - var resp ChatEventMemberPromoted - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatEventMemberRestricted(data json.RawMessage) (*ChatEventMemberRestricted, error) { - var resp ChatEventMemberRestricted - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatEventAvailableReactionsChanged(data json.RawMessage) (*ChatEventAvailableReactionsChanged, error) { - var resp ChatEventAvailableReactionsChanged - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatEventDescriptionChanged(data json.RawMessage) (*ChatEventDescriptionChanged, error) { - var resp ChatEventDescriptionChanged - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatEventLinkedChatChanged(data json.RawMessage) (*ChatEventLinkedChatChanged, error) { - var resp ChatEventLinkedChatChanged - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatEventLocationChanged(data json.RawMessage) (*ChatEventLocationChanged, error) { - var resp ChatEventLocationChanged - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatEventMessageAutoDeleteTimeChanged(data json.RawMessage) (*ChatEventMessageAutoDeleteTimeChanged, error) { - var resp ChatEventMessageAutoDeleteTimeChanged - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatEventPermissionsChanged(data json.RawMessage) (*ChatEventPermissionsChanged, error) { - var resp ChatEventPermissionsChanged - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatEventPhotoChanged(data json.RawMessage) (*ChatEventPhotoChanged, error) { - var resp ChatEventPhotoChanged - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatEventSlowModeDelayChanged(data json.RawMessage) (*ChatEventSlowModeDelayChanged, error) { - var resp ChatEventSlowModeDelayChanged - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatEventStickerSetChanged(data json.RawMessage) (*ChatEventStickerSetChanged, error) { - var resp ChatEventStickerSetChanged - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatEventTitleChanged(data json.RawMessage) (*ChatEventTitleChanged, error) { - var resp ChatEventTitleChanged - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatEventUsernameChanged(data json.RawMessage) (*ChatEventUsernameChanged, error) { - var resp ChatEventUsernameChanged - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatEventActiveUsernamesChanged(data json.RawMessage) (*ChatEventActiveUsernamesChanged, error) { - var resp ChatEventActiveUsernamesChanged - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatEventHasProtectedContentToggled(data json.RawMessage) (*ChatEventHasProtectedContentToggled, error) { - var resp ChatEventHasProtectedContentToggled - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatEventInvitesToggled(data json.RawMessage) (*ChatEventInvitesToggled, error) { - var resp ChatEventInvitesToggled - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatEventIsAllHistoryAvailableToggled(data json.RawMessage) (*ChatEventIsAllHistoryAvailableToggled, error) { - var resp ChatEventIsAllHistoryAvailableToggled - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatEventHasAggressiveAntiSpamEnabledToggled(data json.RawMessage) (*ChatEventHasAggressiveAntiSpamEnabledToggled, error) { - var resp ChatEventHasAggressiveAntiSpamEnabledToggled - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatEventSignMessagesToggled(data json.RawMessage) (*ChatEventSignMessagesToggled, error) { - var resp ChatEventSignMessagesToggled - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatEventInviteLinkEdited(data json.RawMessage) (*ChatEventInviteLinkEdited, error) { - var resp ChatEventInviteLinkEdited - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatEventInviteLinkRevoked(data json.RawMessage) (*ChatEventInviteLinkRevoked, error) { - var resp ChatEventInviteLinkRevoked - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatEventInviteLinkDeleted(data json.RawMessage) (*ChatEventInviteLinkDeleted, error) { - var resp ChatEventInviteLinkDeleted - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatEventVideoChatCreated(data json.RawMessage) (*ChatEventVideoChatCreated, error) { - var resp ChatEventVideoChatCreated - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatEventVideoChatEnded(data json.RawMessage) (*ChatEventVideoChatEnded, error) { - var resp ChatEventVideoChatEnded - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatEventVideoChatMuteNewParticipantsToggled(data json.RawMessage) (*ChatEventVideoChatMuteNewParticipantsToggled, error) { - var resp ChatEventVideoChatMuteNewParticipantsToggled - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatEventVideoChatParticipantIsMutedToggled(data json.RawMessage) (*ChatEventVideoChatParticipantIsMutedToggled, error) { - var resp ChatEventVideoChatParticipantIsMutedToggled - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatEventVideoChatParticipantVolumeLevelChanged(data json.RawMessage) (*ChatEventVideoChatParticipantVolumeLevelChanged, error) { - var resp ChatEventVideoChatParticipantVolumeLevelChanged - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatEventIsForumToggled(data json.RawMessage) (*ChatEventIsForumToggled, error) { - var resp ChatEventIsForumToggled - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatEventForumTopicCreated(data json.RawMessage) (*ChatEventForumTopicCreated, error) { - var resp ChatEventForumTopicCreated - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatEventForumTopicEdited(data json.RawMessage) (*ChatEventForumTopicEdited, error) { - var resp ChatEventForumTopicEdited - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatEventForumTopicToggleIsClosed(data json.RawMessage) (*ChatEventForumTopicToggleIsClosed, error) { - var resp ChatEventForumTopicToggleIsClosed - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatEventForumTopicToggleIsHidden(data json.RawMessage) (*ChatEventForumTopicToggleIsHidden, error) { - var resp ChatEventForumTopicToggleIsHidden - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatEventForumTopicDeleted(data json.RawMessage) (*ChatEventForumTopicDeleted, error) { - var resp ChatEventForumTopicDeleted - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatEventForumTopicPinned(data json.RawMessage) (*ChatEventForumTopicPinned, error) { - var resp ChatEventForumTopicPinned - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatEvent(data json.RawMessage) (*ChatEvent, error) { - var resp ChatEvent - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatEvents(data json.RawMessage) (*ChatEvents, error) { - var resp ChatEvents - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalChatEventLogFilters(data json.RawMessage) (*ChatEventLogFilters, error) { - var resp ChatEventLogFilters - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalLanguagePackStringValueOrdinary(data json.RawMessage) (*LanguagePackStringValueOrdinary, error) { - var resp LanguagePackStringValueOrdinary - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalLanguagePackStringValuePluralized(data json.RawMessage) (*LanguagePackStringValuePluralized, error) { - var resp LanguagePackStringValuePluralized - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalLanguagePackStringValueDeleted(data json.RawMessage) (*LanguagePackStringValueDeleted, error) { - var resp LanguagePackStringValueDeleted - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalLanguagePackString(data json.RawMessage) (*LanguagePackString, error) { - var resp LanguagePackString - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalLanguagePackStrings(data json.RawMessage) (*LanguagePackStrings, error) { - var resp LanguagePackStrings - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalLanguagePackInfo(data json.RawMessage) (*LanguagePackInfo, error) { - var resp LanguagePackInfo - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalLocalizationTargetInfo(data json.RawMessage) (*LocalizationTargetInfo, error) { - var resp LocalizationTargetInfo - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPremiumLimitTypeSupergroupCount(data json.RawMessage) (*PremiumLimitTypeSupergroupCount, error) { - var resp PremiumLimitTypeSupergroupCount - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPremiumLimitTypePinnedChatCount(data json.RawMessage) (*PremiumLimitTypePinnedChatCount, error) { - var resp PremiumLimitTypePinnedChatCount - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPremiumLimitTypeCreatedPublicChatCount(data json.RawMessage) (*PremiumLimitTypeCreatedPublicChatCount, error) { - var resp PremiumLimitTypeCreatedPublicChatCount - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPremiumLimitTypeSavedAnimationCount(data json.RawMessage) (*PremiumLimitTypeSavedAnimationCount, error) { - var resp PremiumLimitTypeSavedAnimationCount - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPremiumLimitTypeFavoriteStickerCount(data json.RawMessage) (*PremiumLimitTypeFavoriteStickerCount, error) { - var resp PremiumLimitTypeFavoriteStickerCount - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPremiumLimitTypeChatFilterCount(data json.RawMessage) (*PremiumLimitTypeChatFilterCount, error) { - var resp PremiumLimitTypeChatFilterCount - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPremiumLimitTypeChatFilterChosenChatCount(data json.RawMessage) (*PremiumLimitTypeChatFilterChosenChatCount, error) { - var resp PremiumLimitTypeChatFilterChosenChatCount - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPremiumLimitTypePinnedArchivedChatCount(data json.RawMessage) (*PremiumLimitTypePinnedArchivedChatCount, error) { - var resp PremiumLimitTypePinnedArchivedChatCount - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPremiumLimitTypeCaptionLength(data json.RawMessage) (*PremiumLimitTypeCaptionLength, error) { - var resp PremiumLimitTypeCaptionLength - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPremiumLimitTypeBioLength(data json.RawMessage) (*PremiumLimitTypeBioLength, error) { - var resp PremiumLimitTypeBioLength - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPremiumFeatureIncreasedLimits(data json.RawMessage) (*PremiumFeatureIncreasedLimits, error) { - var resp PremiumFeatureIncreasedLimits - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPremiumFeatureIncreasedUploadFileSize(data json.RawMessage) (*PremiumFeatureIncreasedUploadFileSize, error) { - var resp PremiumFeatureIncreasedUploadFileSize - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPremiumFeatureImprovedDownloadSpeed(data json.RawMessage) (*PremiumFeatureImprovedDownloadSpeed, error) { - var resp PremiumFeatureImprovedDownloadSpeed - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPremiumFeatureVoiceRecognition(data json.RawMessage) (*PremiumFeatureVoiceRecognition, error) { - var resp PremiumFeatureVoiceRecognition - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPremiumFeatureDisabledAds(data json.RawMessage) (*PremiumFeatureDisabledAds, error) { - var resp PremiumFeatureDisabledAds - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPremiumFeatureUniqueReactions(data json.RawMessage) (*PremiumFeatureUniqueReactions, error) { - var resp PremiumFeatureUniqueReactions - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPremiumFeatureUniqueStickers(data json.RawMessage) (*PremiumFeatureUniqueStickers, error) { - var resp PremiumFeatureUniqueStickers - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPremiumFeatureCustomEmoji(data json.RawMessage) (*PremiumFeatureCustomEmoji, error) { - var resp PremiumFeatureCustomEmoji - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPremiumFeatureAdvancedChatManagement(data json.RawMessage) (*PremiumFeatureAdvancedChatManagement, error) { - var resp PremiumFeatureAdvancedChatManagement - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPremiumFeatureProfileBadge(data json.RawMessage) (*PremiumFeatureProfileBadge, error) { - var resp PremiumFeatureProfileBadge - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPremiumFeatureEmojiStatus(data json.RawMessage) (*PremiumFeatureEmojiStatus, error) { - var resp PremiumFeatureEmojiStatus - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPremiumFeatureAnimatedProfilePhoto(data json.RawMessage) (*PremiumFeatureAnimatedProfilePhoto, error) { - var resp PremiumFeatureAnimatedProfilePhoto - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPremiumFeatureForumTopicIcon(data json.RawMessage) (*PremiumFeatureForumTopicIcon, error) { - var resp PremiumFeatureForumTopicIcon - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPremiumFeatureAppIcons(data json.RawMessage) (*PremiumFeatureAppIcons, error) { - var resp PremiumFeatureAppIcons - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPremiumFeatureRealTimeChatTranslation(data json.RawMessage) (*PremiumFeatureRealTimeChatTranslation, error) { - var resp PremiumFeatureRealTimeChatTranslation - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPremiumLimit(data json.RawMessage) (*PremiumLimit, error) { - var resp PremiumLimit - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPremiumFeatures(data json.RawMessage) (*PremiumFeatures, error) { - var resp PremiumFeatures - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPremiumSourceLimitExceeded(data json.RawMessage) (*PremiumSourceLimitExceeded, error) { - var resp PremiumSourceLimitExceeded - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPremiumSourceFeature(data json.RawMessage) (*PremiumSourceFeature, error) { - var resp PremiumSourceFeature - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPremiumSourceLink(data json.RawMessage) (*PremiumSourceLink, error) { - var resp PremiumSourceLink - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPremiumSourceSettings(data json.RawMessage) (*PremiumSourceSettings, error) { - var resp PremiumSourceSettings - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPremiumFeaturePromotionAnimation(data json.RawMessage) (*PremiumFeaturePromotionAnimation, error) { - var resp PremiumFeaturePromotionAnimation - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPremiumState(data json.RawMessage) (*PremiumState, error) { - var resp PremiumState - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalStorePaymentPurposePremiumSubscription(data json.RawMessage) (*StorePaymentPurposePremiumSubscription, error) { - var resp StorePaymentPurposePremiumSubscription - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalStorePaymentPurposeGiftedPremium(data json.RawMessage) (*StorePaymentPurposeGiftedPremium, error) { - var resp StorePaymentPurposeGiftedPremium - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalDeviceTokenFirebaseCloudMessaging(data json.RawMessage) (*DeviceTokenFirebaseCloudMessaging, error) { - var resp DeviceTokenFirebaseCloudMessaging - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalDeviceTokenApplePush(data json.RawMessage) (*DeviceTokenApplePush, error) { - var resp DeviceTokenApplePush - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalDeviceTokenApplePushVoIP(data json.RawMessage) (*DeviceTokenApplePushVoIP, error) { - var resp DeviceTokenApplePushVoIP - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalDeviceTokenWindowsPush(data json.RawMessage) (*DeviceTokenWindowsPush, error) { - var resp DeviceTokenWindowsPush - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalDeviceTokenMicrosoftPush(data json.RawMessage) (*DeviceTokenMicrosoftPush, error) { - var resp DeviceTokenMicrosoftPush - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalDeviceTokenMicrosoftPushVoIP(data json.RawMessage) (*DeviceTokenMicrosoftPushVoIP, error) { - var resp DeviceTokenMicrosoftPushVoIP - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalDeviceTokenWebPush(data json.RawMessage) (*DeviceTokenWebPush, error) { - var resp DeviceTokenWebPush - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalDeviceTokenSimplePush(data json.RawMessage) (*DeviceTokenSimplePush, error) { - var resp DeviceTokenSimplePush - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalDeviceTokenUbuntuPush(data json.RawMessage) (*DeviceTokenUbuntuPush, error) { - var resp DeviceTokenUbuntuPush - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalDeviceTokenBlackBerryPush(data json.RawMessage) (*DeviceTokenBlackBerryPush, error) { - var resp DeviceTokenBlackBerryPush - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalDeviceTokenTizenPush(data json.RawMessage) (*DeviceTokenTizenPush, error) { - var resp DeviceTokenTizenPush - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalDeviceTokenHuaweiPush(data json.RawMessage) (*DeviceTokenHuaweiPush, error) { - var resp DeviceTokenHuaweiPush - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalPushReceiverId(data json.RawMessage) (*PushReceiverId, error) { - var resp PushReceiverId - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalBackgroundFillSolid(data json.RawMessage) (*BackgroundFillSolid, error) { - var resp BackgroundFillSolid - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalBackgroundFillGradient(data json.RawMessage) (*BackgroundFillGradient, error) { - var resp BackgroundFillGradient - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalBackgroundFillFreeformGradient(data json.RawMessage) (*BackgroundFillFreeformGradient, error) { - var resp BackgroundFillFreeformGradient - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalBackgroundTypeWallpaper(data json.RawMessage) (*BackgroundTypeWallpaper, error) { - var resp BackgroundTypeWallpaper - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalBackgroundTypePattern(data json.RawMessage) (*BackgroundTypePattern, error) { - var resp BackgroundTypePattern - - err := json.Unmarshal(data, &resp) - - return &resp, err -} - -func UnmarshalBackgroundTypeFill(data json.RawMessage) (*BackgroundTypeFill, error) { - var resp BackgroundTypeFill - - err := json.Unmarshal(data, &resp) - - return &resp, err + return &resp, err } func UnmarshalBackground(data json.RawMessage) (*Background, error) { - var resp Background + var resp Background - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalBackgrounds(data json.RawMessage) (*Backgrounds, error) { - var resp Backgrounds + var resp Backgrounds - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalInputBackgroundLocal(data json.RawMessage) (*InputBackgroundLocal, error) { - var resp InputBackgroundLocal +func UnmarshalChatBackground(data json.RawMessage) (*ChatBackground, error) { + var resp ChatBackground - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalInputBackgroundRemote(data json.RawMessage) (*InputBackgroundRemote, error) { - var resp InputBackgroundRemote +func UnmarshalProfilePhoto(data json.RawMessage) (*ProfilePhoto, error) { + var resp ProfilePhoto - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err +} + +func UnmarshalChatPhotoInfo(data json.RawMessage) (*ChatPhotoInfo, error) { + var resp ChatPhotoInfo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalProfileTabPosts(data json.RawMessage) (*ProfileTabPosts, error) { + var resp ProfileTabPosts + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalProfileTabGifts(data json.RawMessage) (*ProfileTabGifts, error) { + var resp ProfileTabGifts + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalProfileTabMedia(data json.RawMessage) (*ProfileTabMedia, error) { + var resp ProfileTabMedia + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalProfileTabFiles(data json.RawMessage) (*ProfileTabFiles, error) { + var resp ProfileTabFiles + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalProfileTabLinks(data json.RawMessage) (*ProfileTabLinks, error) { + var resp ProfileTabLinks + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalProfileTabMusic(data json.RawMessage) (*ProfileTabMusic, error) { + var resp ProfileTabMusic + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalProfileTabVoice(data json.RawMessage) (*ProfileTabVoice, error) { + var resp ProfileTabVoice + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalProfileTabGifs(data json.RawMessage) (*ProfileTabGifs, error) { + var resp ProfileTabGifs + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUserTypeRegular(data json.RawMessage) (*UserTypeRegular, error) { + var resp UserTypeRegular + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUserTypeDeleted(data json.RawMessage) (*UserTypeDeleted, error) { + var resp UserTypeDeleted + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUserTypeBot(data json.RawMessage) (*UserTypeBot, error) { + var resp UserTypeBot + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUserTypeUnknown(data json.RawMessage) (*UserTypeUnknown, error) { + var resp UserTypeUnknown + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBotCommand(data json.RawMessage) (*BotCommand, error) { + var resp BotCommand + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBotCommands(data json.RawMessage) (*BotCommands, error) { + var resp BotCommands + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBotMenuButton(data json.RawMessage) (*BotMenuButton, error) { + var resp BotMenuButton + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBotVerificationParameters(data json.RawMessage) (*BotVerificationParameters, error) { + var resp BotVerificationParameters + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBotVerification(data json.RawMessage) (*BotVerification, error) { + var resp BotVerification + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalVerificationStatus(data json.RawMessage) (*VerificationStatus, error) { + var resp VerificationStatus + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatLocation(data json.RawMessage) (*ChatLocation, error) { + var resp ChatLocation + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBirthdate(data json.RawMessage) (*Birthdate, error) { + var resp Birthdate + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCloseBirthdayUser(data json.RawMessage) (*CloseBirthdayUser, error) { + var resp CloseBirthdayUser + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBusinessAwayMessageScheduleAlways(data json.RawMessage) (*BusinessAwayMessageScheduleAlways, error) { + var resp BusinessAwayMessageScheduleAlways + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBusinessAwayMessageScheduleOutsideOfOpeningHours(data json.RawMessage) (*BusinessAwayMessageScheduleOutsideOfOpeningHours, error) { + var resp BusinessAwayMessageScheduleOutsideOfOpeningHours + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBusinessAwayMessageScheduleCustom(data json.RawMessage) (*BusinessAwayMessageScheduleCustom, error) { + var resp BusinessAwayMessageScheduleCustom + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBusinessLocation(data json.RawMessage) (*BusinessLocation, error) { + var resp BusinessLocation + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBusinessRecipients(data json.RawMessage) (*BusinessRecipients, error) { + var resp BusinessRecipients + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBusinessAwayMessageSettings(data json.RawMessage) (*BusinessAwayMessageSettings, error) { + var resp BusinessAwayMessageSettings + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBusinessGreetingMessageSettings(data json.RawMessage) (*BusinessGreetingMessageSettings, error) { + var resp BusinessGreetingMessageSettings + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBusinessBotRights(data json.RawMessage) (*BusinessBotRights, error) { + var resp BusinessBotRights + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBusinessConnectedBot(data json.RawMessage) (*BusinessConnectedBot, error) { + var resp BusinessConnectedBot + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBusinessStartPage(data json.RawMessage) (*BusinessStartPage, error) { + var resp BusinessStartPage + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputBusinessStartPage(data json.RawMessage) (*InputBusinessStartPage, error) { + var resp InputBusinessStartPage + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBusinessOpeningHoursInterval(data json.RawMessage) (*BusinessOpeningHoursInterval, error) { + var resp BusinessOpeningHoursInterval + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBusinessOpeningHours(data json.RawMessage) (*BusinessOpeningHours, error) { + var resp BusinessOpeningHours + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBusinessInfo(data json.RawMessage) (*BusinessInfo, error) { + var resp BusinessInfo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBusinessChatLink(data json.RawMessage) (*BusinessChatLink, error) { + var resp BusinessChatLink + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBusinessChatLinks(data json.RawMessage) (*BusinessChatLinks, error) { + var resp BusinessChatLinks + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputBusinessChatLink(data json.RawMessage) (*InputBusinessChatLink, error) { + var resp InputBusinessChatLink + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBusinessChatLinkInfo(data json.RawMessage) (*BusinessChatLinkInfo, error) { + var resp BusinessChatLinkInfo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatPhotoStickerTypeRegularOrMask(data json.RawMessage) (*ChatPhotoStickerTypeRegularOrMask, error) { + var resp ChatPhotoStickerTypeRegularOrMask + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatPhotoStickerTypeCustomEmoji(data json.RawMessage) (*ChatPhotoStickerTypeCustomEmoji, error) { + var resp ChatPhotoStickerTypeCustomEmoji + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatPhotoSticker(data json.RawMessage) (*ChatPhotoSticker, error) { + var resp ChatPhotoSticker + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalAnimatedChatPhoto(data json.RawMessage) (*AnimatedChatPhoto, error) { + var resp AnimatedChatPhoto + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatPhoto(data json.RawMessage) (*ChatPhoto, error) { + var resp ChatPhoto + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatPhotos(data json.RawMessage) (*ChatPhotos, error) { + var resp ChatPhotos + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputChatPhotoPrevious(data json.RawMessage) (*InputChatPhotoPrevious, error) { + var resp InputChatPhotoPrevious + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputChatPhotoStatic(data json.RawMessage) (*InputChatPhotoStatic, error) { + var resp InputChatPhotoStatic + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputChatPhotoAnimation(data json.RawMessage) (*InputChatPhotoAnimation, error) { + var resp InputChatPhotoAnimation + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputChatPhotoSticker(data json.RawMessage) (*InputChatPhotoSticker, error) { + var resp InputChatPhotoSticker + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatPermissions(data json.RawMessage) (*ChatPermissions, error) { + var resp ChatPermissions + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatAdministratorRights(data json.RawMessage) (*ChatAdministratorRights, error) { + var resp ChatAdministratorRights + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGiftResalePriceStar(data json.RawMessage) (*GiftResalePriceStar, error) { + var resp GiftResalePriceStar + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGiftResalePriceTon(data json.RawMessage) (*GiftResalePriceTon, error) { + var resp GiftResalePriceTon + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGiftPurchaseOfferStatePending(data json.RawMessage) (*GiftPurchaseOfferStatePending, error) { + var resp GiftPurchaseOfferStatePending + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGiftPurchaseOfferStateAccepted(data json.RawMessage) (*GiftPurchaseOfferStateAccepted, error) { + var resp GiftPurchaseOfferStateAccepted + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGiftPurchaseOfferStateRejected(data json.RawMessage) (*GiftPurchaseOfferStateRejected, error) { + var resp GiftPurchaseOfferStateRejected + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSuggestedPostPriceStar(data json.RawMessage) (*SuggestedPostPriceStar, error) { + var resp SuggestedPostPriceStar + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSuggestedPostPriceTon(data json.RawMessage) (*SuggestedPostPriceTon, error) { + var resp SuggestedPostPriceTon + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSuggestedPostStatePending(data json.RawMessage) (*SuggestedPostStatePending, error) { + var resp SuggestedPostStatePending + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSuggestedPostStateApproved(data json.RawMessage) (*SuggestedPostStateApproved, error) { + var resp SuggestedPostStateApproved + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSuggestedPostStateDeclined(data json.RawMessage) (*SuggestedPostStateDeclined, error) { + var resp SuggestedPostStateDeclined + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSuggestedPostInfo(data json.RawMessage) (*SuggestedPostInfo, error) { + var resp SuggestedPostInfo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputSuggestedPostInfo(data json.RawMessage) (*InputSuggestedPostInfo, error) { + var resp InputSuggestedPostInfo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSuggestedPostRefundReasonPostDeleted(data json.RawMessage) (*SuggestedPostRefundReasonPostDeleted, error) { + var resp SuggestedPostRefundReasonPostDeleted + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSuggestedPostRefundReasonPaymentRefunded(data json.RawMessage) (*SuggestedPostRefundReasonPaymentRefunded, error) { + var resp SuggestedPostRefundReasonPaymentRefunded + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarAmount(data json.RawMessage) (*StarAmount, error) { + var resp StarAmount + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarSubscriptionTypeChannel(data json.RawMessage) (*StarSubscriptionTypeChannel, error) { + var resp StarSubscriptionTypeChannel + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarSubscriptionTypeBot(data json.RawMessage) (*StarSubscriptionTypeBot, error) { + var resp StarSubscriptionTypeBot + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarSubscriptionPricing(data json.RawMessage) (*StarSubscriptionPricing, error) { + var resp StarSubscriptionPricing + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarSubscription(data json.RawMessage) (*StarSubscription, error) { + var resp StarSubscription + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarSubscriptions(data json.RawMessage) (*StarSubscriptions, error) { + var resp StarSubscriptions + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalAffiliateTypeCurrentUser(data json.RawMessage) (*AffiliateTypeCurrentUser, error) { + var resp AffiliateTypeCurrentUser + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalAffiliateTypeBot(data json.RawMessage) (*AffiliateTypeBot, error) { + var resp AffiliateTypeBot + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalAffiliateTypeChannel(data json.RawMessage) (*AffiliateTypeChannel, error) { + var resp AffiliateTypeChannel + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalAffiliateProgramSortOrderProfitability(data json.RawMessage) (*AffiliateProgramSortOrderProfitability, error) { + var resp AffiliateProgramSortOrderProfitability + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalAffiliateProgramSortOrderCreationDate(data json.RawMessage) (*AffiliateProgramSortOrderCreationDate, error) { + var resp AffiliateProgramSortOrderCreationDate + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalAffiliateProgramSortOrderRevenue(data json.RawMessage) (*AffiliateProgramSortOrderRevenue, error) { + var resp AffiliateProgramSortOrderRevenue + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalAffiliateProgramParameters(data json.RawMessage) (*AffiliateProgramParameters, error) { + var resp AffiliateProgramParameters + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalAffiliateProgramInfo(data json.RawMessage) (*AffiliateProgramInfo, error) { + var resp AffiliateProgramInfo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalAffiliateInfo(data json.RawMessage) (*AffiliateInfo, error) { + var resp AffiliateInfo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalFoundAffiliateProgram(data json.RawMessage) (*FoundAffiliateProgram, error) { + var resp FoundAffiliateProgram + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalFoundAffiliatePrograms(data json.RawMessage) (*FoundAffiliatePrograms, error) { + var resp FoundAffiliatePrograms + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalConnectedAffiliateProgram(data json.RawMessage) (*ConnectedAffiliateProgram, error) { + var resp ConnectedAffiliateProgram + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalConnectedAffiliatePrograms(data json.RawMessage) (*ConnectedAffiliatePrograms, error) { + var resp ConnectedAffiliatePrograms + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalProductInfo(data json.RawMessage) (*ProductInfo, error) { + var resp ProductInfo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumPaymentOption(data json.RawMessage) (*PremiumPaymentOption, error) { + var resp PremiumPaymentOption + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumStatePaymentOption(data json.RawMessage) (*PremiumStatePaymentOption, error) { + var resp PremiumStatePaymentOption + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumGiftPaymentOption(data json.RawMessage) (*PremiumGiftPaymentOption, error) { + var resp PremiumGiftPaymentOption + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumGiftPaymentOptions(data json.RawMessage) (*PremiumGiftPaymentOptions, error) { + var resp PremiumGiftPaymentOptions + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumGiveawayPaymentOption(data json.RawMessage) (*PremiumGiveawayPaymentOption, error) { + var resp PremiumGiveawayPaymentOption + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumGiveawayPaymentOptions(data json.RawMessage) (*PremiumGiveawayPaymentOptions, error) { + var resp PremiumGiveawayPaymentOptions + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumGiftCodeInfo(data json.RawMessage) (*PremiumGiftCodeInfo, error) { + var resp PremiumGiftCodeInfo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarPaymentOption(data json.RawMessage) (*StarPaymentOption, error) { + var resp StarPaymentOption + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarPaymentOptions(data json.RawMessage) (*StarPaymentOptions, error) { + var resp StarPaymentOptions + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarGiveawayWinnerOption(data json.RawMessage) (*StarGiveawayWinnerOption, error) { + var resp StarGiveawayWinnerOption + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarGiveawayPaymentOption(data json.RawMessage) (*StarGiveawayPaymentOption, error) { + var resp StarGiveawayPaymentOption + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarGiveawayPaymentOptions(data json.RawMessage) (*StarGiveawayPaymentOptions, error) { + var resp StarGiveawayPaymentOptions + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalAcceptedGiftTypes(data json.RawMessage) (*AcceptedGiftTypes, error) { + var resp AcceptedGiftTypes + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGiftSettings(data json.RawMessage) (*GiftSettings, error) { + var resp GiftSettings + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGiftAuction(data json.RawMessage) (*GiftAuction, error) { + var resp GiftAuction + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGiftBackground(data json.RawMessage) (*GiftBackground, error) { + var resp GiftBackground + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGiftPurchaseLimits(data json.RawMessage) (*GiftPurchaseLimits, error) { + var resp GiftPurchaseLimits + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGiftResaleParameters(data json.RawMessage) (*GiftResaleParameters, error) { + var resp GiftResaleParameters + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGiftCollection(data json.RawMessage) (*GiftCollection, error) { + var resp GiftCollection + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGiftCollections(data json.RawMessage) (*GiftCollections, error) { + var resp GiftCollections + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCanSendGiftResultOk(data json.RawMessage) (*CanSendGiftResultOk, error) { + var resp CanSendGiftResultOk + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCanSendGiftResultFail(data json.RawMessage) (*CanSendGiftResultFail, error) { + var resp CanSendGiftResultFail + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpgradedGiftOriginUpgrade(data json.RawMessage) (*UpgradedGiftOriginUpgrade, error) { + var resp UpgradedGiftOriginUpgrade + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpgradedGiftOriginTransfer(data json.RawMessage) (*UpgradedGiftOriginTransfer, error) { + var resp UpgradedGiftOriginTransfer + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpgradedGiftOriginResale(data json.RawMessage) (*UpgradedGiftOriginResale, error) { + var resp UpgradedGiftOriginResale + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpgradedGiftOriginBlockchain(data json.RawMessage) (*UpgradedGiftOriginBlockchain, error) { + var resp UpgradedGiftOriginBlockchain + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpgradedGiftOriginPrepaidUpgrade(data json.RawMessage) (*UpgradedGiftOriginPrepaidUpgrade, error) { + var resp UpgradedGiftOriginPrepaidUpgrade + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpgradedGiftOriginOffer(data json.RawMessage) (*UpgradedGiftOriginOffer, error) { + var resp UpgradedGiftOriginOffer + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpgradedGiftOriginCraft(data json.RawMessage) (*UpgradedGiftOriginCraft, error) { + var resp UpgradedGiftOriginCraft + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpgradedGiftAttributeRarityPerMille(data json.RawMessage) (*UpgradedGiftAttributeRarityPerMille, error) { + var resp UpgradedGiftAttributeRarityPerMille + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpgradedGiftAttributeRarityUncommon(data json.RawMessage) (*UpgradedGiftAttributeRarityUncommon, error) { + var resp UpgradedGiftAttributeRarityUncommon + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpgradedGiftAttributeRarityRare(data json.RawMessage) (*UpgradedGiftAttributeRarityRare, error) { + var resp UpgradedGiftAttributeRarityRare + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpgradedGiftAttributeRarityEpic(data json.RawMessage) (*UpgradedGiftAttributeRarityEpic, error) { + var resp UpgradedGiftAttributeRarityEpic + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpgradedGiftAttributeRarityLegendary(data json.RawMessage) (*UpgradedGiftAttributeRarityLegendary, error) { + var resp UpgradedGiftAttributeRarityLegendary + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpgradedGiftModel(data json.RawMessage) (*UpgradedGiftModel, error) { + var resp UpgradedGiftModel + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpgradedGiftSymbol(data json.RawMessage) (*UpgradedGiftSymbol, error) { + var resp UpgradedGiftSymbol + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpgradedGiftBackdropColors(data json.RawMessage) (*UpgradedGiftBackdropColors, error) { + var resp UpgradedGiftBackdropColors + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpgradedGiftBackdrop(data json.RawMessage) (*UpgradedGiftBackdrop, error) { + var resp UpgradedGiftBackdrop + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpgradedGiftOriginalDetails(data json.RawMessage) (*UpgradedGiftOriginalDetails, error) { + var resp UpgradedGiftOriginalDetails + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpgradedGiftColors(data json.RawMessage) (*UpgradedGiftColors, error) { + var resp UpgradedGiftColors + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGift(data json.RawMessage) (*Gift, error) { + var resp Gift + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpgradedGift(data json.RawMessage) (*UpgradedGift, error) { + var resp UpgradedGift + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpgradedGiftValueInfo(data json.RawMessage) (*UpgradedGiftValueInfo, error) { + var resp UpgradedGiftValueInfo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpgradeGiftResult(data json.RawMessage) (*UpgradeGiftResult, error) { + var resp UpgradeGiftResult + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCraftGiftResultSuccess(data json.RawMessage) (*CraftGiftResultSuccess, error) { + var resp CraftGiftResultSuccess + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCraftGiftResultTooEarly(data json.RawMessage) (*CraftGiftResultTooEarly, error) { + var resp CraftGiftResultTooEarly + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCraftGiftResultInvalidGift(data json.RawMessage) (*CraftGiftResultInvalidGift, error) { + var resp CraftGiftResultInvalidGift + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCraftGiftResultFail(data json.RawMessage) (*CraftGiftResultFail, error) { + var resp CraftGiftResultFail + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalAvailableGift(data json.RawMessage) (*AvailableGift, error) { + var resp AvailableGift + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalAvailableGifts(data json.RawMessage) (*AvailableGifts, error) { + var resp AvailableGifts + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGiftUpgradePrice(data json.RawMessage) (*GiftUpgradePrice, error) { + var resp GiftUpgradePrice + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpgradedGiftAttributeIdModel(data json.RawMessage) (*UpgradedGiftAttributeIdModel, error) { + var resp UpgradedGiftAttributeIdModel + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpgradedGiftAttributeIdSymbol(data json.RawMessage) (*UpgradedGiftAttributeIdSymbol, error) { + var resp UpgradedGiftAttributeIdSymbol + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpgradedGiftAttributeIdBackdrop(data json.RawMessage) (*UpgradedGiftAttributeIdBackdrop, error) { + var resp UpgradedGiftAttributeIdBackdrop + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpgradedGiftModelCount(data json.RawMessage) (*UpgradedGiftModelCount, error) { + var resp UpgradedGiftModelCount + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpgradedGiftSymbolCount(data json.RawMessage) (*UpgradedGiftSymbolCount, error) { + var resp UpgradedGiftSymbolCount + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpgradedGiftBackdropCount(data json.RawMessage) (*UpgradedGiftBackdropCount, error) { + var resp UpgradedGiftBackdropCount + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGiftForResaleOrderPrice(data json.RawMessage) (*GiftForResaleOrderPrice, error) { + var resp GiftForResaleOrderPrice + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGiftForResaleOrderPriceChangeDate(data json.RawMessage) (*GiftForResaleOrderPriceChangeDate, error) { + var resp GiftForResaleOrderPriceChangeDate + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGiftForResaleOrderNumber(data json.RawMessage) (*GiftForResaleOrderNumber, error) { + var resp GiftForResaleOrderNumber + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGiftForResale(data json.RawMessage) (*GiftForResale, error) { + var resp GiftForResale + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGiftsForResale(data json.RawMessage) (*GiftsForResale, error) { + var resp GiftsForResale + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGiftResaleResultOk(data json.RawMessage) (*GiftResaleResultOk, error) { + var resp GiftResaleResultOk + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGiftResaleResultPriceIncreased(data json.RawMessage) (*GiftResaleResultPriceIncreased, error) { + var resp GiftResaleResultPriceIncreased + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSentGiftRegular(data json.RawMessage) (*SentGiftRegular, error) { + var resp SentGiftRegular + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSentGiftUpgraded(data json.RawMessage) (*SentGiftUpgraded, error) { + var resp SentGiftUpgraded + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalReceivedGift(data json.RawMessage) (*ReceivedGift, error) { + var resp ReceivedGift + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalReceivedGifts(data json.RawMessage) (*ReceivedGifts, error) { + var resp ReceivedGifts + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalAttributeCraftPersistenceProbability(data json.RawMessage) (*AttributeCraftPersistenceProbability, error) { + var resp AttributeCraftPersistenceProbability + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGiftsForCrafting(data json.RawMessage) (*GiftsForCrafting, error) { + var resp GiftsForCrafting + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGiftUpgradePreview(data json.RawMessage) (*GiftUpgradePreview, error) { + var resp GiftUpgradePreview + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGiftUpgradeVariants(data json.RawMessage) (*GiftUpgradeVariants, error) { + var resp GiftUpgradeVariants + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalAuctionBid(data json.RawMessage) (*AuctionBid, error) { + var resp AuctionBid + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUserAuctionBid(data json.RawMessage) (*UserAuctionBid, error) { + var resp UserAuctionBid + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalAuctionRound(data json.RawMessage) (*AuctionRound, error) { + var resp AuctionRound + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalAuctionStateActive(data json.RawMessage) (*AuctionStateActive, error) { + var resp AuctionStateActive + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalAuctionStateFinished(data json.RawMessage) (*AuctionStateFinished, error) { + var resp AuctionStateFinished + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGiftAuctionState(data json.RawMessage) (*GiftAuctionState, error) { + var resp GiftAuctionState + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGiftAuctionAcquiredGift(data json.RawMessage) (*GiftAuctionAcquiredGift, error) { + var resp GiftAuctionAcquiredGift + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGiftAuctionAcquiredGifts(data json.RawMessage) (*GiftAuctionAcquiredGifts, error) { + var resp GiftAuctionAcquiredGifts + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTransactionDirectionIncoming(data json.RawMessage) (*TransactionDirectionIncoming, error) { + var resp TransactionDirectionIncoming + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTransactionDirectionOutgoing(data json.RawMessage) (*TransactionDirectionOutgoing, error) { + var resp TransactionDirectionOutgoing + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarTransactionTypePremiumBotDeposit(data json.RawMessage) (*StarTransactionTypePremiumBotDeposit, error) { + var resp StarTransactionTypePremiumBotDeposit + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarTransactionTypeAppStoreDeposit(data json.RawMessage) (*StarTransactionTypeAppStoreDeposit, error) { + var resp StarTransactionTypeAppStoreDeposit + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarTransactionTypeGooglePlayDeposit(data json.RawMessage) (*StarTransactionTypeGooglePlayDeposit, error) { + var resp StarTransactionTypeGooglePlayDeposit + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarTransactionTypeFragmentDeposit(data json.RawMessage) (*StarTransactionTypeFragmentDeposit, error) { + var resp StarTransactionTypeFragmentDeposit + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarTransactionTypeUserDeposit(data json.RawMessage) (*StarTransactionTypeUserDeposit, error) { + var resp StarTransactionTypeUserDeposit + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarTransactionTypeGiveawayDeposit(data json.RawMessage) (*StarTransactionTypeGiveawayDeposit, error) { + var resp StarTransactionTypeGiveawayDeposit + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarTransactionTypeFragmentWithdrawal(data json.RawMessage) (*StarTransactionTypeFragmentWithdrawal, error) { + var resp StarTransactionTypeFragmentWithdrawal + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarTransactionTypeTelegramAdsWithdrawal(data json.RawMessage) (*StarTransactionTypeTelegramAdsWithdrawal, error) { + var resp StarTransactionTypeTelegramAdsWithdrawal + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarTransactionTypeTelegramApiUsage(data json.RawMessage) (*StarTransactionTypeTelegramApiUsage, error) { + var resp StarTransactionTypeTelegramApiUsage + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarTransactionTypeBotPaidMediaPurchase(data json.RawMessage) (*StarTransactionTypeBotPaidMediaPurchase, error) { + var resp StarTransactionTypeBotPaidMediaPurchase + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarTransactionTypeBotPaidMediaSale(data json.RawMessage) (*StarTransactionTypeBotPaidMediaSale, error) { + var resp StarTransactionTypeBotPaidMediaSale + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarTransactionTypeChannelPaidMediaPurchase(data json.RawMessage) (*StarTransactionTypeChannelPaidMediaPurchase, error) { + var resp StarTransactionTypeChannelPaidMediaPurchase + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarTransactionTypeChannelPaidMediaSale(data json.RawMessage) (*StarTransactionTypeChannelPaidMediaSale, error) { + var resp StarTransactionTypeChannelPaidMediaSale + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarTransactionTypeBotInvoicePurchase(data json.RawMessage) (*StarTransactionTypeBotInvoicePurchase, error) { + var resp StarTransactionTypeBotInvoicePurchase + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarTransactionTypeBotInvoiceSale(data json.RawMessage) (*StarTransactionTypeBotInvoiceSale, error) { + var resp StarTransactionTypeBotInvoiceSale + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarTransactionTypeBotSubscriptionPurchase(data json.RawMessage) (*StarTransactionTypeBotSubscriptionPurchase, error) { + var resp StarTransactionTypeBotSubscriptionPurchase + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarTransactionTypeBotSubscriptionSale(data json.RawMessage) (*StarTransactionTypeBotSubscriptionSale, error) { + var resp StarTransactionTypeBotSubscriptionSale + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarTransactionTypeChannelSubscriptionPurchase(data json.RawMessage) (*StarTransactionTypeChannelSubscriptionPurchase, error) { + var resp StarTransactionTypeChannelSubscriptionPurchase + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarTransactionTypeChannelSubscriptionSale(data json.RawMessage) (*StarTransactionTypeChannelSubscriptionSale, error) { + var resp StarTransactionTypeChannelSubscriptionSale + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarTransactionTypeGiftAuctionBid(data json.RawMessage) (*StarTransactionTypeGiftAuctionBid, error) { + var resp StarTransactionTypeGiftAuctionBid + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarTransactionTypeGiftPurchase(data json.RawMessage) (*StarTransactionTypeGiftPurchase, error) { + var resp StarTransactionTypeGiftPurchase + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarTransactionTypeGiftPurchaseOffer(data json.RawMessage) (*StarTransactionTypeGiftPurchaseOffer, error) { + var resp StarTransactionTypeGiftPurchaseOffer + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarTransactionTypeGiftTransfer(data json.RawMessage) (*StarTransactionTypeGiftTransfer, error) { + var resp StarTransactionTypeGiftTransfer + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarTransactionTypeGiftOriginalDetailsDrop(data json.RawMessage) (*StarTransactionTypeGiftOriginalDetailsDrop, error) { + var resp StarTransactionTypeGiftOriginalDetailsDrop + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarTransactionTypeGiftSale(data json.RawMessage) (*StarTransactionTypeGiftSale, error) { + var resp StarTransactionTypeGiftSale + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarTransactionTypeGiftUpgrade(data json.RawMessage) (*StarTransactionTypeGiftUpgrade, error) { + var resp StarTransactionTypeGiftUpgrade + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarTransactionTypeGiftUpgradePurchase(data json.RawMessage) (*StarTransactionTypeGiftUpgradePurchase, error) { + var resp StarTransactionTypeGiftUpgradePurchase + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarTransactionTypeUpgradedGiftPurchase(data json.RawMessage) (*StarTransactionTypeUpgradedGiftPurchase, error) { + var resp StarTransactionTypeUpgradedGiftPurchase + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarTransactionTypeUpgradedGiftSale(data json.RawMessage) (*StarTransactionTypeUpgradedGiftSale, error) { + var resp StarTransactionTypeUpgradedGiftSale + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarTransactionTypeChannelPaidReactionSend(data json.RawMessage) (*StarTransactionTypeChannelPaidReactionSend, error) { + var resp StarTransactionTypeChannelPaidReactionSend + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarTransactionTypeChannelPaidReactionReceive(data json.RawMessage) (*StarTransactionTypeChannelPaidReactionReceive, error) { + var resp StarTransactionTypeChannelPaidReactionReceive + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarTransactionTypeAffiliateProgramCommission(data json.RawMessage) (*StarTransactionTypeAffiliateProgramCommission, error) { + var resp StarTransactionTypeAffiliateProgramCommission + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarTransactionTypePaidMessageSend(data json.RawMessage) (*StarTransactionTypePaidMessageSend, error) { + var resp StarTransactionTypePaidMessageSend + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarTransactionTypePaidMessageReceive(data json.RawMessage) (*StarTransactionTypePaidMessageReceive, error) { + var resp StarTransactionTypePaidMessageReceive + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarTransactionTypePaidGroupCallMessageSend(data json.RawMessage) (*StarTransactionTypePaidGroupCallMessageSend, error) { + var resp StarTransactionTypePaidGroupCallMessageSend + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarTransactionTypePaidGroupCallMessageReceive(data json.RawMessage) (*StarTransactionTypePaidGroupCallMessageReceive, error) { + var resp StarTransactionTypePaidGroupCallMessageReceive + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarTransactionTypePaidGroupCallReactionSend(data json.RawMessage) (*StarTransactionTypePaidGroupCallReactionSend, error) { + var resp StarTransactionTypePaidGroupCallReactionSend + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarTransactionTypePaidGroupCallReactionReceive(data json.RawMessage) (*StarTransactionTypePaidGroupCallReactionReceive, error) { + var resp StarTransactionTypePaidGroupCallReactionReceive + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarTransactionTypeSuggestedPostPaymentSend(data json.RawMessage) (*StarTransactionTypeSuggestedPostPaymentSend, error) { + var resp StarTransactionTypeSuggestedPostPaymentSend + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarTransactionTypeSuggestedPostPaymentReceive(data json.RawMessage) (*StarTransactionTypeSuggestedPostPaymentReceive, error) { + var resp StarTransactionTypeSuggestedPostPaymentReceive + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarTransactionTypePremiumPurchase(data json.RawMessage) (*StarTransactionTypePremiumPurchase, error) { + var resp StarTransactionTypePremiumPurchase + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarTransactionTypeBusinessBotTransferSend(data json.RawMessage) (*StarTransactionTypeBusinessBotTransferSend, error) { + var resp StarTransactionTypeBusinessBotTransferSend + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarTransactionTypeBusinessBotTransferReceive(data json.RawMessage) (*StarTransactionTypeBusinessBotTransferReceive, error) { + var resp StarTransactionTypeBusinessBotTransferReceive + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarTransactionTypePublicPostSearch(data json.RawMessage) (*StarTransactionTypePublicPostSearch, error) { + var resp StarTransactionTypePublicPostSearch + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarTransactionTypeUnsupported(data json.RawMessage) (*StarTransactionTypeUnsupported, error) { + var resp StarTransactionTypeUnsupported + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarTransaction(data json.RawMessage) (*StarTransaction, error) { + var resp StarTransaction + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarTransactions(data json.RawMessage) (*StarTransactions, error) { + var resp StarTransactions + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTonTransactionTypeFragmentDeposit(data json.RawMessage) (*TonTransactionTypeFragmentDeposit, error) { + var resp TonTransactionTypeFragmentDeposit + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTonTransactionTypeFragmentWithdrawal(data json.RawMessage) (*TonTransactionTypeFragmentWithdrawal, error) { + var resp TonTransactionTypeFragmentWithdrawal + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTonTransactionTypeSuggestedPostPayment(data json.RawMessage) (*TonTransactionTypeSuggestedPostPayment, error) { + var resp TonTransactionTypeSuggestedPostPayment + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTonTransactionTypeGiftPurchaseOffer(data json.RawMessage) (*TonTransactionTypeGiftPurchaseOffer, error) { + var resp TonTransactionTypeGiftPurchaseOffer + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTonTransactionTypeUpgradedGiftPurchase(data json.RawMessage) (*TonTransactionTypeUpgradedGiftPurchase, error) { + var resp TonTransactionTypeUpgradedGiftPurchase + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTonTransactionTypeUpgradedGiftSale(data json.RawMessage) (*TonTransactionTypeUpgradedGiftSale, error) { + var resp TonTransactionTypeUpgradedGiftSale + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTonTransactionTypeStakeDiceStake(data json.RawMessage) (*TonTransactionTypeStakeDiceStake, error) { + var resp TonTransactionTypeStakeDiceStake + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTonTransactionTypeStakeDicePayout(data json.RawMessage) (*TonTransactionTypeStakeDicePayout, error) { + var resp TonTransactionTypeStakeDicePayout + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTonTransactionTypeUnsupported(data json.RawMessage) (*TonTransactionTypeUnsupported, error) { + var resp TonTransactionTypeUnsupported + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTonTransaction(data json.RawMessage) (*TonTransaction, error) { + var resp TonTransaction + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTonTransactions(data json.RawMessage) (*TonTransactions, error) { + var resp TonTransactions + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalActiveStoryStateLive(data json.RawMessage) (*ActiveStoryStateLive, error) { + var resp ActiveStoryStateLive + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalActiveStoryStateUnread(data json.RawMessage) (*ActiveStoryStateUnread, error) { + var resp ActiveStoryStateUnread + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalActiveStoryStateRead(data json.RawMessage) (*ActiveStoryStateRead, error) { + var resp ActiveStoryStateRead + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGiveawayParticipantStatusEligible(data json.RawMessage) (*GiveawayParticipantStatusEligible, error) { + var resp GiveawayParticipantStatusEligible + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGiveawayParticipantStatusParticipating(data json.RawMessage) (*GiveawayParticipantStatusParticipating, error) { + var resp GiveawayParticipantStatusParticipating + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGiveawayParticipantStatusAlreadyWasMember(data json.RawMessage) (*GiveawayParticipantStatusAlreadyWasMember, error) { + var resp GiveawayParticipantStatusAlreadyWasMember + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGiveawayParticipantStatusAdministrator(data json.RawMessage) (*GiveawayParticipantStatusAdministrator, error) { + var resp GiveawayParticipantStatusAdministrator + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGiveawayParticipantStatusDisallowedCountry(data json.RawMessage) (*GiveawayParticipantStatusDisallowedCountry, error) { + var resp GiveawayParticipantStatusDisallowedCountry + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGiveawayInfoOngoing(data json.RawMessage) (*GiveawayInfoOngoing, error) { + var resp GiveawayInfoOngoing + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGiveawayInfoCompleted(data json.RawMessage) (*GiveawayInfoCompleted, error) { + var resp GiveawayInfoCompleted + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGiveawayPrizePremium(data json.RawMessage) (*GiveawayPrizePremium, error) { + var resp GiveawayPrizePremium + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGiveawayPrizeStars(data json.RawMessage) (*GiveawayPrizeStars, error) { + var resp GiveawayPrizeStars + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalAccentColor(data json.RawMessage) (*AccentColor, error) { + var resp AccentColor + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalProfileAccentColors(data json.RawMessage) (*ProfileAccentColors, error) { + var resp ProfileAccentColors + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalProfileAccentColor(data json.RawMessage) (*ProfileAccentColor, error) { + var resp ProfileAccentColor + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUserRating(data json.RawMessage) (*UserRating, error) { + var resp UserRating + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalRestrictionInfo(data json.RawMessage) (*RestrictionInfo, error) { + var resp RestrictionInfo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalEmojiStatusTypeCustomEmoji(data json.RawMessage) (*EmojiStatusTypeCustomEmoji, error) { + var resp EmojiStatusTypeCustomEmoji + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalEmojiStatusTypeUpgradedGift(data json.RawMessage) (*EmojiStatusTypeUpgradedGift, error) { + var resp EmojiStatusTypeUpgradedGift + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalEmojiStatus(data json.RawMessage) (*EmojiStatus, error) { + var resp EmojiStatus + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalEmojiStatuses(data json.RawMessage) (*EmojiStatuses, error) { + var resp EmojiStatuses + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalEmojiStatusCustomEmojis(data json.RawMessage) (*EmojiStatusCustomEmojis, error) { + var resp EmojiStatusCustomEmojis + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUsernames(data json.RawMessage) (*Usernames, error) { + var resp Usernames + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUser(data json.RawMessage) (*User, error) { + var resp User + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBotInfo(data json.RawMessage) (*BotInfo, error) { + var resp BotInfo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUserFullInfo(data json.RawMessage) (*UserFullInfo, error) { + var resp UserFullInfo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUsers(data json.RawMessage) (*Users, error) { + var resp Users + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalFoundUsers(data json.RawMessage) (*FoundUsers, error) { + var resp FoundUsers + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatAdministrator(data json.RawMessage) (*ChatAdministrator, error) { + var resp ChatAdministrator + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatAdministrators(data json.RawMessage) (*ChatAdministrators, error) { + var resp ChatAdministrators + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatMemberStatusCreator(data json.RawMessage) (*ChatMemberStatusCreator, error) { + var resp ChatMemberStatusCreator + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatMemberStatusAdministrator(data json.RawMessage) (*ChatMemberStatusAdministrator, error) { + var resp ChatMemberStatusAdministrator + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatMemberStatusMember(data json.RawMessage) (*ChatMemberStatusMember, error) { + var resp ChatMemberStatusMember + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatMemberStatusRestricted(data json.RawMessage) (*ChatMemberStatusRestricted, error) { + var resp ChatMemberStatusRestricted + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatMemberStatusLeft(data json.RawMessage) (*ChatMemberStatusLeft, error) { + var resp ChatMemberStatusLeft + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatMemberStatusBanned(data json.RawMessage) (*ChatMemberStatusBanned, error) { + var resp ChatMemberStatusBanned + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatMember(data json.RawMessage) (*ChatMember, error) { + var resp ChatMember + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatMembers(data json.RawMessage) (*ChatMembers, error) { + var resp ChatMembers + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatMembersFilterContacts(data json.RawMessage) (*ChatMembersFilterContacts, error) { + var resp ChatMembersFilterContacts + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatMembersFilterAdministrators(data json.RawMessage) (*ChatMembersFilterAdministrators, error) { + var resp ChatMembersFilterAdministrators + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatMembersFilterMembers(data json.RawMessage) (*ChatMembersFilterMembers, error) { + var resp ChatMembersFilterMembers + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatMembersFilterMention(data json.RawMessage) (*ChatMembersFilterMention, error) { + var resp ChatMembersFilterMention + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatMembersFilterRestricted(data json.RawMessage) (*ChatMembersFilterRestricted, error) { + var resp ChatMembersFilterRestricted + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatMembersFilterBanned(data json.RawMessage) (*ChatMembersFilterBanned, error) { + var resp ChatMembersFilterBanned + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatMembersFilterBots(data json.RawMessage) (*ChatMembersFilterBots, error) { + var resp ChatMembersFilterBots + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSupergroupMembersFilterRecent(data json.RawMessage) (*SupergroupMembersFilterRecent, error) { + var resp SupergroupMembersFilterRecent + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSupergroupMembersFilterContacts(data json.RawMessage) (*SupergroupMembersFilterContacts, error) { + var resp SupergroupMembersFilterContacts + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSupergroupMembersFilterAdministrators(data json.RawMessage) (*SupergroupMembersFilterAdministrators, error) { + var resp SupergroupMembersFilterAdministrators + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSupergroupMembersFilterSearch(data json.RawMessage) (*SupergroupMembersFilterSearch, error) { + var resp SupergroupMembersFilterSearch + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSupergroupMembersFilterRestricted(data json.RawMessage) (*SupergroupMembersFilterRestricted, error) { + var resp SupergroupMembersFilterRestricted + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSupergroupMembersFilterBanned(data json.RawMessage) (*SupergroupMembersFilterBanned, error) { + var resp SupergroupMembersFilterBanned + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSupergroupMembersFilterMention(data json.RawMessage) (*SupergroupMembersFilterMention, error) { + var resp SupergroupMembersFilterMention + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSupergroupMembersFilterBots(data json.RawMessage) (*SupergroupMembersFilterBots, error) { + var resp SupergroupMembersFilterBots + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatInviteLink(data json.RawMessage) (*ChatInviteLink, error) { + var resp ChatInviteLink + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatInviteLinks(data json.RawMessage) (*ChatInviteLinks, error) { + var resp ChatInviteLinks + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatInviteLinkCount(data json.RawMessage) (*ChatInviteLinkCount, error) { + var resp ChatInviteLinkCount + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatInviteLinkCounts(data json.RawMessage) (*ChatInviteLinkCounts, error) { + var resp ChatInviteLinkCounts + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatInviteLinkMember(data json.RawMessage) (*ChatInviteLinkMember, error) { + var resp ChatInviteLinkMember + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatInviteLinkMembers(data json.RawMessage) (*ChatInviteLinkMembers, error) { + var resp ChatInviteLinkMembers + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInviteLinkChatTypeBasicGroup(data json.RawMessage) (*InviteLinkChatTypeBasicGroup, error) { + var resp InviteLinkChatTypeBasicGroup + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInviteLinkChatTypeSupergroup(data json.RawMessage) (*InviteLinkChatTypeSupergroup, error) { + var resp InviteLinkChatTypeSupergroup + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInviteLinkChatTypeChannel(data json.RawMessage) (*InviteLinkChatTypeChannel, error) { + var resp InviteLinkChatTypeChannel + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatInviteLinkSubscriptionInfo(data json.RawMessage) (*ChatInviteLinkSubscriptionInfo, error) { + var resp ChatInviteLinkSubscriptionInfo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatInviteLinkInfo(data json.RawMessage) (*ChatInviteLinkInfo, error) { + var resp ChatInviteLinkInfo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatJoinRequest(data json.RawMessage) (*ChatJoinRequest, error) { + var resp ChatJoinRequest + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatJoinRequests(data json.RawMessage) (*ChatJoinRequests, error) { + var resp ChatJoinRequests + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatJoinRequestsInfo(data json.RawMessage) (*ChatJoinRequestsInfo, error) { + var resp ChatJoinRequestsInfo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBasicGroup(data json.RawMessage) (*BasicGroup, error) { + var resp BasicGroup + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBasicGroupFullInfo(data json.RawMessage) (*BasicGroupFullInfo, error) { + var resp BasicGroupFullInfo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSupergroup(data json.RawMessage) (*Supergroup, error) { + var resp Supergroup + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSupergroupFullInfo(data json.RawMessage) (*SupergroupFullInfo, error) { + var resp SupergroupFullInfo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSecretChatStatePending(data json.RawMessage) (*SecretChatStatePending, error) { + var resp SecretChatStatePending + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSecretChatStateReady(data json.RawMessage) (*SecretChatStateReady, error) { + var resp SecretChatStateReady + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSecretChatStateClosed(data json.RawMessage) (*SecretChatStateClosed, error) { + var resp SecretChatStateClosed + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSecretChat(data json.RawMessage) (*SecretChat, error) { + var resp SecretChat + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPublicPostSearchLimits(data json.RawMessage) (*PublicPostSearchLimits, error) { + var resp PublicPostSearchLimits + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageSenderUser(data json.RawMessage) (*MessageSenderUser, error) { + var resp MessageSenderUser + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageSenderChat(data json.RawMessage) (*MessageSenderChat, error) { + var resp MessageSenderChat + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageSenders(data json.RawMessage) (*MessageSenders, error) { + var resp MessageSenders + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatMessageSender(data json.RawMessage) (*ChatMessageSender, error) { + var resp ChatMessageSender + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatMessageSenders(data json.RawMessage) (*ChatMessageSenders, error) { + var resp ChatMessageSenders + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageReadDateRead(data json.RawMessage) (*MessageReadDateRead, error) { + var resp MessageReadDateRead + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageReadDateUnread(data json.RawMessage) (*MessageReadDateUnread, error) { + var resp MessageReadDateUnread + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageReadDateTooOld(data json.RawMessage) (*MessageReadDateTooOld, error) { + var resp MessageReadDateTooOld + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageReadDateUserPrivacyRestricted(data json.RawMessage) (*MessageReadDateUserPrivacyRestricted, error) { + var resp MessageReadDateUserPrivacyRestricted + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageReadDateMyPrivacyRestricted(data json.RawMessage) (*MessageReadDateMyPrivacyRestricted, error) { + var resp MessageReadDateMyPrivacyRestricted + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageViewer(data json.RawMessage) (*MessageViewer, error) { + var resp MessageViewer + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageViewers(data json.RawMessage) (*MessageViewers, error) { + var resp MessageViewers + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageOriginUser(data json.RawMessage) (*MessageOriginUser, error) { + var resp MessageOriginUser + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageOriginHiddenUser(data json.RawMessage) (*MessageOriginHiddenUser, error) { + var resp MessageOriginHiddenUser + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageOriginChat(data json.RawMessage) (*MessageOriginChat, error) { + var resp MessageOriginChat + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageOriginChannel(data json.RawMessage) (*MessageOriginChannel, error) { + var resp MessageOriginChannel + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalForwardSource(data json.RawMessage) (*ForwardSource, error) { + var resp ForwardSource + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalReactionTypeEmoji(data json.RawMessage) (*ReactionTypeEmoji, error) { + var resp ReactionTypeEmoji + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalReactionTypeCustomEmoji(data json.RawMessage) (*ReactionTypeCustomEmoji, error) { + var resp ReactionTypeCustomEmoji + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalReactionTypePaid(data json.RawMessage) (*ReactionTypePaid, error) { + var resp ReactionTypePaid + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPaidReactionTypeRegular(data json.RawMessage) (*PaidReactionTypeRegular, error) { + var resp PaidReactionTypeRegular + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPaidReactionTypeAnonymous(data json.RawMessage) (*PaidReactionTypeAnonymous, error) { + var resp PaidReactionTypeAnonymous + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPaidReactionTypeChat(data json.RawMessage) (*PaidReactionTypeChat, error) { + var resp PaidReactionTypeChat + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPaidReactor(data json.RawMessage) (*PaidReactor, error) { + var resp PaidReactor + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalLiveStoryDonors(data json.RawMessage) (*LiveStoryDonors, error) { + var resp LiveStoryDonors + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageForwardInfo(data json.RawMessage) (*MessageForwardInfo, error) { + var resp MessageForwardInfo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageImportInfo(data json.RawMessage) (*MessageImportInfo, error) { + var resp MessageImportInfo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageReplyInfo(data json.RawMessage) (*MessageReplyInfo, error) { + var resp MessageReplyInfo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageReaction(data json.RawMessage) (*MessageReaction, error) { + var resp MessageReaction + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageReactions(data json.RawMessage) (*MessageReactions, error) { + var resp MessageReactions + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageInteractionInfo(data json.RawMessage) (*MessageInteractionInfo, error) { + var resp MessageInteractionInfo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUnreadReaction(data json.RawMessage) (*UnreadReaction, error) { + var resp UnreadReaction + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageTopicThread(data json.RawMessage) (*MessageTopicThread, error) { + var resp MessageTopicThread + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageTopicForum(data json.RawMessage) (*MessageTopicForum, error) { + var resp MessageTopicForum + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageTopicDirectMessages(data json.RawMessage) (*MessageTopicDirectMessages, error) { + var resp MessageTopicDirectMessages + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageTopicSavedMessages(data json.RawMessage) (*MessageTopicSavedMessages, error) { + var resp MessageTopicSavedMessages + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageEffectTypeEmojiReaction(data json.RawMessage) (*MessageEffectTypeEmojiReaction, error) { + var resp MessageEffectTypeEmojiReaction + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageEffectTypePremiumSticker(data json.RawMessage) (*MessageEffectTypePremiumSticker, error) { + var resp MessageEffectTypePremiumSticker + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageEffect(data json.RawMessage) (*MessageEffect, error) { + var resp MessageEffect + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageSendingStatePending(data json.RawMessage) (*MessageSendingStatePending, error) { + var resp MessageSendingStatePending + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageSendingStateFailed(data json.RawMessage) (*MessageSendingStateFailed, error) { + var resp MessageSendingStateFailed + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTextQuote(data json.RawMessage) (*TextQuote, error) { + var resp TextQuote + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputTextQuote(data json.RawMessage) (*InputTextQuote, error) { + var resp InputTextQuote + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageReplyToMessage(data json.RawMessage) (*MessageReplyToMessage, error) { + var resp MessageReplyToMessage + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageReplyToStory(data json.RawMessage) (*MessageReplyToStory, error) { + var resp MessageReplyToStory + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputMessageReplyToMessage(data json.RawMessage) (*InputMessageReplyToMessage, error) { + var resp InputMessageReplyToMessage + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputMessageReplyToExternalMessage(data json.RawMessage) (*InputMessageReplyToExternalMessage, error) { + var resp InputMessageReplyToExternalMessage + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputMessageReplyToStory(data json.RawMessage) (*InputMessageReplyToStory, error) { + var resp InputMessageReplyToStory + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalFactCheck(data json.RawMessage) (*FactCheck, error) { + var resp FactCheck + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessage(data json.RawMessage) (*Message, error) { + var resp Message + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessages(data json.RawMessage) (*Messages, error) { + var resp Messages + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalFoundMessages(data json.RawMessage) (*FoundMessages, error) { + var resp FoundMessages + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalFoundChatMessages(data json.RawMessage) (*FoundChatMessages, error) { + var resp FoundChatMessages + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalFoundPublicPosts(data json.RawMessage) (*FoundPublicPosts, error) { + var resp FoundPublicPosts + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessagePosition(data json.RawMessage) (*MessagePosition, error) { + var resp MessagePosition + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessagePositions(data json.RawMessage) (*MessagePositions, error) { + var resp MessagePositions + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageCalendarDay(data json.RawMessage) (*MessageCalendarDay, error) { + var resp MessageCalendarDay + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageCalendar(data json.RawMessage) (*MessageCalendar, error) { + var resp MessageCalendar + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBusinessMessage(data json.RawMessage) (*BusinessMessage, error) { + var resp BusinessMessage + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBusinessMessages(data json.RawMessage) (*BusinessMessages, error) { + var resp BusinessMessages + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageSourceChatHistory(data json.RawMessage) (*MessageSourceChatHistory, error) { + var resp MessageSourceChatHistory + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageSourceMessageThreadHistory(data json.RawMessage) (*MessageSourceMessageThreadHistory, error) { + var resp MessageSourceMessageThreadHistory + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageSourceForumTopicHistory(data json.RawMessage) (*MessageSourceForumTopicHistory, error) { + var resp MessageSourceForumTopicHistory + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageSourceDirectMessagesChatTopicHistory(data json.RawMessage) (*MessageSourceDirectMessagesChatTopicHistory, error) { + var resp MessageSourceDirectMessagesChatTopicHistory + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageSourceHistoryPreview(data json.RawMessage) (*MessageSourceHistoryPreview, error) { + var resp MessageSourceHistoryPreview + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageSourceChatList(data json.RawMessage) (*MessageSourceChatList, error) { + var resp MessageSourceChatList + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageSourceSearch(data json.RawMessage) (*MessageSourceSearch, error) { + var resp MessageSourceSearch + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageSourceChatEventLog(data json.RawMessage) (*MessageSourceChatEventLog, error) { + var resp MessageSourceChatEventLog + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageSourceNotification(data json.RawMessage) (*MessageSourceNotification, error) { + var resp MessageSourceNotification + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageSourceScreenshot(data json.RawMessage) (*MessageSourceScreenshot, error) { + var resp MessageSourceScreenshot + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageSourceOther(data json.RawMessage) (*MessageSourceOther, error) { + var resp MessageSourceOther + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalAdvertisementSponsor(data json.RawMessage) (*AdvertisementSponsor, error) { + var resp AdvertisementSponsor + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSponsoredMessage(data json.RawMessage) (*SponsoredMessage, error) { + var resp SponsoredMessage + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSponsoredMessages(data json.RawMessage) (*SponsoredMessages, error) { + var resp SponsoredMessages + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSponsoredChat(data json.RawMessage) (*SponsoredChat, error) { + var resp SponsoredChat + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSponsoredChats(data json.RawMessage) (*SponsoredChats, error) { + var resp SponsoredChats + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalVideoMessageAdvertisement(data json.RawMessage) (*VideoMessageAdvertisement, error) { + var resp VideoMessageAdvertisement + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalVideoMessageAdvertisements(data json.RawMessage) (*VideoMessageAdvertisements, error) { + var resp VideoMessageAdvertisements + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalReportOption(data json.RawMessage) (*ReportOption, error) { + var resp ReportOption + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalReportSponsoredResultOk(data json.RawMessage) (*ReportSponsoredResultOk, error) { + var resp ReportSponsoredResultOk + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalReportSponsoredResultFailed(data json.RawMessage) (*ReportSponsoredResultFailed, error) { + var resp ReportSponsoredResultFailed + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalReportSponsoredResultOptionRequired(data json.RawMessage) (*ReportSponsoredResultOptionRequired, error) { + var resp ReportSponsoredResultOptionRequired + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalReportSponsoredResultAdsHidden(data json.RawMessage) (*ReportSponsoredResultAdsHidden, error) { + var resp ReportSponsoredResultAdsHidden + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalReportSponsoredResultPremiumRequired(data json.RawMessage) (*ReportSponsoredResultPremiumRequired, error) { + var resp ReportSponsoredResultPremiumRequired + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalFileDownload(data json.RawMessage) (*FileDownload, error) { + var resp FileDownload + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalDownloadedFileCounts(data json.RawMessage) (*DownloadedFileCounts, error) { + var resp DownloadedFileCounts + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalFoundFileDownloads(data json.RawMessage) (*FoundFileDownloads, error) { + var resp FoundFileDownloads + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalNotificationSettingsScopePrivateChats(data json.RawMessage) (*NotificationSettingsScopePrivateChats, error) { + var resp NotificationSettingsScopePrivateChats + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalNotificationSettingsScopeGroupChats(data json.RawMessage) (*NotificationSettingsScopeGroupChats, error) { + var resp NotificationSettingsScopeGroupChats + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalNotificationSettingsScopeChannelChats(data json.RawMessage) (*NotificationSettingsScopeChannelChats, error) { + var resp NotificationSettingsScopeChannelChats + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatNotificationSettings(data json.RawMessage) (*ChatNotificationSettings, error) { + var resp ChatNotificationSettings + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalScopeNotificationSettings(data json.RawMessage) (*ScopeNotificationSettings, error) { + var resp ScopeNotificationSettings + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalReactionNotificationSourceNone(data json.RawMessage) (*ReactionNotificationSourceNone, error) { + var resp ReactionNotificationSourceNone + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalReactionNotificationSourceContacts(data json.RawMessage) (*ReactionNotificationSourceContacts, error) { + var resp ReactionNotificationSourceContacts + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalReactionNotificationSourceAll(data json.RawMessage) (*ReactionNotificationSourceAll, error) { + var resp ReactionNotificationSourceAll + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalReactionNotificationSettings(data json.RawMessage) (*ReactionNotificationSettings, error) { + var resp ReactionNotificationSettings + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalDraftMessage(data json.RawMessage) (*DraftMessage, error) { + var resp DraftMessage + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatTypePrivate(data json.RawMessage) (*ChatTypePrivate, error) { + var resp ChatTypePrivate + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatTypeBasicGroup(data json.RawMessage) (*ChatTypeBasicGroup, error) { + var resp ChatTypeBasicGroup + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatTypeSupergroup(data json.RawMessage) (*ChatTypeSupergroup, error) { + var resp ChatTypeSupergroup + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatTypeSecret(data json.RawMessage) (*ChatTypeSecret, error) { + var resp ChatTypeSecret + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatFolderIcon(data json.RawMessage) (*ChatFolderIcon, error) { + var resp ChatFolderIcon + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatFolderName(data json.RawMessage) (*ChatFolderName, error) { + var resp ChatFolderName + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatFolder(data json.RawMessage) (*ChatFolder, error) { + var resp ChatFolder + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatFolderInfo(data json.RawMessage) (*ChatFolderInfo, error) { + var resp ChatFolderInfo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatFolderInviteLink(data json.RawMessage) (*ChatFolderInviteLink, error) { + var resp ChatFolderInviteLink + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatFolderInviteLinks(data json.RawMessage) (*ChatFolderInviteLinks, error) { + var resp ChatFolderInviteLinks + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatFolderInviteLinkInfo(data json.RawMessage) (*ChatFolderInviteLinkInfo, error) { + var resp ChatFolderInviteLinkInfo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalRecommendedChatFolder(data json.RawMessage) (*RecommendedChatFolder, error) { + var resp RecommendedChatFolder + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalRecommendedChatFolders(data json.RawMessage) (*RecommendedChatFolders, error) { + var resp RecommendedChatFolders + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalArchiveChatListSettings(data json.RawMessage) (*ArchiveChatListSettings, error) { + var resp ArchiveChatListSettings + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatListMain(data json.RawMessage) (*ChatListMain, error) { + var resp ChatListMain + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatListArchive(data json.RawMessage) (*ChatListArchive, error) { + var resp ChatListArchive + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatListFolder(data json.RawMessage) (*ChatListFolder, error) { + var resp ChatListFolder + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatLists(data json.RawMessage) (*ChatLists, error) { + var resp ChatLists + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatSourceMtprotoProxy(data json.RawMessage) (*ChatSourceMtprotoProxy, error) { + var resp ChatSourceMtprotoProxy + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatSourcePublicServiceAnnouncement(data json.RawMessage) (*ChatSourcePublicServiceAnnouncement, error) { + var resp ChatSourcePublicServiceAnnouncement + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatPosition(data json.RawMessage) (*ChatPosition, error) { + var resp ChatPosition + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatAvailableReactionsAll(data json.RawMessage) (*ChatAvailableReactionsAll, error) { + var resp ChatAvailableReactionsAll + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatAvailableReactionsSome(data json.RawMessage) (*ChatAvailableReactionsSome, error) { + var resp ChatAvailableReactionsSome + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSavedMessagesTag(data json.RawMessage) (*SavedMessagesTag, error) { + var resp SavedMessagesTag + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSavedMessagesTags(data json.RawMessage) (*SavedMessagesTags, error) { + var resp SavedMessagesTags + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBusinessBotManageBar(data json.RawMessage) (*BusinessBotManageBar, error) { + var resp BusinessBotManageBar + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalVideoChat(data json.RawMessage) (*VideoChat, error) { + var resp VideoChat + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChat(data json.RawMessage) (*Chat, error) { + var resp Chat + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChats(data json.RawMessage) (*Chats, error) { + var resp Chats + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalFailedToAddMember(data json.RawMessage) (*FailedToAddMember, error) { + var resp FailedToAddMember + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalFailedToAddMembers(data json.RawMessage) (*FailedToAddMembers, error) { + var resp FailedToAddMembers + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCreatedBasicGroupChat(data json.RawMessage) (*CreatedBasicGroupChat, error) { + var resp CreatedBasicGroupChat + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPublicChatTypeHasUsername(data json.RawMessage) (*PublicChatTypeHasUsername, error) { + var resp PublicChatTypeHasUsername + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPublicChatTypeIsLocationBased(data json.RawMessage) (*PublicChatTypeIsLocationBased, error) { + var resp PublicChatTypeIsLocationBased + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalAccountInfo(data json.RawMessage) (*AccountInfo, error) { + var resp AccountInfo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatActionBarReportSpam(data json.RawMessage) (*ChatActionBarReportSpam, error) { + var resp ChatActionBarReportSpam + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatActionBarInviteMembers(data json.RawMessage) (*ChatActionBarInviteMembers, error) { + var resp ChatActionBarInviteMembers + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatActionBarReportAddBlock(data json.RawMessage) (*ChatActionBarReportAddBlock, error) { + var resp ChatActionBarReportAddBlock + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatActionBarAddContact(data json.RawMessage) (*ChatActionBarAddContact, error) { + var resp ChatActionBarAddContact + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatActionBarSharePhoneNumber(data json.RawMessage) (*ChatActionBarSharePhoneNumber, error) { + var resp ChatActionBarSharePhoneNumber + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatActionBarJoinRequest(data json.RawMessage) (*ChatActionBarJoinRequest, error) { + var resp ChatActionBarJoinRequest + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalButtonStyleDefault(data json.RawMessage) (*ButtonStyleDefault, error) { + var resp ButtonStyleDefault + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalButtonStylePrimary(data json.RawMessage) (*ButtonStylePrimary, error) { + var resp ButtonStylePrimary + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalButtonStyleDanger(data json.RawMessage) (*ButtonStyleDanger, error) { + var resp ButtonStyleDanger + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalButtonStyleSuccess(data json.RawMessage) (*ButtonStyleSuccess, error) { + var resp ButtonStyleSuccess + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalKeyboardButtonTypeText(data json.RawMessage) (*KeyboardButtonTypeText, error) { + var resp KeyboardButtonTypeText + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalKeyboardButtonTypeRequestPhoneNumber(data json.RawMessage) (*KeyboardButtonTypeRequestPhoneNumber, error) { + var resp KeyboardButtonTypeRequestPhoneNumber + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalKeyboardButtonTypeRequestLocation(data json.RawMessage) (*KeyboardButtonTypeRequestLocation, error) { + var resp KeyboardButtonTypeRequestLocation + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalKeyboardButtonTypeRequestPoll(data json.RawMessage) (*KeyboardButtonTypeRequestPoll, error) { + var resp KeyboardButtonTypeRequestPoll + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalKeyboardButtonTypeRequestUsers(data json.RawMessage) (*KeyboardButtonTypeRequestUsers, error) { + var resp KeyboardButtonTypeRequestUsers + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalKeyboardButtonTypeRequestChat(data json.RawMessage) (*KeyboardButtonTypeRequestChat, error) { + var resp KeyboardButtonTypeRequestChat + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalKeyboardButtonTypeWebApp(data json.RawMessage) (*KeyboardButtonTypeWebApp, error) { + var resp KeyboardButtonTypeWebApp + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalKeyboardButton(data json.RawMessage) (*KeyboardButton, error) { + var resp KeyboardButton + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInlineKeyboardButtonTypeUrl(data json.RawMessage) (*InlineKeyboardButtonTypeUrl, error) { + var resp InlineKeyboardButtonTypeUrl + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInlineKeyboardButtonTypeLoginUrl(data json.RawMessage) (*InlineKeyboardButtonTypeLoginUrl, error) { + var resp InlineKeyboardButtonTypeLoginUrl + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInlineKeyboardButtonTypeWebApp(data json.RawMessage) (*InlineKeyboardButtonTypeWebApp, error) { + var resp InlineKeyboardButtonTypeWebApp + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInlineKeyboardButtonTypeCallback(data json.RawMessage) (*InlineKeyboardButtonTypeCallback, error) { + var resp InlineKeyboardButtonTypeCallback + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInlineKeyboardButtonTypeCallbackWithPassword(data json.RawMessage) (*InlineKeyboardButtonTypeCallbackWithPassword, error) { + var resp InlineKeyboardButtonTypeCallbackWithPassword + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInlineKeyboardButtonTypeCallbackGame(data json.RawMessage) (*InlineKeyboardButtonTypeCallbackGame, error) { + var resp InlineKeyboardButtonTypeCallbackGame + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInlineKeyboardButtonTypeSwitchInline(data json.RawMessage) (*InlineKeyboardButtonTypeSwitchInline, error) { + var resp InlineKeyboardButtonTypeSwitchInline + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInlineKeyboardButtonTypeBuy(data json.RawMessage) (*InlineKeyboardButtonTypeBuy, error) { + var resp InlineKeyboardButtonTypeBuy + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInlineKeyboardButtonTypeUser(data json.RawMessage) (*InlineKeyboardButtonTypeUser, error) { + var resp InlineKeyboardButtonTypeUser + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInlineKeyboardButtonTypeCopyText(data json.RawMessage) (*InlineKeyboardButtonTypeCopyText, error) { + var resp InlineKeyboardButtonTypeCopyText + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInlineKeyboardButton(data json.RawMessage) (*InlineKeyboardButton, error) { + var resp InlineKeyboardButton + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalReplyMarkupRemoveKeyboard(data json.RawMessage) (*ReplyMarkupRemoveKeyboard, error) { + var resp ReplyMarkupRemoveKeyboard + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalReplyMarkupForceReply(data json.RawMessage) (*ReplyMarkupForceReply, error) { + var resp ReplyMarkupForceReply + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalReplyMarkupShowKeyboard(data json.RawMessage) (*ReplyMarkupShowKeyboard, error) { + var resp ReplyMarkupShowKeyboard + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalReplyMarkupInlineKeyboard(data json.RawMessage) (*ReplyMarkupInlineKeyboard, error) { + var resp ReplyMarkupInlineKeyboard + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalLoginUrlInfoOpen(data json.RawMessage) (*LoginUrlInfoOpen, error) { + var resp LoginUrlInfoOpen + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalLoginUrlInfoRequestConfirmation(data json.RawMessage) (*LoginUrlInfoRequestConfirmation, error) { + var resp LoginUrlInfoRequestConfirmation + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalThemeParameters(data json.RawMessage) (*ThemeParameters, error) { + var resp ThemeParameters + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalWebAppOpenModeCompact(data json.RawMessage) (*WebAppOpenModeCompact, error) { + var resp WebAppOpenModeCompact + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalWebAppOpenModeFullSize(data json.RawMessage) (*WebAppOpenModeFullSize, error) { + var resp WebAppOpenModeFullSize + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalWebAppOpenModeFullScreen(data json.RawMessage) (*WebAppOpenModeFullScreen, error) { + var resp WebAppOpenModeFullScreen + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalFoundWebApp(data json.RawMessage) (*FoundWebApp, error) { + var resp FoundWebApp + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalWebAppInfo(data json.RawMessage) (*WebAppInfo, error) { + var resp WebAppInfo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMainWebApp(data json.RawMessage) (*MainWebApp, error) { + var resp MainWebApp + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalWebAppOpenParameters(data json.RawMessage) (*WebAppOpenParameters, error) { + var resp WebAppOpenParameters + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageThreadInfo(data json.RawMessage) (*MessageThreadInfo, error) { + var resp MessageThreadInfo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSavedMessagesTopicTypeMyNotes(data json.RawMessage) (*SavedMessagesTopicTypeMyNotes, error) { + var resp SavedMessagesTopicTypeMyNotes + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSavedMessagesTopicTypeAuthorHidden(data json.RawMessage) (*SavedMessagesTopicTypeAuthorHidden, error) { + var resp SavedMessagesTopicTypeAuthorHidden + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSavedMessagesTopicTypeSavedFromChat(data json.RawMessage) (*SavedMessagesTopicTypeSavedFromChat, error) { + var resp SavedMessagesTopicTypeSavedFromChat + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSavedMessagesTopic(data json.RawMessage) (*SavedMessagesTopic, error) { + var resp SavedMessagesTopic + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalDirectMessagesChatTopic(data json.RawMessage) (*DirectMessagesChatTopic, error) { + var resp DirectMessagesChatTopic + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalForumTopicIcon(data json.RawMessage) (*ForumTopicIcon, error) { + var resp ForumTopicIcon + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalForumTopicInfo(data json.RawMessage) (*ForumTopicInfo, error) { + var resp ForumTopicInfo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalForumTopic(data json.RawMessage) (*ForumTopic, error) { + var resp ForumTopic + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalForumTopics(data json.RawMessage) (*ForumTopics, error) { + var resp ForumTopics + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalLinkPreviewOptions(data json.RawMessage) (*LinkPreviewOptions, error) { + var resp LinkPreviewOptions + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSharedUser(data json.RawMessage) (*SharedUser, error) { + var resp SharedUser + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSharedChat(data json.RawMessage) (*SharedChat, error) { + var resp SharedChat + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBuiltInThemeClassic(data json.RawMessage) (*BuiltInThemeClassic, error) { + var resp BuiltInThemeClassic + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBuiltInThemeDay(data json.RawMessage) (*BuiltInThemeDay, error) { + var resp BuiltInThemeDay + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBuiltInThemeNight(data json.RawMessage) (*BuiltInThemeNight, error) { + var resp BuiltInThemeNight + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBuiltInThemeTinted(data json.RawMessage) (*BuiltInThemeTinted, error) { + var resp BuiltInThemeTinted + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBuiltInThemeArctic(data json.RawMessage) (*BuiltInThemeArctic, error) { + var resp BuiltInThemeArctic + + err := json.Unmarshal(data, &resp) + + return &resp, err } func UnmarshalThemeSettings(data json.RawMessage) (*ThemeSettings, error) { - var resp ThemeSettings + var resp ThemeSettings - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalChatTheme(data json.RawMessage) (*ChatTheme, error) { - var resp ChatTheme +func UnmarshalRichTextPlain(data json.RawMessage) (*RichTextPlain, error) { + var resp RichTextPlain - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalHashtags(data json.RawMessage) (*Hashtags, error) { - var resp Hashtags +func UnmarshalRichTextBold(data json.RawMessage) (*RichTextBold, error) { + var resp RichTextBold - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalCanTransferOwnershipResultOk(data json.RawMessage) (*CanTransferOwnershipResultOk, error) { - var resp CanTransferOwnershipResultOk +func UnmarshalRichTextItalic(data json.RawMessage) (*RichTextItalic, error) { + var resp RichTextItalic - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalCanTransferOwnershipResultPasswordNeeded(data json.RawMessage) (*CanTransferOwnershipResultPasswordNeeded, error) { - var resp CanTransferOwnershipResultPasswordNeeded +func UnmarshalRichTextUnderline(data json.RawMessage) (*RichTextUnderline, error) { + var resp RichTextUnderline - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalCanTransferOwnershipResultPasswordTooFresh(data json.RawMessage) (*CanTransferOwnershipResultPasswordTooFresh, error) { - var resp CanTransferOwnershipResultPasswordTooFresh +func UnmarshalRichTextStrikethrough(data json.RawMessage) (*RichTextStrikethrough, error) { + var resp RichTextStrikethrough - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalCanTransferOwnershipResultSessionTooFresh(data json.RawMessage) (*CanTransferOwnershipResultSessionTooFresh, error) { - var resp CanTransferOwnershipResultSessionTooFresh +func UnmarshalRichTextFixed(data json.RawMessage) (*RichTextFixed, error) { + var resp RichTextFixed - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalCheckChatUsernameResultOk(data json.RawMessage) (*CheckChatUsernameResultOk, error) { - var resp CheckChatUsernameResultOk +func UnmarshalRichTextUrl(data json.RawMessage) (*RichTextUrl, error) { + var resp RichTextUrl - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalCheckChatUsernameResultUsernameInvalid(data json.RawMessage) (*CheckChatUsernameResultUsernameInvalid, error) { - var resp CheckChatUsernameResultUsernameInvalid +func UnmarshalRichTextEmailAddress(data json.RawMessage) (*RichTextEmailAddress, error) { + var resp RichTextEmailAddress - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalCheckChatUsernameResultUsernameOccupied(data json.RawMessage) (*CheckChatUsernameResultUsernameOccupied, error) { - var resp CheckChatUsernameResultUsernameOccupied +func UnmarshalRichTextSubscript(data json.RawMessage) (*RichTextSubscript, error) { + var resp RichTextSubscript - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalCheckChatUsernameResultUsernamePurchasable(data json.RawMessage) (*CheckChatUsernameResultUsernamePurchasable, error) { - var resp CheckChatUsernameResultUsernamePurchasable +func UnmarshalRichTextSuperscript(data json.RawMessage) (*RichTextSuperscript, error) { + var resp RichTextSuperscript - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalCheckChatUsernameResultPublicChatsTooMany(data json.RawMessage) (*CheckChatUsernameResultPublicChatsTooMany, error) { - var resp CheckChatUsernameResultPublicChatsTooMany +func UnmarshalRichTextMarked(data json.RawMessage) (*RichTextMarked, error) { + var resp RichTextMarked - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalCheckChatUsernameResultPublicGroupsUnavailable(data json.RawMessage) (*CheckChatUsernameResultPublicGroupsUnavailable, error) { - var resp CheckChatUsernameResultPublicGroupsUnavailable +func UnmarshalRichTextPhoneNumber(data json.RawMessage) (*RichTextPhoneNumber, error) { + var resp RichTextPhoneNumber - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalCheckStickerSetNameResultOk(data json.RawMessage) (*CheckStickerSetNameResultOk, error) { - var resp CheckStickerSetNameResultOk +func UnmarshalRichTextIcon(data json.RawMessage) (*RichTextIcon, error) { + var resp RichTextIcon - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalCheckStickerSetNameResultNameInvalid(data json.RawMessage) (*CheckStickerSetNameResultNameInvalid, error) { - var resp CheckStickerSetNameResultNameInvalid +func UnmarshalRichTextReference(data json.RawMessage) (*RichTextReference, error) { + var resp RichTextReference - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalCheckStickerSetNameResultNameOccupied(data json.RawMessage) (*CheckStickerSetNameResultNameOccupied, error) { - var resp CheckStickerSetNameResultNameOccupied +func UnmarshalRichTextAnchor(data json.RawMessage) (*RichTextAnchor, error) { + var resp RichTextAnchor - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalResetPasswordResultOk(data json.RawMessage) (*ResetPasswordResultOk, error) { - var resp ResetPasswordResultOk +func UnmarshalRichTextAnchorLink(data json.RawMessage) (*RichTextAnchorLink, error) { + var resp RichTextAnchorLink - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalResetPasswordResultPending(data json.RawMessage) (*ResetPasswordResultPending, error) { - var resp ResetPasswordResultPending +func UnmarshalRichTexts(data json.RawMessage) (*RichTexts, error) { + var resp RichTexts - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalResetPasswordResultDeclined(data json.RawMessage) (*ResetPasswordResultDeclined, error) { - var resp ResetPasswordResultDeclined +func UnmarshalPageBlockCaption(data json.RawMessage) (*PageBlockCaption, error) { + var resp PageBlockCaption - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalMessageFileTypePrivate(data json.RawMessage) (*MessageFileTypePrivate, error) { - var resp MessageFileTypePrivate +func UnmarshalPageBlockListItem(data json.RawMessage) (*PageBlockListItem, error) { + var resp PageBlockListItem - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalMessageFileTypeGroup(data json.RawMessage) (*MessageFileTypeGroup, error) { - var resp MessageFileTypeGroup +func UnmarshalPageBlockHorizontalAlignmentLeft(data json.RawMessage) (*PageBlockHorizontalAlignmentLeft, error) { + var resp PageBlockHorizontalAlignmentLeft - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalMessageFileTypeUnknown(data json.RawMessage) (*MessageFileTypeUnknown, error) { - var resp MessageFileTypeUnknown +func UnmarshalPageBlockHorizontalAlignmentCenter(data json.RawMessage) (*PageBlockHorizontalAlignmentCenter, error) { + var resp PageBlockHorizontalAlignmentCenter - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalPushMessageContentHidden(data json.RawMessage) (*PushMessageContentHidden, error) { - var resp PushMessageContentHidden +func UnmarshalPageBlockHorizontalAlignmentRight(data json.RawMessage) (*PageBlockHorizontalAlignmentRight, error) { + var resp PageBlockHorizontalAlignmentRight - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalPushMessageContentAnimation(data json.RawMessage) (*PushMessageContentAnimation, error) { - var resp PushMessageContentAnimation +func UnmarshalPageBlockVerticalAlignmentTop(data json.RawMessage) (*PageBlockVerticalAlignmentTop, error) { + var resp PageBlockVerticalAlignmentTop - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalPushMessageContentAudio(data json.RawMessage) (*PushMessageContentAudio, error) { - var resp PushMessageContentAudio +func UnmarshalPageBlockVerticalAlignmentMiddle(data json.RawMessage) (*PageBlockVerticalAlignmentMiddle, error) { + var resp PageBlockVerticalAlignmentMiddle - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalPushMessageContentContact(data json.RawMessage) (*PushMessageContentContact, error) { - var resp PushMessageContentContact +func UnmarshalPageBlockVerticalAlignmentBottom(data json.RawMessage) (*PageBlockVerticalAlignmentBottom, error) { + var resp PageBlockVerticalAlignmentBottom - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalPushMessageContentContactRegistered(data json.RawMessage) (*PushMessageContentContactRegistered, error) { - var resp PushMessageContentContactRegistered +func UnmarshalPageBlockTableCell(data json.RawMessage) (*PageBlockTableCell, error) { + var resp PageBlockTableCell - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalPushMessageContentDocument(data json.RawMessage) (*PushMessageContentDocument, error) { - var resp PushMessageContentDocument +func UnmarshalPageBlockRelatedArticle(data json.RawMessage) (*PageBlockRelatedArticle, error) { + var resp PageBlockRelatedArticle - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalPushMessageContentGame(data json.RawMessage) (*PushMessageContentGame, error) { - var resp PushMessageContentGame +func UnmarshalPageBlockTitle(data json.RawMessage) (*PageBlockTitle, error) { + var resp PageBlockTitle - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalPushMessageContentGameScore(data json.RawMessage) (*PushMessageContentGameScore, error) { - var resp PushMessageContentGameScore +func UnmarshalPageBlockSubtitle(data json.RawMessage) (*PageBlockSubtitle, error) { + var resp PageBlockSubtitle - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalPushMessageContentInvoice(data json.RawMessage) (*PushMessageContentInvoice, error) { - var resp PushMessageContentInvoice +func UnmarshalPageBlockAuthorDate(data json.RawMessage) (*PageBlockAuthorDate, error) { + var resp PageBlockAuthorDate - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalPushMessageContentLocation(data json.RawMessage) (*PushMessageContentLocation, error) { - var resp PushMessageContentLocation +func UnmarshalPageBlockHeader(data json.RawMessage) (*PageBlockHeader, error) { + var resp PageBlockHeader - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalPushMessageContentPhoto(data json.RawMessage) (*PushMessageContentPhoto, error) { - var resp PushMessageContentPhoto +func UnmarshalPageBlockSubheader(data json.RawMessage) (*PageBlockSubheader, error) { + var resp PageBlockSubheader - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalPushMessageContentPoll(data json.RawMessage) (*PushMessageContentPoll, error) { - var resp PushMessageContentPoll +func UnmarshalPageBlockKicker(data json.RawMessage) (*PageBlockKicker, error) { + var resp PageBlockKicker - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalPushMessageContentScreenshotTaken(data json.RawMessage) (*PushMessageContentScreenshotTaken, error) { - var resp PushMessageContentScreenshotTaken +func UnmarshalPageBlockParagraph(data json.RawMessage) (*PageBlockParagraph, error) { + var resp PageBlockParagraph - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalPushMessageContentSticker(data json.RawMessage) (*PushMessageContentSticker, error) { - var resp PushMessageContentSticker +func UnmarshalPageBlockPreformatted(data json.RawMessage) (*PageBlockPreformatted, error) { + var resp PageBlockPreformatted - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalPushMessageContentText(data json.RawMessage) (*PushMessageContentText, error) { - var resp PushMessageContentText +func UnmarshalPageBlockFooter(data json.RawMessage) (*PageBlockFooter, error) { + var resp PageBlockFooter - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalPushMessageContentVideo(data json.RawMessage) (*PushMessageContentVideo, error) { - var resp PushMessageContentVideo +func UnmarshalPageBlockDivider(data json.RawMessage) (*PageBlockDivider, error) { + var resp PageBlockDivider - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalPushMessageContentVideoNote(data json.RawMessage) (*PushMessageContentVideoNote, error) { - var resp PushMessageContentVideoNote +func UnmarshalPageBlockAnchor(data json.RawMessage) (*PageBlockAnchor, error) { + var resp PageBlockAnchor - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalPushMessageContentVoiceNote(data json.RawMessage) (*PushMessageContentVoiceNote, error) { - var resp PushMessageContentVoiceNote +func UnmarshalPageBlockList(data json.RawMessage) (*PageBlockList, error) { + var resp PageBlockList - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalPushMessageContentBasicGroupChatCreate(data json.RawMessage) (*PushMessageContentBasicGroupChatCreate, error) { - var resp PushMessageContentBasicGroupChatCreate +func UnmarshalPageBlockBlockQuote(data json.RawMessage) (*PageBlockBlockQuote, error) { + var resp PageBlockBlockQuote - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalPushMessageContentChatAddMembers(data json.RawMessage) (*PushMessageContentChatAddMembers, error) { - var resp PushMessageContentChatAddMembers +func UnmarshalPageBlockPullQuote(data json.RawMessage) (*PageBlockPullQuote, error) { + var resp PageBlockPullQuote - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalPushMessageContentChatChangePhoto(data json.RawMessage) (*PushMessageContentChatChangePhoto, error) { - var resp PushMessageContentChatChangePhoto +func UnmarshalPageBlockAnimation(data json.RawMessage) (*PageBlockAnimation, error) { + var resp PageBlockAnimation - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalPushMessageContentChatChangeTitle(data json.RawMessage) (*PushMessageContentChatChangeTitle, error) { - var resp PushMessageContentChatChangeTitle +func UnmarshalPageBlockAudio(data json.RawMessage) (*PageBlockAudio, error) { + var resp PageBlockAudio - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalPushMessageContentChatSetTheme(data json.RawMessage) (*PushMessageContentChatSetTheme, error) { - var resp PushMessageContentChatSetTheme +func UnmarshalPageBlockPhoto(data json.RawMessage) (*PageBlockPhoto, error) { + var resp PageBlockPhoto - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalPushMessageContentChatDeleteMember(data json.RawMessage) (*PushMessageContentChatDeleteMember, error) { - var resp PushMessageContentChatDeleteMember +func UnmarshalPageBlockVideo(data json.RawMessage) (*PageBlockVideo, error) { + var resp PageBlockVideo - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalPushMessageContentChatJoinByLink(data json.RawMessage) (*PushMessageContentChatJoinByLink, error) { - var resp PushMessageContentChatJoinByLink +func UnmarshalPageBlockVoiceNote(data json.RawMessage) (*PageBlockVoiceNote, error) { + var resp PageBlockVoiceNote - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalPushMessageContentChatJoinByRequest(data json.RawMessage) (*PushMessageContentChatJoinByRequest, error) { - var resp PushMessageContentChatJoinByRequest +func UnmarshalPageBlockCover(data json.RawMessage) (*PageBlockCover, error) { + var resp PageBlockCover - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalPushMessageContentRecurringPayment(data json.RawMessage) (*PushMessageContentRecurringPayment, error) { - var resp PushMessageContentRecurringPayment +func UnmarshalPageBlockEmbedded(data json.RawMessage) (*PageBlockEmbedded, error) { + var resp PageBlockEmbedded - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalPushMessageContentSuggestProfilePhoto(data json.RawMessage) (*PushMessageContentSuggestProfilePhoto, error) { - var resp PushMessageContentSuggestProfilePhoto +func UnmarshalPageBlockEmbeddedPost(data json.RawMessage) (*PageBlockEmbeddedPost, error) { + var resp PageBlockEmbeddedPost - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalPushMessageContentMessageForwards(data json.RawMessage) (*PushMessageContentMessageForwards, error) { - var resp PushMessageContentMessageForwards +func UnmarshalPageBlockCollage(data json.RawMessage) (*PageBlockCollage, error) { + var resp PageBlockCollage - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalPushMessageContentMediaAlbum(data json.RawMessage) (*PushMessageContentMediaAlbum, error) { - var resp PushMessageContentMediaAlbum +func UnmarshalPageBlockSlideshow(data json.RawMessage) (*PageBlockSlideshow, error) { + var resp PageBlockSlideshow - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalNotificationTypeNewMessage(data json.RawMessage) (*NotificationTypeNewMessage, error) { - var resp NotificationTypeNewMessage +func UnmarshalPageBlockChatLink(data json.RawMessage) (*PageBlockChatLink, error) { + var resp PageBlockChatLink - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalNotificationTypeNewSecretChat(data json.RawMessage) (*NotificationTypeNewSecretChat, error) { - var resp NotificationTypeNewSecretChat +func UnmarshalPageBlockTable(data json.RawMessage) (*PageBlockTable, error) { + var resp PageBlockTable - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalNotificationTypeNewCall(data json.RawMessage) (*NotificationTypeNewCall, error) { - var resp NotificationTypeNewCall +func UnmarshalPageBlockDetails(data json.RawMessage) (*PageBlockDetails, error) { + var resp PageBlockDetails - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalNotificationTypeNewPushMessage(data json.RawMessage) (*NotificationTypeNewPushMessage, error) { - var resp NotificationTypeNewPushMessage +func UnmarshalPageBlockRelatedArticles(data json.RawMessage) (*PageBlockRelatedArticles, error) { + var resp PageBlockRelatedArticles - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalNotificationGroupTypeMessages(data json.RawMessage) (*NotificationGroupTypeMessages, error) { - var resp NotificationGroupTypeMessages +func UnmarshalPageBlockMap(data json.RawMessage) (*PageBlockMap, error) { + var resp PageBlockMap - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalNotificationGroupTypeMentions(data json.RawMessage) (*NotificationGroupTypeMentions, error) { - var resp NotificationGroupTypeMentions +func UnmarshalWebPageInstantView(data json.RawMessage) (*WebPageInstantView, error) { + var resp WebPageInstantView - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalNotificationGroupTypeSecretChat(data json.RawMessage) (*NotificationGroupTypeSecretChat, error) { - var resp NotificationGroupTypeSecretChat +func UnmarshalLinkPreviewAlbumMediaPhoto(data json.RawMessage) (*LinkPreviewAlbumMediaPhoto, error) { + var resp LinkPreviewAlbumMediaPhoto - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalNotificationGroupTypeCalls(data json.RawMessage) (*NotificationGroupTypeCalls, error) { - var resp NotificationGroupTypeCalls +func UnmarshalLinkPreviewAlbumMediaVideo(data json.RawMessage) (*LinkPreviewAlbumMediaVideo, error) { + var resp LinkPreviewAlbumMediaVideo - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalNotificationSound(data json.RawMessage) (*NotificationSound, error) { - var resp NotificationSound +func UnmarshalLinkPreviewTypeAlbum(data json.RawMessage) (*LinkPreviewTypeAlbum, error) { + var resp LinkPreviewTypeAlbum - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalNotificationSounds(data json.RawMessage) (*NotificationSounds, error) { - var resp NotificationSounds +func UnmarshalLinkPreviewTypeAnimation(data json.RawMessage) (*LinkPreviewTypeAnimation, error) { + var resp LinkPreviewTypeAnimation - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalNotification(data json.RawMessage) (*Notification, error) { - var resp Notification +func UnmarshalLinkPreviewTypeApp(data json.RawMessage) (*LinkPreviewTypeApp, error) { + var resp LinkPreviewTypeApp - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalNotificationGroup(data json.RawMessage) (*NotificationGroup, error) { - var resp NotificationGroup +func UnmarshalLinkPreviewTypeArticle(data json.RawMessage) (*LinkPreviewTypeArticle, error) { + var resp LinkPreviewTypeArticle - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalOptionValueBoolean(data json.RawMessage) (*OptionValueBoolean, error) { - var resp OptionValueBoolean +func UnmarshalLinkPreviewTypeAudio(data json.RawMessage) (*LinkPreviewTypeAudio, error) { + var resp LinkPreviewTypeAudio - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalOptionValueEmpty(data json.RawMessage) (*OptionValueEmpty, error) { - var resp OptionValueEmpty +func UnmarshalLinkPreviewTypeBackground(data json.RawMessage) (*LinkPreviewTypeBackground, error) { + var resp LinkPreviewTypeBackground - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalOptionValueInteger(data json.RawMessage) (*OptionValueInteger, error) { - var resp OptionValueInteger +func UnmarshalLinkPreviewTypeChannelBoost(data json.RawMessage) (*LinkPreviewTypeChannelBoost, error) { + var resp LinkPreviewTypeChannelBoost - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalOptionValueString(data json.RawMessage) (*OptionValueString, error) { - var resp OptionValueString +func UnmarshalLinkPreviewTypeChat(data json.RawMessage) (*LinkPreviewTypeChat, error) { + var resp LinkPreviewTypeChat - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalJsonObjectMember(data json.RawMessage) (*JsonObjectMember, error) { - var resp JsonObjectMember +func UnmarshalLinkPreviewTypeDirectMessagesChat(data json.RawMessage) (*LinkPreviewTypeDirectMessagesChat, error) { + var resp LinkPreviewTypeDirectMessagesChat - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalJsonValueNull(data json.RawMessage) (*JsonValueNull, error) { - var resp JsonValueNull +func UnmarshalLinkPreviewTypeDocument(data json.RawMessage) (*LinkPreviewTypeDocument, error) { + var resp LinkPreviewTypeDocument - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalJsonValueBoolean(data json.RawMessage) (*JsonValueBoolean, error) { - var resp JsonValueBoolean +func UnmarshalLinkPreviewTypeEmbeddedAnimationPlayer(data json.RawMessage) (*LinkPreviewTypeEmbeddedAnimationPlayer, error) { + var resp LinkPreviewTypeEmbeddedAnimationPlayer - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalJsonValueNumber(data json.RawMessage) (*JsonValueNumber, error) { - var resp JsonValueNumber +func UnmarshalLinkPreviewTypeEmbeddedAudioPlayer(data json.RawMessage) (*LinkPreviewTypeEmbeddedAudioPlayer, error) { + var resp LinkPreviewTypeEmbeddedAudioPlayer - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalJsonValueString(data json.RawMessage) (*JsonValueString, error) { - var resp JsonValueString +func UnmarshalLinkPreviewTypeEmbeddedVideoPlayer(data json.RawMessage) (*LinkPreviewTypeEmbeddedVideoPlayer, error) { + var resp LinkPreviewTypeEmbeddedVideoPlayer - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalJsonValueArray(data json.RawMessage) (*JsonValueArray, error) { - var resp JsonValueArray +func UnmarshalLinkPreviewTypeExternalAudio(data json.RawMessage) (*LinkPreviewTypeExternalAudio, error) { + var resp LinkPreviewTypeExternalAudio - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalJsonValueObject(data json.RawMessage) (*JsonValueObject, error) { - var resp JsonValueObject +func UnmarshalLinkPreviewTypeExternalVideo(data json.RawMessage) (*LinkPreviewTypeExternalVideo, error) { + var resp LinkPreviewTypeExternalVideo - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalUserPrivacySettingRuleAllowAll(data json.RawMessage) (*UserPrivacySettingRuleAllowAll, error) { - var resp UserPrivacySettingRuleAllowAll +func UnmarshalLinkPreviewTypeGiftAuction(data json.RawMessage) (*LinkPreviewTypeGiftAuction, error) { + var resp LinkPreviewTypeGiftAuction - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalUserPrivacySettingRuleAllowContacts(data json.RawMessage) (*UserPrivacySettingRuleAllowContacts, error) { - var resp UserPrivacySettingRuleAllowContacts +func UnmarshalLinkPreviewTypeGiftCollection(data json.RawMessage) (*LinkPreviewTypeGiftCollection, error) { + var resp LinkPreviewTypeGiftCollection - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalUserPrivacySettingRuleAllowUsers(data json.RawMessage) (*UserPrivacySettingRuleAllowUsers, error) { - var resp UserPrivacySettingRuleAllowUsers +func UnmarshalLinkPreviewTypeGroupCall(data json.RawMessage) (*LinkPreviewTypeGroupCall, error) { + var resp LinkPreviewTypeGroupCall - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalUserPrivacySettingRuleAllowChatMembers(data json.RawMessage) (*UserPrivacySettingRuleAllowChatMembers, error) { - var resp UserPrivacySettingRuleAllowChatMembers +func UnmarshalLinkPreviewTypeInvoice(data json.RawMessage) (*LinkPreviewTypeInvoice, error) { + var resp LinkPreviewTypeInvoice - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalUserPrivacySettingRuleRestrictAll(data json.RawMessage) (*UserPrivacySettingRuleRestrictAll, error) { - var resp UserPrivacySettingRuleRestrictAll +func UnmarshalLinkPreviewTypeLiveStory(data json.RawMessage) (*LinkPreviewTypeLiveStory, error) { + var resp LinkPreviewTypeLiveStory - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalUserPrivacySettingRuleRestrictContacts(data json.RawMessage) (*UserPrivacySettingRuleRestrictContacts, error) { - var resp UserPrivacySettingRuleRestrictContacts +func UnmarshalLinkPreviewTypeMessage(data json.RawMessage) (*LinkPreviewTypeMessage, error) { + var resp LinkPreviewTypeMessage - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalUserPrivacySettingRuleRestrictUsers(data json.RawMessage) (*UserPrivacySettingRuleRestrictUsers, error) { - var resp UserPrivacySettingRuleRestrictUsers +func UnmarshalLinkPreviewTypePhoto(data json.RawMessage) (*LinkPreviewTypePhoto, error) { + var resp LinkPreviewTypePhoto - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalUserPrivacySettingRuleRestrictChatMembers(data json.RawMessage) (*UserPrivacySettingRuleRestrictChatMembers, error) { - var resp UserPrivacySettingRuleRestrictChatMembers +func UnmarshalLinkPreviewTypePremiumGiftCode(data json.RawMessage) (*LinkPreviewTypePremiumGiftCode, error) { + var resp LinkPreviewTypePremiumGiftCode - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalUserPrivacySettingRules(data json.RawMessage) (*UserPrivacySettingRules, error) { - var resp UserPrivacySettingRules +func UnmarshalLinkPreviewTypeShareableChatFolder(data json.RawMessage) (*LinkPreviewTypeShareableChatFolder, error) { + var resp LinkPreviewTypeShareableChatFolder - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalUserPrivacySettingShowStatus(data json.RawMessage) (*UserPrivacySettingShowStatus, error) { - var resp UserPrivacySettingShowStatus +func UnmarshalLinkPreviewTypeSticker(data json.RawMessage) (*LinkPreviewTypeSticker, error) { + var resp LinkPreviewTypeSticker - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalUserPrivacySettingShowProfilePhoto(data json.RawMessage) (*UserPrivacySettingShowProfilePhoto, error) { - var resp UserPrivacySettingShowProfilePhoto +func UnmarshalLinkPreviewTypeStickerSet(data json.RawMessage) (*LinkPreviewTypeStickerSet, error) { + var resp LinkPreviewTypeStickerSet - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalUserPrivacySettingShowLinkInForwardedMessages(data json.RawMessage) (*UserPrivacySettingShowLinkInForwardedMessages, error) { - var resp UserPrivacySettingShowLinkInForwardedMessages +func UnmarshalLinkPreviewTypeStory(data json.RawMessage) (*LinkPreviewTypeStory, error) { + var resp LinkPreviewTypeStory - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalUserPrivacySettingShowPhoneNumber(data json.RawMessage) (*UserPrivacySettingShowPhoneNumber, error) { - var resp UserPrivacySettingShowPhoneNumber +func UnmarshalLinkPreviewTypeStoryAlbum(data json.RawMessage) (*LinkPreviewTypeStoryAlbum, error) { + var resp LinkPreviewTypeStoryAlbum - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalUserPrivacySettingAllowChatInvites(data json.RawMessage) (*UserPrivacySettingAllowChatInvites, error) { - var resp UserPrivacySettingAllowChatInvites +func UnmarshalLinkPreviewTypeSupergroupBoost(data json.RawMessage) (*LinkPreviewTypeSupergroupBoost, error) { + var resp LinkPreviewTypeSupergroupBoost - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalUserPrivacySettingAllowCalls(data json.RawMessage) (*UserPrivacySettingAllowCalls, error) { - var resp UserPrivacySettingAllowCalls +func UnmarshalLinkPreviewTypeTheme(data json.RawMessage) (*LinkPreviewTypeTheme, error) { + var resp LinkPreviewTypeTheme - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalUserPrivacySettingAllowPeerToPeerCalls(data json.RawMessage) (*UserPrivacySettingAllowPeerToPeerCalls, error) { - var resp UserPrivacySettingAllowPeerToPeerCalls +func UnmarshalLinkPreviewTypeUnsupported(data json.RawMessage) (*LinkPreviewTypeUnsupported, error) { + var resp LinkPreviewTypeUnsupported - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalUserPrivacySettingAllowFindingByPhoneNumber(data json.RawMessage) (*UserPrivacySettingAllowFindingByPhoneNumber, error) { - var resp UserPrivacySettingAllowFindingByPhoneNumber +func UnmarshalLinkPreviewTypeUpgradedGift(data json.RawMessage) (*LinkPreviewTypeUpgradedGift, error) { + var resp LinkPreviewTypeUpgradedGift - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalUserPrivacySettingAllowPrivateVoiceAndVideoNoteMessages(data json.RawMessage) (*UserPrivacySettingAllowPrivateVoiceAndVideoNoteMessages, error) { - var resp UserPrivacySettingAllowPrivateVoiceAndVideoNoteMessages +func UnmarshalLinkPreviewTypeUser(data json.RawMessage) (*LinkPreviewTypeUser, error) { + var resp LinkPreviewTypeUser - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalAccountTtl(data json.RawMessage) (*AccountTtl, error) { - var resp AccountTtl +func UnmarshalLinkPreviewTypeVideo(data json.RawMessage) (*LinkPreviewTypeVideo, error) { + var resp LinkPreviewTypeVideo - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalMessageAutoDeleteTime(data json.RawMessage) (*MessageAutoDeleteTime, error) { - var resp MessageAutoDeleteTime +func UnmarshalLinkPreviewTypeVideoChat(data json.RawMessage) (*LinkPreviewTypeVideoChat, error) { + var resp LinkPreviewTypeVideoChat - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalSessionTypeAndroid(data json.RawMessage) (*SessionTypeAndroid, error) { - var resp SessionTypeAndroid +func UnmarshalLinkPreviewTypeVideoNote(data json.RawMessage) (*LinkPreviewTypeVideoNote, error) { + var resp LinkPreviewTypeVideoNote - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalSessionTypeApple(data json.RawMessage) (*SessionTypeApple, error) { - var resp SessionTypeApple +func UnmarshalLinkPreviewTypeVoiceNote(data json.RawMessage) (*LinkPreviewTypeVoiceNote, error) { + var resp LinkPreviewTypeVoiceNote - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalSessionTypeBrave(data json.RawMessage) (*SessionTypeBrave, error) { - var resp SessionTypeBrave +func UnmarshalLinkPreviewTypeWebApp(data json.RawMessage) (*LinkPreviewTypeWebApp, error) { + var resp LinkPreviewTypeWebApp - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalSessionTypeChrome(data json.RawMessage) (*SessionTypeChrome, error) { - var resp SessionTypeChrome +func UnmarshalLinkPreview(data json.RawMessage) (*LinkPreview, error) { + var resp LinkPreview - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalSessionTypeEdge(data json.RawMessage) (*SessionTypeEdge, error) { - var resp SessionTypeEdge +func UnmarshalCountryInfo(data json.RawMessage) (*CountryInfo, error) { + var resp CountryInfo - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalSessionTypeFirefox(data json.RawMessage) (*SessionTypeFirefox, error) { - var resp SessionTypeFirefox +func UnmarshalCountries(data json.RawMessage) (*Countries, error) { + var resp Countries - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalSessionTypeIpad(data json.RawMessage) (*SessionTypeIpad, error) { - var resp SessionTypeIpad +func UnmarshalPhoneNumberInfo(data json.RawMessage) (*PhoneNumberInfo, error) { + var resp PhoneNumberInfo - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalSessionTypeIphone(data json.RawMessage) (*SessionTypeIphone, error) { - var resp SessionTypeIphone +func UnmarshalCollectibleItemTypeUsername(data json.RawMessage) (*CollectibleItemTypeUsername, error) { + var resp CollectibleItemTypeUsername - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalSessionTypeLinux(data json.RawMessage) (*SessionTypeLinux, error) { - var resp SessionTypeLinux +func UnmarshalCollectibleItemTypePhoneNumber(data json.RawMessage) (*CollectibleItemTypePhoneNumber, error) { + var resp CollectibleItemTypePhoneNumber - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalSessionTypeMac(data json.RawMessage) (*SessionTypeMac, error) { - var resp SessionTypeMac +func UnmarshalCollectibleItemInfo(data json.RawMessage) (*CollectibleItemInfo, error) { + var resp CollectibleItemInfo - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalSessionTypeOpera(data json.RawMessage) (*SessionTypeOpera, error) { - var resp SessionTypeOpera +func UnmarshalBankCardActionOpenUrl(data json.RawMessage) (*BankCardActionOpenUrl, error) { + var resp BankCardActionOpenUrl - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalSessionTypeSafari(data json.RawMessage) (*SessionTypeSafari, error) { - var resp SessionTypeSafari +func UnmarshalBankCardInfo(data json.RawMessage) (*BankCardInfo, error) { + var resp BankCardInfo - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalSessionTypeUbuntu(data json.RawMessage) (*SessionTypeUbuntu, error) { - var resp SessionTypeUbuntu +func UnmarshalAddress(data json.RawMessage) (*Address, error) { + var resp Address - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalSessionTypeUnknown(data json.RawMessage) (*SessionTypeUnknown, error) { - var resp SessionTypeUnknown +func UnmarshalLocationAddress(data json.RawMessage) (*LocationAddress, error) { + var resp LocationAddress - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalSessionTypeVivaldi(data json.RawMessage) (*SessionTypeVivaldi, error) { - var resp SessionTypeVivaldi +func UnmarshalLabeledPricePart(data json.RawMessage) (*LabeledPricePart, error) { + var resp LabeledPricePart - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalSessionTypeWindows(data json.RawMessage) (*SessionTypeWindows, error) { - var resp SessionTypeWindows +func UnmarshalInvoice(data json.RawMessage) (*Invoice, error) { + var resp Invoice - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalSessionTypeXbox(data json.RawMessage) (*SessionTypeXbox, error) { - var resp SessionTypeXbox +func UnmarshalOrderInfo(data json.RawMessage) (*OrderInfo, error) { + var resp OrderInfo - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalSession(data json.RawMessage) (*Session, error) { - var resp Session +func UnmarshalShippingOption(data json.RawMessage) (*ShippingOption, error) { + var resp ShippingOption - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalSessions(data json.RawMessage) (*Sessions, error) { - var resp Sessions +func UnmarshalSavedCredentials(data json.RawMessage) (*SavedCredentials, error) { + var resp SavedCredentials - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalConnectedWebsite(data json.RawMessage) (*ConnectedWebsite, error) { - var resp ConnectedWebsite +func UnmarshalInputCredentialsSaved(data json.RawMessage) (*InputCredentialsSaved, error) { + var resp InputCredentialsSaved - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalConnectedWebsites(data json.RawMessage) (*ConnectedWebsites, error) { - var resp ConnectedWebsites +func UnmarshalInputCredentialsNew(data json.RawMessage) (*InputCredentialsNew, error) { + var resp InputCredentialsNew - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalChatReportReasonSpam(data json.RawMessage) (*ChatReportReasonSpam, error) { - var resp ChatReportReasonSpam +func UnmarshalInputCredentialsApplePay(data json.RawMessage) (*InputCredentialsApplePay, error) { + var resp InputCredentialsApplePay - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalChatReportReasonViolence(data json.RawMessage) (*ChatReportReasonViolence, error) { - var resp ChatReportReasonViolence +func UnmarshalInputCredentialsGooglePay(data json.RawMessage) (*InputCredentialsGooglePay, error) { + var resp InputCredentialsGooglePay - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalChatReportReasonPornography(data json.RawMessage) (*ChatReportReasonPornography, error) { - var resp ChatReportReasonPornography +func UnmarshalPaymentProviderSmartGlocal(data json.RawMessage) (*PaymentProviderSmartGlocal, error) { + var resp PaymentProviderSmartGlocal - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalChatReportReasonChildAbuse(data json.RawMessage) (*ChatReportReasonChildAbuse, error) { - var resp ChatReportReasonChildAbuse +func UnmarshalPaymentProviderStripe(data json.RawMessage) (*PaymentProviderStripe, error) { + var resp PaymentProviderStripe - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalChatReportReasonCopyright(data json.RawMessage) (*ChatReportReasonCopyright, error) { - var resp ChatReportReasonCopyright +func UnmarshalPaymentProviderOther(data json.RawMessage) (*PaymentProviderOther, error) { + var resp PaymentProviderOther - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalChatReportReasonUnrelatedLocation(data json.RawMessage) (*ChatReportReasonUnrelatedLocation, error) { - var resp ChatReportReasonUnrelatedLocation +func UnmarshalPaymentOption(data json.RawMessage) (*PaymentOption, error) { + var resp PaymentOption - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalChatReportReasonFake(data json.RawMessage) (*ChatReportReasonFake, error) { - var resp ChatReportReasonFake +func UnmarshalPaymentFormTypeRegular(data json.RawMessage) (*PaymentFormTypeRegular, error) { + var resp PaymentFormTypeRegular - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalChatReportReasonIllegalDrugs(data json.RawMessage) (*ChatReportReasonIllegalDrugs, error) { - var resp ChatReportReasonIllegalDrugs +func UnmarshalPaymentFormTypeStars(data json.RawMessage) (*PaymentFormTypeStars, error) { + var resp PaymentFormTypeStars - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalChatReportReasonPersonalDetails(data json.RawMessage) (*ChatReportReasonPersonalDetails, error) { - var resp ChatReportReasonPersonalDetails +func UnmarshalPaymentFormTypeStarSubscription(data json.RawMessage) (*PaymentFormTypeStarSubscription, error) { + var resp PaymentFormTypeStarSubscription - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalChatReportReasonCustom(data json.RawMessage) (*ChatReportReasonCustom, error) { - var resp ChatReportReasonCustom +func UnmarshalPaymentForm(data json.RawMessage) (*PaymentForm, error) { + var resp PaymentForm - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err +} + +func UnmarshalValidatedOrderInfo(data json.RawMessage) (*ValidatedOrderInfo, error) { + var resp ValidatedOrderInfo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPaymentResult(data json.RawMessage) (*PaymentResult, error) { + var resp PaymentResult + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPaymentReceiptTypeRegular(data json.RawMessage) (*PaymentReceiptTypeRegular, error) { + var resp PaymentReceiptTypeRegular + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPaymentReceiptTypeStars(data json.RawMessage) (*PaymentReceiptTypeStars, error) { + var resp PaymentReceiptTypeStars + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPaymentReceipt(data json.RawMessage) (*PaymentReceipt, error) { + var resp PaymentReceipt + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputInvoiceMessage(data json.RawMessage) (*InputInvoiceMessage, error) { + var resp InputInvoiceMessage + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputInvoiceName(data json.RawMessage) (*InputInvoiceName, error) { + var resp InputInvoiceName + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputInvoiceTelegram(data json.RawMessage) (*InputInvoiceTelegram, error) { + var resp InputInvoiceTelegram + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPaidMediaPreview(data json.RawMessage) (*PaidMediaPreview, error) { + var resp PaidMediaPreview + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPaidMediaPhoto(data json.RawMessage) (*PaidMediaPhoto, error) { + var resp PaidMediaPhoto + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPaidMediaVideo(data json.RawMessage) (*PaidMediaVideo, error) { + var resp PaidMediaVideo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPaidMediaUnsupported(data json.RawMessage) (*PaidMediaUnsupported, error) { + var resp PaidMediaUnsupported + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGiveawayParameters(data json.RawMessage) (*GiveawayParameters, error) { + var resp GiveawayParameters + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalDatedFile(data json.RawMessage) (*DatedFile, error) { + var resp DatedFile + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPassportElementTypePersonalDetails(data json.RawMessage) (*PassportElementTypePersonalDetails, error) { + var resp PassportElementTypePersonalDetails + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPassportElementTypePassport(data json.RawMessage) (*PassportElementTypePassport, error) { + var resp PassportElementTypePassport + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPassportElementTypeDriverLicense(data json.RawMessage) (*PassportElementTypeDriverLicense, error) { + var resp PassportElementTypeDriverLicense + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPassportElementTypeIdentityCard(data json.RawMessage) (*PassportElementTypeIdentityCard, error) { + var resp PassportElementTypeIdentityCard + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPassportElementTypeInternalPassport(data json.RawMessage) (*PassportElementTypeInternalPassport, error) { + var resp PassportElementTypeInternalPassport + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPassportElementTypeAddress(data json.RawMessage) (*PassportElementTypeAddress, error) { + var resp PassportElementTypeAddress + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPassportElementTypeUtilityBill(data json.RawMessage) (*PassportElementTypeUtilityBill, error) { + var resp PassportElementTypeUtilityBill + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPassportElementTypeBankStatement(data json.RawMessage) (*PassportElementTypeBankStatement, error) { + var resp PassportElementTypeBankStatement + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPassportElementTypeRentalAgreement(data json.RawMessage) (*PassportElementTypeRentalAgreement, error) { + var resp PassportElementTypeRentalAgreement + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPassportElementTypePassportRegistration(data json.RawMessage) (*PassportElementTypePassportRegistration, error) { + var resp PassportElementTypePassportRegistration + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPassportElementTypeTemporaryRegistration(data json.RawMessage) (*PassportElementTypeTemporaryRegistration, error) { + var resp PassportElementTypeTemporaryRegistration + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPassportElementTypePhoneNumber(data json.RawMessage) (*PassportElementTypePhoneNumber, error) { + var resp PassportElementTypePhoneNumber + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPassportElementTypeEmailAddress(data json.RawMessage) (*PassportElementTypeEmailAddress, error) { + var resp PassportElementTypeEmailAddress + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalDate(data json.RawMessage) (*Date, error) { + var resp Date + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPersonalDetails(data json.RawMessage) (*PersonalDetails, error) { + var resp PersonalDetails + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalIdentityDocument(data json.RawMessage) (*IdentityDocument, error) { + var resp IdentityDocument + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputIdentityDocument(data json.RawMessage) (*InputIdentityDocument, error) { + var resp InputIdentityDocument + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPersonalDocument(data json.RawMessage) (*PersonalDocument, error) { + var resp PersonalDocument + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputPersonalDocument(data json.RawMessage) (*InputPersonalDocument, error) { + var resp InputPersonalDocument + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPassportElementPersonalDetails(data json.RawMessage) (*PassportElementPersonalDetails, error) { + var resp PassportElementPersonalDetails + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPassportElementPassport(data json.RawMessage) (*PassportElementPassport, error) { + var resp PassportElementPassport + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPassportElementDriverLicense(data json.RawMessage) (*PassportElementDriverLicense, error) { + var resp PassportElementDriverLicense + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPassportElementIdentityCard(data json.RawMessage) (*PassportElementIdentityCard, error) { + var resp PassportElementIdentityCard + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPassportElementInternalPassport(data json.RawMessage) (*PassportElementInternalPassport, error) { + var resp PassportElementInternalPassport + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPassportElementAddress(data json.RawMessage) (*PassportElementAddress, error) { + var resp PassportElementAddress + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPassportElementUtilityBill(data json.RawMessage) (*PassportElementUtilityBill, error) { + var resp PassportElementUtilityBill + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPassportElementBankStatement(data json.RawMessage) (*PassportElementBankStatement, error) { + var resp PassportElementBankStatement + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPassportElementRentalAgreement(data json.RawMessage) (*PassportElementRentalAgreement, error) { + var resp PassportElementRentalAgreement + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPassportElementPassportRegistration(data json.RawMessage) (*PassportElementPassportRegistration, error) { + var resp PassportElementPassportRegistration + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPassportElementTemporaryRegistration(data json.RawMessage) (*PassportElementTemporaryRegistration, error) { + var resp PassportElementTemporaryRegistration + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPassportElementPhoneNumber(data json.RawMessage) (*PassportElementPhoneNumber, error) { + var resp PassportElementPhoneNumber + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPassportElementEmailAddress(data json.RawMessage) (*PassportElementEmailAddress, error) { + var resp PassportElementEmailAddress + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputPassportElementPersonalDetails(data json.RawMessage) (*InputPassportElementPersonalDetails, error) { + var resp InputPassportElementPersonalDetails + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputPassportElementPassport(data json.RawMessage) (*InputPassportElementPassport, error) { + var resp InputPassportElementPassport + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputPassportElementDriverLicense(data json.RawMessage) (*InputPassportElementDriverLicense, error) { + var resp InputPassportElementDriverLicense + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputPassportElementIdentityCard(data json.RawMessage) (*InputPassportElementIdentityCard, error) { + var resp InputPassportElementIdentityCard + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputPassportElementInternalPassport(data json.RawMessage) (*InputPassportElementInternalPassport, error) { + var resp InputPassportElementInternalPassport + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputPassportElementAddress(data json.RawMessage) (*InputPassportElementAddress, error) { + var resp InputPassportElementAddress + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputPassportElementUtilityBill(data json.RawMessage) (*InputPassportElementUtilityBill, error) { + var resp InputPassportElementUtilityBill + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputPassportElementBankStatement(data json.RawMessage) (*InputPassportElementBankStatement, error) { + var resp InputPassportElementBankStatement + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputPassportElementRentalAgreement(data json.RawMessage) (*InputPassportElementRentalAgreement, error) { + var resp InputPassportElementRentalAgreement + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputPassportElementPassportRegistration(data json.RawMessage) (*InputPassportElementPassportRegistration, error) { + var resp InputPassportElementPassportRegistration + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputPassportElementTemporaryRegistration(data json.RawMessage) (*InputPassportElementTemporaryRegistration, error) { + var resp InputPassportElementTemporaryRegistration + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputPassportElementPhoneNumber(data json.RawMessage) (*InputPassportElementPhoneNumber, error) { + var resp InputPassportElementPhoneNumber + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputPassportElementEmailAddress(data json.RawMessage) (*InputPassportElementEmailAddress, error) { + var resp InputPassportElementEmailAddress + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPassportElements(data json.RawMessage) (*PassportElements, error) { + var resp PassportElements + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPassportElementErrorSourceUnspecified(data json.RawMessage) (*PassportElementErrorSourceUnspecified, error) { + var resp PassportElementErrorSourceUnspecified + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPassportElementErrorSourceDataField(data json.RawMessage) (*PassportElementErrorSourceDataField, error) { + var resp PassportElementErrorSourceDataField + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPassportElementErrorSourceFrontSide(data json.RawMessage) (*PassportElementErrorSourceFrontSide, error) { + var resp PassportElementErrorSourceFrontSide + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPassportElementErrorSourceReverseSide(data json.RawMessage) (*PassportElementErrorSourceReverseSide, error) { + var resp PassportElementErrorSourceReverseSide + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPassportElementErrorSourceSelfie(data json.RawMessage) (*PassportElementErrorSourceSelfie, error) { + var resp PassportElementErrorSourceSelfie + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPassportElementErrorSourceTranslationFile(data json.RawMessage) (*PassportElementErrorSourceTranslationFile, error) { + var resp PassportElementErrorSourceTranslationFile + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPassportElementErrorSourceTranslationFiles(data json.RawMessage) (*PassportElementErrorSourceTranslationFiles, error) { + var resp PassportElementErrorSourceTranslationFiles + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPassportElementErrorSourceFile(data json.RawMessage) (*PassportElementErrorSourceFile, error) { + var resp PassportElementErrorSourceFile + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPassportElementErrorSourceFiles(data json.RawMessage) (*PassportElementErrorSourceFiles, error) { + var resp PassportElementErrorSourceFiles + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPassportElementError(data json.RawMessage) (*PassportElementError, error) { + var resp PassportElementError + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPassportSuitableElement(data json.RawMessage) (*PassportSuitableElement, error) { + var resp PassportSuitableElement + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPassportRequiredElement(data json.RawMessage) (*PassportRequiredElement, error) { + var resp PassportRequiredElement + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPassportAuthorizationForm(data json.RawMessage) (*PassportAuthorizationForm, error) { + var resp PassportAuthorizationForm + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPassportElementsWithErrors(data json.RawMessage) (*PassportElementsWithErrors, error) { + var resp PassportElementsWithErrors + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalEncryptedCredentials(data json.RawMessage) (*EncryptedCredentials, error) { + var resp EncryptedCredentials + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalEncryptedPassportElement(data json.RawMessage) (*EncryptedPassportElement, error) { + var resp EncryptedPassportElement + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputPassportElementErrorSourceUnspecified(data json.RawMessage) (*InputPassportElementErrorSourceUnspecified, error) { + var resp InputPassportElementErrorSourceUnspecified + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputPassportElementErrorSourceDataField(data json.RawMessage) (*InputPassportElementErrorSourceDataField, error) { + var resp InputPassportElementErrorSourceDataField + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputPassportElementErrorSourceFrontSide(data json.RawMessage) (*InputPassportElementErrorSourceFrontSide, error) { + var resp InputPassportElementErrorSourceFrontSide + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputPassportElementErrorSourceReverseSide(data json.RawMessage) (*InputPassportElementErrorSourceReverseSide, error) { + var resp InputPassportElementErrorSourceReverseSide + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputPassportElementErrorSourceSelfie(data json.RawMessage) (*InputPassportElementErrorSourceSelfie, error) { + var resp InputPassportElementErrorSourceSelfie + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputPassportElementErrorSourceTranslationFile(data json.RawMessage) (*InputPassportElementErrorSourceTranslationFile, error) { + var resp InputPassportElementErrorSourceTranslationFile + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputPassportElementErrorSourceTranslationFiles(data json.RawMessage) (*InputPassportElementErrorSourceTranslationFiles, error) { + var resp InputPassportElementErrorSourceTranslationFiles + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputPassportElementErrorSourceFile(data json.RawMessage) (*InputPassportElementErrorSourceFile, error) { + var resp InputPassportElementErrorSourceFile + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputPassportElementErrorSourceFiles(data json.RawMessage) (*InputPassportElementErrorSourceFiles, error) { + var resp InputPassportElementErrorSourceFiles + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputPassportElementError(data json.RawMessage) (*InputPassportElementError, error) { + var resp InputPassportElementError + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageText(data json.RawMessage) (*MessageText, error) { + var resp MessageText + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageAnimation(data json.RawMessage) (*MessageAnimation, error) { + var resp MessageAnimation + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageAudio(data json.RawMessage) (*MessageAudio, error) { + var resp MessageAudio + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageDocument(data json.RawMessage) (*MessageDocument, error) { + var resp MessageDocument + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessagePaidMedia(data json.RawMessage) (*MessagePaidMedia, error) { + var resp MessagePaidMedia + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessagePhoto(data json.RawMessage) (*MessagePhoto, error) { + var resp MessagePhoto + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageSticker(data json.RawMessage) (*MessageSticker, error) { + var resp MessageSticker + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageVideo(data json.RawMessage) (*MessageVideo, error) { + var resp MessageVideo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageVideoNote(data json.RawMessage) (*MessageVideoNote, error) { + var resp MessageVideoNote + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageVoiceNote(data json.RawMessage) (*MessageVoiceNote, error) { + var resp MessageVoiceNote + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageExpiredPhoto(data json.RawMessage) (*MessageExpiredPhoto, error) { + var resp MessageExpiredPhoto + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageExpiredVideo(data json.RawMessage) (*MessageExpiredVideo, error) { + var resp MessageExpiredVideo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageExpiredVideoNote(data json.RawMessage) (*MessageExpiredVideoNote, error) { + var resp MessageExpiredVideoNote + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageExpiredVoiceNote(data json.RawMessage) (*MessageExpiredVoiceNote, error) { + var resp MessageExpiredVoiceNote + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageLocation(data json.RawMessage) (*MessageLocation, error) { + var resp MessageLocation + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageVenue(data json.RawMessage) (*MessageVenue, error) { + var resp MessageVenue + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageContact(data json.RawMessage) (*MessageContact, error) { + var resp MessageContact + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageAnimatedEmoji(data json.RawMessage) (*MessageAnimatedEmoji, error) { + var resp MessageAnimatedEmoji + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageDice(data json.RawMessage) (*MessageDice, error) { + var resp MessageDice + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageGame(data json.RawMessage) (*MessageGame, error) { + var resp MessageGame + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessagePoll(data json.RawMessage) (*MessagePoll, error) { + var resp MessagePoll + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageStakeDice(data json.RawMessage) (*MessageStakeDice, error) { + var resp MessageStakeDice + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageStory(data json.RawMessage) (*MessageStory, error) { + var resp MessageStory + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageChecklist(data json.RawMessage) (*MessageChecklist, error) { + var resp MessageChecklist + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageInvoice(data json.RawMessage) (*MessageInvoice, error) { + var resp MessageInvoice + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageCall(data json.RawMessage) (*MessageCall, error) { + var resp MessageCall + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageGroupCall(data json.RawMessage) (*MessageGroupCall, error) { + var resp MessageGroupCall + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageVideoChatScheduled(data json.RawMessage) (*MessageVideoChatScheduled, error) { + var resp MessageVideoChatScheduled + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageVideoChatStarted(data json.RawMessage) (*MessageVideoChatStarted, error) { + var resp MessageVideoChatStarted + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageVideoChatEnded(data json.RawMessage) (*MessageVideoChatEnded, error) { + var resp MessageVideoChatEnded + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageInviteVideoChatParticipants(data json.RawMessage) (*MessageInviteVideoChatParticipants, error) { + var resp MessageInviteVideoChatParticipants + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageBasicGroupChatCreate(data json.RawMessage) (*MessageBasicGroupChatCreate, error) { + var resp MessageBasicGroupChatCreate + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageSupergroupChatCreate(data json.RawMessage) (*MessageSupergroupChatCreate, error) { + var resp MessageSupergroupChatCreate + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageChatChangeTitle(data json.RawMessage) (*MessageChatChangeTitle, error) { + var resp MessageChatChangeTitle + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageChatChangePhoto(data json.RawMessage) (*MessageChatChangePhoto, error) { + var resp MessageChatChangePhoto + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageChatDeletePhoto(data json.RawMessage) (*MessageChatDeletePhoto, error) { + var resp MessageChatDeletePhoto + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageChatOwnerLeft(data json.RawMessage) (*MessageChatOwnerLeft, error) { + var resp MessageChatOwnerLeft + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageChatOwnerChanged(data json.RawMessage) (*MessageChatOwnerChanged, error) { + var resp MessageChatOwnerChanged + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageChatAddMembers(data json.RawMessage) (*MessageChatAddMembers, error) { + var resp MessageChatAddMembers + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageChatJoinByLink(data json.RawMessage) (*MessageChatJoinByLink, error) { + var resp MessageChatJoinByLink + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageChatJoinByRequest(data json.RawMessage) (*MessageChatJoinByRequest, error) { + var resp MessageChatJoinByRequest + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageChatDeleteMember(data json.RawMessage) (*MessageChatDeleteMember, error) { + var resp MessageChatDeleteMember + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageChatUpgradeTo(data json.RawMessage) (*MessageChatUpgradeTo, error) { + var resp MessageChatUpgradeTo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageChatUpgradeFrom(data json.RawMessage) (*MessageChatUpgradeFrom, error) { + var resp MessageChatUpgradeFrom + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessagePinMessage(data json.RawMessage) (*MessagePinMessage, error) { + var resp MessagePinMessage + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageScreenshotTaken(data json.RawMessage) (*MessageScreenshotTaken, error) { + var resp MessageScreenshotTaken + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageChatSetBackground(data json.RawMessage) (*MessageChatSetBackground, error) { + var resp MessageChatSetBackground + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageChatSetTheme(data json.RawMessage) (*MessageChatSetTheme, error) { + var resp MessageChatSetTheme + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageChatSetMessageAutoDeleteTime(data json.RawMessage) (*MessageChatSetMessageAutoDeleteTime, error) { + var resp MessageChatSetMessageAutoDeleteTime + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageChatBoost(data json.RawMessage) (*MessageChatBoost, error) { + var resp MessageChatBoost + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageForumTopicCreated(data json.RawMessage) (*MessageForumTopicCreated, error) { + var resp MessageForumTopicCreated + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageForumTopicEdited(data json.RawMessage) (*MessageForumTopicEdited, error) { + var resp MessageForumTopicEdited + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageForumTopicIsClosedToggled(data json.RawMessage) (*MessageForumTopicIsClosedToggled, error) { + var resp MessageForumTopicIsClosedToggled + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageForumTopicIsHiddenToggled(data json.RawMessage) (*MessageForumTopicIsHiddenToggled, error) { + var resp MessageForumTopicIsHiddenToggled + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageSuggestProfilePhoto(data json.RawMessage) (*MessageSuggestProfilePhoto, error) { + var resp MessageSuggestProfilePhoto + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageSuggestBirthdate(data json.RawMessage) (*MessageSuggestBirthdate, error) { + var resp MessageSuggestBirthdate + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageCustomServiceAction(data json.RawMessage) (*MessageCustomServiceAction, error) { + var resp MessageCustomServiceAction + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageGameScore(data json.RawMessage) (*MessageGameScore, error) { + var resp MessageGameScore + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessagePaymentSuccessful(data json.RawMessage) (*MessagePaymentSuccessful, error) { + var resp MessagePaymentSuccessful + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessagePaymentSuccessfulBot(data json.RawMessage) (*MessagePaymentSuccessfulBot, error) { + var resp MessagePaymentSuccessfulBot + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessagePaymentRefunded(data json.RawMessage) (*MessagePaymentRefunded, error) { + var resp MessagePaymentRefunded + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageGiftedPremium(data json.RawMessage) (*MessageGiftedPremium, error) { + var resp MessageGiftedPremium + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessagePremiumGiftCode(data json.RawMessage) (*MessagePremiumGiftCode, error) { + var resp MessagePremiumGiftCode + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageGiveawayCreated(data json.RawMessage) (*MessageGiveawayCreated, error) { + var resp MessageGiveawayCreated + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageGiveaway(data json.RawMessage) (*MessageGiveaway, error) { + var resp MessageGiveaway + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageGiveawayCompleted(data json.RawMessage) (*MessageGiveawayCompleted, error) { + var resp MessageGiveawayCompleted + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageGiveawayWinners(data json.RawMessage) (*MessageGiveawayWinners, error) { + var resp MessageGiveawayWinners + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageGiftedStars(data json.RawMessage) (*MessageGiftedStars, error) { + var resp MessageGiftedStars + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageGiftedTon(data json.RawMessage) (*MessageGiftedTon, error) { + var resp MessageGiftedTon + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageGiveawayPrizeStars(data json.RawMessage) (*MessageGiveawayPrizeStars, error) { + var resp MessageGiveawayPrizeStars + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageGift(data json.RawMessage) (*MessageGift, error) { + var resp MessageGift + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageUpgradedGift(data json.RawMessage) (*MessageUpgradedGift, error) { + var resp MessageUpgradedGift + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageRefundedUpgradedGift(data json.RawMessage) (*MessageRefundedUpgradedGift, error) { + var resp MessageRefundedUpgradedGift + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageUpgradedGiftPurchaseOffer(data json.RawMessage) (*MessageUpgradedGiftPurchaseOffer, error) { + var resp MessageUpgradedGiftPurchaseOffer + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageUpgradedGiftPurchaseOfferRejected(data json.RawMessage) (*MessageUpgradedGiftPurchaseOfferRejected, error) { + var resp MessageUpgradedGiftPurchaseOfferRejected + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessagePaidMessagesRefunded(data json.RawMessage) (*MessagePaidMessagesRefunded, error) { + var resp MessagePaidMessagesRefunded + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessagePaidMessagePriceChanged(data json.RawMessage) (*MessagePaidMessagePriceChanged, error) { + var resp MessagePaidMessagePriceChanged + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageDirectMessagePriceChanged(data json.RawMessage) (*MessageDirectMessagePriceChanged, error) { + var resp MessageDirectMessagePriceChanged + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageChecklistTasksDone(data json.RawMessage) (*MessageChecklistTasksDone, error) { + var resp MessageChecklistTasksDone + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageChecklistTasksAdded(data json.RawMessage) (*MessageChecklistTasksAdded, error) { + var resp MessageChecklistTasksAdded + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageSuggestedPostApprovalFailed(data json.RawMessage) (*MessageSuggestedPostApprovalFailed, error) { + var resp MessageSuggestedPostApprovalFailed + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageSuggestedPostApproved(data json.RawMessage) (*MessageSuggestedPostApproved, error) { + var resp MessageSuggestedPostApproved + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageSuggestedPostDeclined(data json.RawMessage) (*MessageSuggestedPostDeclined, error) { + var resp MessageSuggestedPostDeclined + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageSuggestedPostPaid(data json.RawMessage) (*MessageSuggestedPostPaid, error) { + var resp MessageSuggestedPostPaid + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageSuggestedPostRefunded(data json.RawMessage) (*MessageSuggestedPostRefunded, error) { + var resp MessageSuggestedPostRefunded + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageContactRegistered(data json.RawMessage) (*MessageContactRegistered, error) { + var resp MessageContactRegistered + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageUsersShared(data json.RawMessage) (*MessageUsersShared, error) { + var resp MessageUsersShared + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageChatShared(data json.RawMessage) (*MessageChatShared, error) { + var resp MessageChatShared + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageBotWriteAccessAllowed(data json.RawMessage) (*MessageBotWriteAccessAllowed, error) { + var resp MessageBotWriteAccessAllowed + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageWebAppDataSent(data json.RawMessage) (*MessageWebAppDataSent, error) { + var resp MessageWebAppDataSent + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageWebAppDataReceived(data json.RawMessage) (*MessageWebAppDataReceived, error) { + var resp MessageWebAppDataReceived + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessagePassportDataSent(data json.RawMessage) (*MessagePassportDataSent, error) { + var resp MessagePassportDataSent + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessagePassportDataReceived(data json.RawMessage) (*MessagePassportDataReceived, error) { + var resp MessagePassportDataReceived + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageProximityAlertTriggered(data json.RawMessage) (*MessageProximityAlertTriggered, error) { + var resp MessageProximityAlertTriggered + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageUnsupported(data json.RawMessage) (*MessageUnsupported, error) { + var resp MessageUnsupported + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTextEntityTypeMention(data json.RawMessage) (*TextEntityTypeMention, error) { + var resp TextEntityTypeMention + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTextEntityTypeHashtag(data json.RawMessage) (*TextEntityTypeHashtag, error) { + var resp TextEntityTypeHashtag + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTextEntityTypeCashtag(data json.RawMessage) (*TextEntityTypeCashtag, error) { + var resp TextEntityTypeCashtag + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTextEntityTypeBotCommand(data json.RawMessage) (*TextEntityTypeBotCommand, error) { + var resp TextEntityTypeBotCommand + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTextEntityTypeUrl(data json.RawMessage) (*TextEntityTypeUrl, error) { + var resp TextEntityTypeUrl + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTextEntityTypeEmailAddress(data json.RawMessage) (*TextEntityTypeEmailAddress, error) { + var resp TextEntityTypeEmailAddress + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTextEntityTypePhoneNumber(data json.RawMessage) (*TextEntityTypePhoneNumber, error) { + var resp TextEntityTypePhoneNumber + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTextEntityTypeBankCardNumber(data json.RawMessage) (*TextEntityTypeBankCardNumber, error) { + var resp TextEntityTypeBankCardNumber + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTextEntityTypeBold(data json.RawMessage) (*TextEntityTypeBold, error) { + var resp TextEntityTypeBold + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTextEntityTypeItalic(data json.RawMessage) (*TextEntityTypeItalic, error) { + var resp TextEntityTypeItalic + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTextEntityTypeUnderline(data json.RawMessage) (*TextEntityTypeUnderline, error) { + var resp TextEntityTypeUnderline + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTextEntityTypeStrikethrough(data json.RawMessage) (*TextEntityTypeStrikethrough, error) { + var resp TextEntityTypeStrikethrough + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTextEntityTypeSpoiler(data json.RawMessage) (*TextEntityTypeSpoiler, error) { + var resp TextEntityTypeSpoiler + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTextEntityTypeCode(data json.RawMessage) (*TextEntityTypeCode, error) { + var resp TextEntityTypeCode + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTextEntityTypePre(data json.RawMessage) (*TextEntityTypePre, error) { + var resp TextEntityTypePre + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTextEntityTypePreCode(data json.RawMessage) (*TextEntityTypePreCode, error) { + var resp TextEntityTypePreCode + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTextEntityTypeBlockQuote(data json.RawMessage) (*TextEntityTypeBlockQuote, error) { + var resp TextEntityTypeBlockQuote + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTextEntityTypeExpandableBlockQuote(data json.RawMessage) (*TextEntityTypeExpandableBlockQuote, error) { + var resp TextEntityTypeExpandableBlockQuote + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTextEntityTypeTextUrl(data json.RawMessage) (*TextEntityTypeTextUrl, error) { + var resp TextEntityTypeTextUrl + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTextEntityTypeMentionName(data json.RawMessage) (*TextEntityTypeMentionName, error) { + var resp TextEntityTypeMentionName + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTextEntityTypeCustomEmoji(data json.RawMessage) (*TextEntityTypeCustomEmoji, error) { + var resp TextEntityTypeCustomEmoji + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTextEntityTypeMediaTimestamp(data json.RawMessage) (*TextEntityTypeMediaTimestamp, error) { + var resp TextEntityTypeMediaTimestamp + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputThumbnail(data json.RawMessage) (*InputThumbnail, error) { + var resp InputThumbnail + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputPaidMediaTypePhoto(data json.RawMessage) (*InputPaidMediaTypePhoto, error) { + var resp InputPaidMediaTypePhoto + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputPaidMediaTypeVideo(data json.RawMessage) (*InputPaidMediaTypeVideo, error) { + var resp InputPaidMediaTypeVideo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputPaidMedia(data json.RawMessage) (*InputPaidMedia, error) { + var resp InputPaidMedia + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageSchedulingStateSendAtDate(data json.RawMessage) (*MessageSchedulingStateSendAtDate, error) { + var resp MessageSchedulingStateSendAtDate + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageSchedulingStateSendWhenOnline(data json.RawMessage) (*MessageSchedulingStateSendWhenOnline, error) { + var resp MessageSchedulingStateSendWhenOnline + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageSchedulingStateSendWhenVideoProcessed(data json.RawMessage) (*MessageSchedulingStateSendWhenVideoProcessed, error) { + var resp MessageSchedulingStateSendWhenVideoProcessed + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageSelfDestructTypeTimer(data json.RawMessage) (*MessageSelfDestructTypeTimer, error) { + var resp MessageSelfDestructTypeTimer + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageSelfDestructTypeImmediately(data json.RawMessage) (*MessageSelfDestructTypeImmediately, error) { + var resp MessageSelfDestructTypeImmediately + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageSendOptions(data json.RawMessage) (*MessageSendOptions, error) { + var resp MessageSendOptions + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageCopyOptions(data json.RawMessage) (*MessageCopyOptions, error) { + var resp MessageCopyOptions + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputMessageText(data json.RawMessage) (*InputMessageText, error) { + var resp InputMessageText + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputMessageAnimation(data json.RawMessage) (*InputMessageAnimation, error) { + var resp InputMessageAnimation + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputMessageAudio(data json.RawMessage) (*InputMessageAudio, error) { + var resp InputMessageAudio + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputMessageDocument(data json.RawMessage) (*InputMessageDocument, error) { + var resp InputMessageDocument + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputMessagePaidMedia(data json.RawMessage) (*InputMessagePaidMedia, error) { + var resp InputMessagePaidMedia + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputMessagePhoto(data json.RawMessage) (*InputMessagePhoto, error) { + var resp InputMessagePhoto + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputMessageSticker(data json.RawMessage) (*InputMessageSticker, error) { + var resp InputMessageSticker + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputMessageVideo(data json.RawMessage) (*InputMessageVideo, error) { + var resp InputMessageVideo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputMessageVideoNote(data json.RawMessage) (*InputMessageVideoNote, error) { + var resp InputMessageVideoNote + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputMessageVoiceNote(data json.RawMessage) (*InputMessageVoiceNote, error) { + var resp InputMessageVoiceNote + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputMessageLocation(data json.RawMessage) (*InputMessageLocation, error) { + var resp InputMessageLocation + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputMessageVenue(data json.RawMessage) (*InputMessageVenue, error) { + var resp InputMessageVenue + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputMessageContact(data json.RawMessage) (*InputMessageContact, error) { + var resp InputMessageContact + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputMessageDice(data json.RawMessage) (*InputMessageDice, error) { + var resp InputMessageDice + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputMessageGame(data json.RawMessage) (*InputMessageGame, error) { + var resp InputMessageGame + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputMessageInvoice(data json.RawMessage) (*InputMessageInvoice, error) { + var resp InputMessageInvoice + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputMessagePoll(data json.RawMessage) (*InputMessagePoll, error) { + var resp InputMessagePoll + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputMessageStakeDice(data json.RawMessage) (*InputMessageStakeDice, error) { + var resp InputMessageStakeDice + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputMessageStory(data json.RawMessage) (*InputMessageStory, error) { + var resp InputMessageStory + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputMessageChecklist(data json.RawMessage) (*InputMessageChecklist, error) { + var resp InputMessageChecklist + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputMessageForwarded(data json.RawMessage) (*InputMessageForwarded, error) { + var resp InputMessageForwarded + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageProperties(data json.RawMessage) (*MessageProperties, error) { + var resp MessageProperties + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSearchMessagesFilterEmpty(data json.RawMessage) (*SearchMessagesFilterEmpty, error) { + var resp SearchMessagesFilterEmpty + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSearchMessagesFilterAnimation(data json.RawMessage) (*SearchMessagesFilterAnimation, error) { + var resp SearchMessagesFilterAnimation + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSearchMessagesFilterAudio(data json.RawMessage) (*SearchMessagesFilterAudio, error) { + var resp SearchMessagesFilterAudio + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSearchMessagesFilterDocument(data json.RawMessage) (*SearchMessagesFilterDocument, error) { + var resp SearchMessagesFilterDocument + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSearchMessagesFilterPhoto(data json.RawMessage) (*SearchMessagesFilterPhoto, error) { + var resp SearchMessagesFilterPhoto + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSearchMessagesFilterVideo(data json.RawMessage) (*SearchMessagesFilterVideo, error) { + var resp SearchMessagesFilterVideo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSearchMessagesFilterVoiceNote(data json.RawMessage) (*SearchMessagesFilterVoiceNote, error) { + var resp SearchMessagesFilterVoiceNote + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSearchMessagesFilterPhotoAndVideo(data json.RawMessage) (*SearchMessagesFilterPhotoAndVideo, error) { + var resp SearchMessagesFilterPhotoAndVideo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSearchMessagesFilterUrl(data json.RawMessage) (*SearchMessagesFilterUrl, error) { + var resp SearchMessagesFilterUrl + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSearchMessagesFilterChatPhoto(data json.RawMessage) (*SearchMessagesFilterChatPhoto, error) { + var resp SearchMessagesFilterChatPhoto + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSearchMessagesFilterVideoNote(data json.RawMessage) (*SearchMessagesFilterVideoNote, error) { + var resp SearchMessagesFilterVideoNote + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSearchMessagesFilterVoiceAndVideoNote(data json.RawMessage) (*SearchMessagesFilterVoiceAndVideoNote, error) { + var resp SearchMessagesFilterVoiceAndVideoNote + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSearchMessagesFilterMention(data json.RawMessage) (*SearchMessagesFilterMention, error) { + var resp SearchMessagesFilterMention + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSearchMessagesFilterUnreadMention(data json.RawMessage) (*SearchMessagesFilterUnreadMention, error) { + var resp SearchMessagesFilterUnreadMention + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSearchMessagesFilterUnreadReaction(data json.RawMessage) (*SearchMessagesFilterUnreadReaction, error) { + var resp SearchMessagesFilterUnreadReaction + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSearchMessagesFilterFailedToSend(data json.RawMessage) (*SearchMessagesFilterFailedToSend, error) { + var resp SearchMessagesFilterFailedToSend + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSearchMessagesFilterPinned(data json.RawMessage) (*SearchMessagesFilterPinned, error) { + var resp SearchMessagesFilterPinned + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSearchMessagesChatTypeFilterPrivate(data json.RawMessage) (*SearchMessagesChatTypeFilterPrivate, error) { + var resp SearchMessagesChatTypeFilterPrivate + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSearchMessagesChatTypeFilterGroup(data json.RawMessage) (*SearchMessagesChatTypeFilterGroup, error) { + var resp SearchMessagesChatTypeFilterGroup + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSearchMessagesChatTypeFilterChannel(data json.RawMessage) (*SearchMessagesChatTypeFilterChannel, error) { + var resp SearchMessagesChatTypeFilterChannel + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatActionTyping(data json.RawMessage) (*ChatActionTyping, error) { + var resp ChatActionTyping + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatActionRecordingVideo(data json.RawMessage) (*ChatActionRecordingVideo, error) { + var resp ChatActionRecordingVideo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatActionUploadingVideo(data json.RawMessage) (*ChatActionUploadingVideo, error) { + var resp ChatActionUploadingVideo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatActionRecordingVoiceNote(data json.RawMessage) (*ChatActionRecordingVoiceNote, error) { + var resp ChatActionRecordingVoiceNote + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatActionUploadingVoiceNote(data json.RawMessage) (*ChatActionUploadingVoiceNote, error) { + var resp ChatActionUploadingVoiceNote + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatActionUploadingPhoto(data json.RawMessage) (*ChatActionUploadingPhoto, error) { + var resp ChatActionUploadingPhoto + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatActionUploadingDocument(data json.RawMessage) (*ChatActionUploadingDocument, error) { + var resp ChatActionUploadingDocument + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatActionChoosingSticker(data json.RawMessage) (*ChatActionChoosingSticker, error) { + var resp ChatActionChoosingSticker + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatActionChoosingLocation(data json.RawMessage) (*ChatActionChoosingLocation, error) { + var resp ChatActionChoosingLocation + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatActionChoosingContact(data json.RawMessage) (*ChatActionChoosingContact, error) { + var resp ChatActionChoosingContact + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatActionStartPlayingGame(data json.RawMessage) (*ChatActionStartPlayingGame, error) { + var resp ChatActionStartPlayingGame + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatActionRecordingVideoNote(data json.RawMessage) (*ChatActionRecordingVideoNote, error) { + var resp ChatActionRecordingVideoNote + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatActionUploadingVideoNote(data json.RawMessage) (*ChatActionUploadingVideoNote, error) { + var resp ChatActionUploadingVideoNote + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatActionWatchingAnimations(data json.RawMessage) (*ChatActionWatchingAnimations, error) { + var resp ChatActionWatchingAnimations + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatActionCancel(data json.RawMessage) (*ChatActionCancel, error) { + var resp ChatActionCancel + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUserStatusEmpty(data json.RawMessage) (*UserStatusEmpty, error) { + var resp UserStatusEmpty + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUserStatusOnline(data json.RawMessage) (*UserStatusOnline, error) { + var resp UserStatusOnline + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUserStatusOffline(data json.RawMessage) (*UserStatusOffline, error) { + var resp UserStatusOffline + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUserStatusRecently(data json.RawMessage) (*UserStatusRecently, error) { + var resp UserStatusRecently + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUserStatusLastWeek(data json.RawMessage) (*UserStatusLastWeek, error) { + var resp UserStatusLastWeek + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUserStatusLastMonth(data json.RawMessage) (*UserStatusLastMonth, error) { + var resp UserStatusLastMonth + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalEmojiKeyword(data json.RawMessage) (*EmojiKeyword, error) { + var resp EmojiKeyword + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalEmojiKeywords(data json.RawMessage) (*EmojiKeywords, error) { + var resp EmojiKeywords + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStickers(data json.RawMessage) (*Stickers, error) { + var resp Stickers + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalEmojis(data json.RawMessage) (*Emojis, error) { + var resp Emojis + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStickerSet(data json.RawMessage) (*StickerSet, error) { + var resp StickerSet + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStickerSetInfo(data json.RawMessage) (*StickerSetInfo, error) { + var resp StickerSetInfo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStickerSets(data json.RawMessage) (*StickerSets, error) { + var resp StickerSets + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTrendingStickerSets(data json.RawMessage) (*TrendingStickerSets, error) { + var resp TrendingStickerSets + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalEmojiCategorySourceSearch(data json.RawMessage) (*EmojiCategorySourceSearch, error) { + var resp EmojiCategorySourceSearch + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalEmojiCategorySourcePremium(data json.RawMessage) (*EmojiCategorySourcePremium, error) { + var resp EmojiCategorySourcePremium + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalEmojiCategory(data json.RawMessage) (*EmojiCategory, error) { + var resp EmojiCategory + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalEmojiCategories(data json.RawMessage) (*EmojiCategories, error) { + var resp EmojiCategories + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalEmojiCategoryTypeDefault(data json.RawMessage) (*EmojiCategoryTypeDefault, error) { + var resp EmojiCategoryTypeDefault + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalEmojiCategoryTypeRegularStickers(data json.RawMessage) (*EmojiCategoryTypeRegularStickers, error) { + var resp EmojiCategoryTypeRegularStickers + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalEmojiCategoryTypeEmojiStatus(data json.RawMessage) (*EmojiCategoryTypeEmojiStatus, error) { + var resp EmojiCategoryTypeEmojiStatus + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalEmojiCategoryTypeChatPhoto(data json.RawMessage) (*EmojiCategoryTypeChatPhoto, error) { + var resp EmojiCategoryTypeChatPhoto + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCurrentWeather(data json.RawMessage) (*CurrentWeather, error) { + var resp CurrentWeather + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStoryAreaPosition(data json.RawMessage) (*StoryAreaPosition, error) { + var resp StoryAreaPosition + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStoryAreaTypeLocation(data json.RawMessage) (*StoryAreaTypeLocation, error) { + var resp StoryAreaTypeLocation + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStoryAreaTypeVenue(data json.RawMessage) (*StoryAreaTypeVenue, error) { + var resp StoryAreaTypeVenue + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStoryAreaTypeSuggestedReaction(data json.RawMessage) (*StoryAreaTypeSuggestedReaction, error) { + var resp StoryAreaTypeSuggestedReaction + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStoryAreaTypeMessage(data json.RawMessage) (*StoryAreaTypeMessage, error) { + var resp StoryAreaTypeMessage + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStoryAreaTypeLink(data json.RawMessage) (*StoryAreaTypeLink, error) { + var resp StoryAreaTypeLink + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStoryAreaTypeWeather(data json.RawMessage) (*StoryAreaTypeWeather, error) { + var resp StoryAreaTypeWeather + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStoryAreaTypeUpgradedGift(data json.RawMessage) (*StoryAreaTypeUpgradedGift, error) { + var resp StoryAreaTypeUpgradedGift + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStoryArea(data json.RawMessage) (*StoryArea, error) { + var resp StoryArea + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputStoryAreaTypeLocation(data json.RawMessage) (*InputStoryAreaTypeLocation, error) { + var resp InputStoryAreaTypeLocation + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputStoryAreaTypeFoundVenue(data json.RawMessage) (*InputStoryAreaTypeFoundVenue, error) { + var resp InputStoryAreaTypeFoundVenue + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputStoryAreaTypePreviousVenue(data json.RawMessage) (*InputStoryAreaTypePreviousVenue, error) { + var resp InputStoryAreaTypePreviousVenue + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputStoryAreaTypeSuggestedReaction(data json.RawMessage) (*InputStoryAreaTypeSuggestedReaction, error) { + var resp InputStoryAreaTypeSuggestedReaction + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputStoryAreaTypeMessage(data json.RawMessage) (*InputStoryAreaTypeMessage, error) { + var resp InputStoryAreaTypeMessage + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputStoryAreaTypeLink(data json.RawMessage) (*InputStoryAreaTypeLink, error) { + var resp InputStoryAreaTypeLink + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputStoryAreaTypeWeather(data json.RawMessage) (*InputStoryAreaTypeWeather, error) { + var resp InputStoryAreaTypeWeather + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputStoryAreaTypeUpgradedGift(data json.RawMessage) (*InputStoryAreaTypeUpgradedGift, error) { + var resp InputStoryAreaTypeUpgradedGift + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputStoryArea(data json.RawMessage) (*InputStoryArea, error) { + var resp InputStoryArea + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputStoryAreas(data json.RawMessage) (*InputStoryAreas, error) { + var resp InputStoryAreas + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStoryVideo(data json.RawMessage) (*StoryVideo, error) { + var resp StoryVideo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStoryContentTypePhoto(data json.RawMessage) (*StoryContentTypePhoto, error) { + var resp StoryContentTypePhoto + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStoryContentTypeVideo(data json.RawMessage) (*StoryContentTypeVideo, error) { + var resp StoryContentTypeVideo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStoryContentTypeLive(data json.RawMessage) (*StoryContentTypeLive, error) { + var resp StoryContentTypeLive + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStoryContentTypeUnsupported(data json.RawMessage) (*StoryContentTypeUnsupported, error) { + var resp StoryContentTypeUnsupported + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStoryContentPhoto(data json.RawMessage) (*StoryContentPhoto, error) { + var resp StoryContentPhoto + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStoryContentVideo(data json.RawMessage) (*StoryContentVideo, error) { + var resp StoryContentVideo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStoryContentLive(data json.RawMessage) (*StoryContentLive, error) { + var resp StoryContentLive + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStoryContentUnsupported(data json.RawMessage) (*StoryContentUnsupported, error) { + var resp StoryContentUnsupported + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputStoryContentPhoto(data json.RawMessage) (*InputStoryContentPhoto, error) { + var resp InputStoryContentPhoto + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputStoryContentVideo(data json.RawMessage) (*InputStoryContentVideo, error) { + var resp InputStoryContentVideo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStoryListMain(data json.RawMessage) (*StoryListMain, error) { + var resp StoryListMain + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStoryListArchive(data json.RawMessage) (*StoryListArchive, error) { + var resp StoryListArchive + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStoryOriginPublicStory(data json.RawMessage) (*StoryOriginPublicStory, error) { + var resp StoryOriginPublicStory + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStoryOriginHiddenUser(data json.RawMessage) (*StoryOriginHiddenUser, error) { + var resp StoryOriginHiddenUser + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStoryRepostInfo(data json.RawMessage) (*StoryRepostInfo, error) { + var resp StoryRepostInfo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStoryInteractionInfo(data json.RawMessage) (*StoryInteractionInfo, error) { + var resp StoryInteractionInfo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStory(data json.RawMessage) (*Story, error) { + var resp Story + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStories(data json.RawMessage) (*Stories, error) { + var resp Stories + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalFoundStories(data json.RawMessage) (*FoundStories, error) { + var resp FoundStories + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStoryAlbum(data json.RawMessage) (*StoryAlbum, error) { + var resp StoryAlbum + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStoryAlbums(data json.RawMessage) (*StoryAlbums, error) { + var resp StoryAlbums + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStoryFullId(data json.RawMessage) (*StoryFullId, error) { + var resp StoryFullId + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStoryInfo(data json.RawMessage) (*StoryInfo, error) { + var resp StoryInfo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatActiveStories(data json.RawMessage) (*ChatActiveStories, error) { + var resp ChatActiveStories + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStoryInteractionTypeView(data json.RawMessage) (*StoryInteractionTypeView, error) { + var resp StoryInteractionTypeView + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStoryInteractionTypeForward(data json.RawMessage) (*StoryInteractionTypeForward, error) { + var resp StoryInteractionTypeForward + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStoryInteractionTypeRepost(data json.RawMessage) (*StoryInteractionTypeRepost, error) { + var resp StoryInteractionTypeRepost + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStoryInteraction(data json.RawMessage) (*StoryInteraction, error) { + var resp StoryInteraction + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStoryInteractions(data json.RawMessage) (*StoryInteractions, error) { + var resp StoryInteractions + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalQuickReplyMessage(data json.RawMessage) (*QuickReplyMessage, error) { + var resp QuickReplyMessage + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalQuickReplyMessages(data json.RawMessage) (*QuickReplyMessages, error) { + var resp QuickReplyMessages + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalQuickReplyShortcut(data json.RawMessage) (*QuickReplyShortcut, error) { + var resp QuickReplyShortcut + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPublicForwardMessage(data json.RawMessage) (*PublicForwardMessage, error) { + var resp PublicForwardMessage + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPublicForwardStory(data json.RawMessage) (*PublicForwardStory, error) { + var resp PublicForwardStory + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPublicForwards(data json.RawMessage) (*PublicForwards, error) { + var resp PublicForwards + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBotMediaPreview(data json.RawMessage) (*BotMediaPreview, error) { + var resp BotMediaPreview + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBotMediaPreviews(data json.RawMessage) (*BotMediaPreviews, error) { + var resp BotMediaPreviews + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBotMediaPreviewInfo(data json.RawMessage) (*BotMediaPreviewInfo, error) { + var resp BotMediaPreviewInfo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatBoostLevelFeatures(data json.RawMessage) (*ChatBoostLevelFeatures, error) { + var resp ChatBoostLevelFeatures + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatBoostFeatures(data json.RawMessage) (*ChatBoostFeatures, error) { + var resp ChatBoostFeatures + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatBoostSourceGiftCode(data json.RawMessage) (*ChatBoostSourceGiftCode, error) { + var resp ChatBoostSourceGiftCode + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatBoostSourceGiveaway(data json.RawMessage) (*ChatBoostSourceGiveaway, error) { + var resp ChatBoostSourceGiveaway + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatBoostSourcePremium(data json.RawMessage) (*ChatBoostSourcePremium, error) { + var resp ChatBoostSourcePremium + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPrepaidGiveaway(data json.RawMessage) (*PrepaidGiveaway, error) { + var resp PrepaidGiveaway + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatBoostStatus(data json.RawMessage) (*ChatBoostStatus, error) { + var resp ChatBoostStatus + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatBoost(data json.RawMessage) (*ChatBoost, error) { + var resp ChatBoost + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalFoundChatBoosts(data json.RawMessage) (*FoundChatBoosts, error) { + var resp FoundChatBoosts + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatBoostSlot(data json.RawMessage) (*ChatBoostSlot, error) { + var resp ChatBoostSlot + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatBoostSlots(data json.RawMessage) (*ChatBoostSlots, error) { + var resp ChatBoostSlots + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalResendCodeReasonUserRequest(data json.RawMessage) (*ResendCodeReasonUserRequest, error) { + var resp ResendCodeReasonUserRequest + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalResendCodeReasonVerificationFailed(data json.RawMessage) (*ResendCodeReasonVerificationFailed, error) { + var resp ResendCodeReasonVerificationFailed + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCallDiscardReasonEmpty(data json.RawMessage) (*CallDiscardReasonEmpty, error) { + var resp CallDiscardReasonEmpty + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCallDiscardReasonMissed(data json.RawMessage) (*CallDiscardReasonMissed, error) { + var resp CallDiscardReasonMissed + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCallDiscardReasonDeclined(data json.RawMessage) (*CallDiscardReasonDeclined, error) { + var resp CallDiscardReasonDeclined + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCallDiscardReasonDisconnected(data json.RawMessage) (*CallDiscardReasonDisconnected, error) { + var resp CallDiscardReasonDisconnected + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCallDiscardReasonHungUp(data json.RawMessage) (*CallDiscardReasonHungUp, error) { + var resp CallDiscardReasonHungUp + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCallDiscardReasonUpgradeToGroupCall(data json.RawMessage) (*CallDiscardReasonUpgradeToGroupCall, error) { + var resp CallDiscardReasonUpgradeToGroupCall + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCallProtocol(data json.RawMessage) (*CallProtocol, error) { + var resp CallProtocol + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCallServerTypeTelegramReflector(data json.RawMessage) (*CallServerTypeTelegramReflector, error) { + var resp CallServerTypeTelegramReflector + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCallServerTypeWebrtc(data json.RawMessage) (*CallServerTypeWebrtc, error) { + var resp CallServerTypeWebrtc + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCallServer(data json.RawMessage) (*CallServer, error) { + var resp CallServer + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCallId(data json.RawMessage) (*CallId, error) { + var resp CallId + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGroupCallId(data json.RawMessage) (*GroupCallId, error) { + var resp GroupCallId + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCallStatePending(data json.RawMessage) (*CallStatePending, error) { + var resp CallStatePending + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCallStateExchangingKeys(data json.RawMessage) (*CallStateExchangingKeys, error) { + var resp CallStateExchangingKeys + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCallStateReady(data json.RawMessage) (*CallStateReady, error) { + var resp CallStateReady + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCallStateHangingUp(data json.RawMessage) (*CallStateHangingUp, error) { + var resp CallStateHangingUp + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCallStateDiscarded(data json.RawMessage) (*CallStateDiscarded, error) { + var resp CallStateDiscarded + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCallStateError(data json.RawMessage) (*CallStateError, error) { + var resp CallStateError + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGroupCallJoinParameters(data json.RawMessage) (*GroupCallJoinParameters, error) { + var resp GroupCallJoinParameters + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGroupCallVideoQualityThumbnail(data json.RawMessage) (*GroupCallVideoQualityThumbnail, error) { + var resp GroupCallVideoQualityThumbnail + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGroupCallVideoQualityMedium(data json.RawMessage) (*GroupCallVideoQualityMedium, error) { + var resp GroupCallVideoQualityMedium + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGroupCallVideoQualityFull(data json.RawMessage) (*GroupCallVideoQualityFull, error) { + var resp GroupCallVideoQualityFull + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGroupCallStream(data json.RawMessage) (*GroupCallStream, error) { + var resp GroupCallStream + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGroupCallStreams(data json.RawMessage) (*GroupCallStreams, error) { + var resp GroupCallStreams + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalRtmpUrl(data json.RawMessage) (*RtmpUrl, error) { + var resp RtmpUrl + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGroupCallRecentSpeaker(data json.RawMessage) (*GroupCallRecentSpeaker, error) { + var resp GroupCallRecentSpeaker + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGroupCall(data json.RawMessage) (*GroupCall, error) { + var resp GroupCall + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGroupCallVideoSourceGroup(data json.RawMessage) (*GroupCallVideoSourceGroup, error) { + var resp GroupCallVideoSourceGroup + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGroupCallParticipantVideoInfo(data json.RawMessage) (*GroupCallParticipantVideoInfo, error) { + var resp GroupCallParticipantVideoInfo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGroupCallParticipant(data json.RawMessage) (*GroupCallParticipant, error) { + var resp GroupCallParticipant + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGroupCallParticipants(data json.RawMessage) (*GroupCallParticipants, error) { + var resp GroupCallParticipants + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGroupCallInfo(data json.RawMessage) (*GroupCallInfo, error) { + var resp GroupCallInfo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGroupCallMessage(data json.RawMessage) (*GroupCallMessage, error) { + var resp GroupCallMessage + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGroupCallMessageLevel(data json.RawMessage) (*GroupCallMessageLevel, error) { + var resp GroupCallMessageLevel + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInviteGroupCallParticipantResultUserPrivacyRestricted(data json.RawMessage) (*InviteGroupCallParticipantResultUserPrivacyRestricted, error) { + var resp InviteGroupCallParticipantResultUserPrivacyRestricted + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInviteGroupCallParticipantResultUserAlreadyParticipant(data json.RawMessage) (*InviteGroupCallParticipantResultUserAlreadyParticipant, error) { + var resp InviteGroupCallParticipantResultUserAlreadyParticipant + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInviteGroupCallParticipantResultUserWasBanned(data json.RawMessage) (*InviteGroupCallParticipantResultUserWasBanned, error) { + var resp InviteGroupCallParticipantResultUserWasBanned + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInviteGroupCallParticipantResultSuccess(data json.RawMessage) (*InviteGroupCallParticipantResultSuccess, error) { + var resp InviteGroupCallParticipantResultSuccess + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGroupCallDataChannelMain(data json.RawMessage) (*GroupCallDataChannelMain, error) { + var resp GroupCallDataChannelMain + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGroupCallDataChannelScreenSharing(data json.RawMessage) (*GroupCallDataChannelScreenSharing, error) { + var resp GroupCallDataChannelScreenSharing + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputGroupCallLink(data json.RawMessage) (*InputGroupCallLink, error) { + var resp InputGroupCallLink + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputGroupCallMessage(data json.RawMessage) (*InputGroupCallMessage, error) { + var resp InputGroupCallMessage + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCallProblemEcho(data json.RawMessage) (*CallProblemEcho, error) { + var resp CallProblemEcho + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCallProblemNoise(data json.RawMessage) (*CallProblemNoise, error) { + var resp CallProblemNoise + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCallProblemInterruptions(data json.RawMessage) (*CallProblemInterruptions, error) { + var resp CallProblemInterruptions + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCallProblemDistortedSpeech(data json.RawMessage) (*CallProblemDistortedSpeech, error) { + var resp CallProblemDistortedSpeech + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCallProblemSilentLocal(data json.RawMessage) (*CallProblemSilentLocal, error) { + var resp CallProblemSilentLocal + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCallProblemSilentRemote(data json.RawMessage) (*CallProblemSilentRemote, error) { + var resp CallProblemSilentRemote + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCallProblemDropped(data json.RawMessage) (*CallProblemDropped, error) { + var resp CallProblemDropped + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCallProblemDistortedVideo(data json.RawMessage) (*CallProblemDistortedVideo, error) { + var resp CallProblemDistortedVideo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCallProblemPixelatedVideo(data json.RawMessage) (*CallProblemPixelatedVideo, error) { + var resp CallProblemPixelatedVideo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCall(data json.RawMessage) (*Call, error) { + var resp Call + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalFirebaseAuthenticationSettingsAndroid(data json.RawMessage) (*FirebaseAuthenticationSettingsAndroid, error) { + var resp FirebaseAuthenticationSettingsAndroid + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalFirebaseAuthenticationSettingsIos(data json.RawMessage) (*FirebaseAuthenticationSettingsIos, error) { + var resp FirebaseAuthenticationSettingsIos + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPhoneNumberAuthenticationSettings(data json.RawMessage) (*PhoneNumberAuthenticationSettings, error) { + var resp PhoneNumberAuthenticationSettings + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalAddedReaction(data json.RawMessage) (*AddedReaction, error) { + var resp AddedReaction + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalAddedReactions(data json.RawMessage) (*AddedReactions, error) { + var resp AddedReactions + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalAvailableReaction(data json.RawMessage) (*AvailableReaction, error) { + var resp AvailableReaction + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalAvailableReactions(data json.RawMessage) (*AvailableReactions, error) { + var resp AvailableReactions + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalEmojiReaction(data json.RawMessage) (*EmojiReaction, error) { + var resp EmojiReaction + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalReactionUnavailabilityReasonAnonymousAdministrator(data json.RawMessage) (*ReactionUnavailabilityReasonAnonymousAdministrator, error) { + var resp ReactionUnavailabilityReasonAnonymousAdministrator + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalReactionUnavailabilityReasonGuest(data json.RawMessage) (*ReactionUnavailabilityReasonGuest, error) { + var resp ReactionUnavailabilityReasonGuest + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalAnimations(data json.RawMessage) (*Animations, error) { + var resp Animations + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalDiceStickersRegular(data json.RawMessage) (*DiceStickersRegular, error) { + var resp DiceStickersRegular + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalDiceStickersSlotMachine(data json.RawMessage) (*DiceStickersSlotMachine, error) { + var resp DiceStickersSlotMachine + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalImportedContact(data json.RawMessage) (*ImportedContact, error) { + var resp ImportedContact + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalImportedContacts(data json.RawMessage) (*ImportedContacts, error) { + var resp ImportedContacts + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSpeechRecognitionResultPending(data json.RawMessage) (*SpeechRecognitionResultPending, error) { + var resp SpeechRecognitionResultPending + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSpeechRecognitionResultText(data json.RawMessage) (*SpeechRecognitionResultText, error) { + var resp SpeechRecognitionResultText + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSpeechRecognitionResultError(data json.RawMessage) (*SpeechRecognitionResultError, error) { + var resp SpeechRecognitionResultError + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBusinessConnection(data json.RawMessage) (*BusinessConnection, error) { + var resp BusinessConnection + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalAttachmentMenuBotColor(data json.RawMessage) (*AttachmentMenuBotColor, error) { + var resp AttachmentMenuBotColor + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalAttachmentMenuBot(data json.RawMessage) (*AttachmentMenuBot, error) { + var resp AttachmentMenuBot + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSentWebAppMessage(data json.RawMessage) (*SentWebAppMessage, error) { + var resp SentWebAppMessage + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBotWriteAccessAllowReasonConnectedWebsite(data json.RawMessage) (*BotWriteAccessAllowReasonConnectedWebsite, error) { + var resp BotWriteAccessAllowReasonConnectedWebsite + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBotWriteAccessAllowReasonAddedToAttachmentMenu(data json.RawMessage) (*BotWriteAccessAllowReasonAddedToAttachmentMenu, error) { + var resp BotWriteAccessAllowReasonAddedToAttachmentMenu + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBotWriteAccessAllowReasonLaunchedWebApp(data json.RawMessage) (*BotWriteAccessAllowReasonLaunchedWebApp, error) { + var resp BotWriteAccessAllowReasonLaunchedWebApp + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBotWriteAccessAllowReasonAcceptedRequest(data json.RawMessage) (*BotWriteAccessAllowReasonAcceptedRequest, error) { + var resp BotWriteAccessAllowReasonAcceptedRequest + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalHttpUrl(data json.RawMessage) (*HttpUrl, error) { + var resp HttpUrl + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUserLink(data json.RawMessage) (*UserLink, error) { + var resp UserLink + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTargetChatTypes(data json.RawMessage) (*TargetChatTypes, error) { + var resp TargetChatTypes + + err := json.Unmarshal(data, &resp) + + return &resp, err } func UnmarshalTargetChatCurrent(data json.RawMessage) (*TargetChatCurrent, error) { - var resp TargetChatCurrent + var resp TargetChatCurrent - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalTargetChatChosen(data json.RawMessage) (*TargetChatChosen, error) { - var resp TargetChatChosen + var resp TargetChatChosen - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalTargetChatInternalLink(data json.RawMessage) (*TargetChatInternalLink, error) { - var resp TargetChatInternalLink + var resp TargetChatInternalLink - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalInternalLinkTypeActiveSessions(data json.RawMessage) (*InternalLinkTypeActiveSessions, error) { - var resp InternalLinkTypeActiveSessions +func UnmarshalInputInlineQueryResultAnimation(data json.RawMessage) (*InputInlineQueryResultAnimation, error) { + var resp InputInlineQueryResultAnimation - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalInternalLinkTypeAttachmentMenuBot(data json.RawMessage) (*InternalLinkTypeAttachmentMenuBot, error) { - var resp InternalLinkTypeAttachmentMenuBot +func UnmarshalInputInlineQueryResultArticle(data json.RawMessage) (*InputInlineQueryResultArticle, error) { + var resp InputInlineQueryResultArticle - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalInternalLinkTypeAuthenticationCode(data json.RawMessage) (*InternalLinkTypeAuthenticationCode, error) { - var resp InternalLinkTypeAuthenticationCode +func UnmarshalInputInlineQueryResultAudio(data json.RawMessage) (*InputInlineQueryResultAudio, error) { + var resp InputInlineQueryResultAudio - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalInternalLinkTypeBackground(data json.RawMessage) (*InternalLinkTypeBackground, error) { - var resp InternalLinkTypeBackground +func UnmarshalInputInlineQueryResultContact(data json.RawMessage) (*InputInlineQueryResultContact, error) { + var resp InputInlineQueryResultContact - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalInternalLinkTypeBotAddToChannel(data json.RawMessage) (*InternalLinkTypeBotAddToChannel, error) { - var resp InternalLinkTypeBotAddToChannel +func UnmarshalInputInlineQueryResultDocument(data json.RawMessage) (*InputInlineQueryResultDocument, error) { + var resp InputInlineQueryResultDocument - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalInternalLinkTypeBotStart(data json.RawMessage) (*InternalLinkTypeBotStart, error) { - var resp InternalLinkTypeBotStart +func UnmarshalInputInlineQueryResultGame(data json.RawMessage) (*InputInlineQueryResultGame, error) { + var resp InputInlineQueryResultGame - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalInternalLinkTypeBotStartInGroup(data json.RawMessage) (*InternalLinkTypeBotStartInGroup, error) { - var resp InternalLinkTypeBotStartInGroup +func UnmarshalInputInlineQueryResultLocation(data json.RawMessage) (*InputInlineQueryResultLocation, error) { + var resp InputInlineQueryResultLocation - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalInternalLinkTypeChangePhoneNumber(data json.RawMessage) (*InternalLinkTypeChangePhoneNumber, error) { - var resp InternalLinkTypeChangePhoneNumber +func UnmarshalInputInlineQueryResultPhoto(data json.RawMessage) (*InputInlineQueryResultPhoto, error) { + var resp InputInlineQueryResultPhoto - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalInternalLinkTypeChatInvite(data json.RawMessage) (*InternalLinkTypeChatInvite, error) { - var resp InternalLinkTypeChatInvite +func UnmarshalInputInlineQueryResultSticker(data json.RawMessage) (*InputInlineQueryResultSticker, error) { + var resp InputInlineQueryResultSticker - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalInternalLinkTypeDefaultMessageAutoDeleteTimerSettings(data json.RawMessage) (*InternalLinkTypeDefaultMessageAutoDeleteTimerSettings, error) { - var resp InternalLinkTypeDefaultMessageAutoDeleteTimerSettings +func UnmarshalInputInlineQueryResultVenue(data json.RawMessage) (*InputInlineQueryResultVenue, error) { + var resp InputInlineQueryResultVenue - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalInternalLinkTypeEditProfileSettings(data json.RawMessage) (*InternalLinkTypeEditProfileSettings, error) { - var resp InternalLinkTypeEditProfileSettings +func UnmarshalInputInlineQueryResultVideo(data json.RawMessage) (*InputInlineQueryResultVideo, error) { + var resp InputInlineQueryResultVideo - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalInternalLinkTypeFilterSettings(data json.RawMessage) (*InternalLinkTypeFilterSettings, error) { - var resp InternalLinkTypeFilterSettings +func UnmarshalInputInlineQueryResultVoiceNote(data json.RawMessage) (*InputInlineQueryResultVoiceNote, error) { + var resp InputInlineQueryResultVoiceNote - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalInternalLinkTypeGame(data json.RawMessage) (*InternalLinkTypeGame, error) { - var resp InternalLinkTypeGame +func UnmarshalInlineQueryResultArticle(data json.RawMessage) (*InlineQueryResultArticle, error) { + var resp InlineQueryResultArticle - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalInternalLinkTypeInstantView(data json.RawMessage) (*InternalLinkTypeInstantView, error) { - var resp InternalLinkTypeInstantView +func UnmarshalInlineQueryResultContact(data json.RawMessage) (*InlineQueryResultContact, error) { + var resp InlineQueryResultContact - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalInternalLinkTypeInvoice(data json.RawMessage) (*InternalLinkTypeInvoice, error) { - var resp InternalLinkTypeInvoice +func UnmarshalInlineQueryResultLocation(data json.RawMessage) (*InlineQueryResultLocation, error) { + var resp InlineQueryResultLocation - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalInternalLinkTypeLanguagePack(data json.RawMessage) (*InternalLinkTypeLanguagePack, error) { - var resp InternalLinkTypeLanguagePack +func UnmarshalInlineQueryResultVenue(data json.RawMessage) (*InlineQueryResultVenue, error) { + var resp InlineQueryResultVenue - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalInternalLinkTypeLanguageSettings(data json.RawMessage) (*InternalLinkTypeLanguageSettings, error) { - var resp InternalLinkTypeLanguageSettings +func UnmarshalInlineQueryResultGame(data json.RawMessage) (*InlineQueryResultGame, error) { + var resp InlineQueryResultGame - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalInternalLinkTypeMessage(data json.RawMessage) (*InternalLinkTypeMessage, error) { - var resp InternalLinkTypeMessage +func UnmarshalInlineQueryResultAnimation(data json.RawMessage) (*InlineQueryResultAnimation, error) { + var resp InlineQueryResultAnimation - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalInternalLinkTypeMessageDraft(data json.RawMessage) (*InternalLinkTypeMessageDraft, error) { - var resp InternalLinkTypeMessageDraft +func UnmarshalInlineQueryResultAudio(data json.RawMessage) (*InlineQueryResultAudio, error) { + var resp InlineQueryResultAudio - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalInternalLinkTypePassportDataRequest(data json.RawMessage) (*InternalLinkTypePassportDataRequest, error) { - var resp InternalLinkTypePassportDataRequest +func UnmarshalInlineQueryResultDocument(data json.RawMessage) (*InlineQueryResultDocument, error) { + var resp InlineQueryResultDocument - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalInternalLinkTypePhoneNumberConfirmation(data json.RawMessage) (*InternalLinkTypePhoneNumberConfirmation, error) { - var resp InternalLinkTypePhoneNumberConfirmation +func UnmarshalInlineQueryResultPhoto(data json.RawMessage) (*InlineQueryResultPhoto, error) { + var resp InlineQueryResultPhoto - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalInternalLinkTypePremiumFeatures(data json.RawMessage) (*InternalLinkTypePremiumFeatures, error) { - var resp InternalLinkTypePremiumFeatures +func UnmarshalInlineQueryResultSticker(data json.RawMessage) (*InlineQueryResultSticker, error) { + var resp InlineQueryResultSticker - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalInternalLinkTypePrivacyAndSecuritySettings(data json.RawMessage) (*InternalLinkTypePrivacyAndSecuritySettings, error) { - var resp InternalLinkTypePrivacyAndSecuritySettings +func UnmarshalInlineQueryResultVideo(data json.RawMessage) (*InlineQueryResultVideo, error) { + var resp InlineQueryResultVideo - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalInternalLinkTypeProxy(data json.RawMessage) (*InternalLinkTypeProxy, error) { - var resp InternalLinkTypeProxy +func UnmarshalInlineQueryResultVoiceNote(data json.RawMessage) (*InlineQueryResultVoiceNote, error) { + var resp InlineQueryResultVoiceNote - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalInternalLinkTypePublicChat(data json.RawMessage) (*InternalLinkTypePublicChat, error) { - var resp InternalLinkTypePublicChat +func UnmarshalInlineQueryResultsButtonTypeStartBot(data json.RawMessage) (*InlineQueryResultsButtonTypeStartBot, error) { + var resp InlineQueryResultsButtonTypeStartBot - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalInternalLinkTypeQrCodeAuthentication(data json.RawMessage) (*InternalLinkTypeQrCodeAuthentication, error) { - var resp InternalLinkTypeQrCodeAuthentication +func UnmarshalInlineQueryResultsButtonTypeWebApp(data json.RawMessage) (*InlineQueryResultsButtonTypeWebApp, error) { + var resp InlineQueryResultsButtonTypeWebApp - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalInternalLinkTypeRestorePurchases(data json.RawMessage) (*InternalLinkTypeRestorePurchases, error) { - var resp InternalLinkTypeRestorePurchases +func UnmarshalInlineQueryResultsButton(data json.RawMessage) (*InlineQueryResultsButton, error) { + var resp InlineQueryResultsButton - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalInternalLinkTypeSettings(data json.RawMessage) (*InternalLinkTypeSettings, error) { - var resp InternalLinkTypeSettings +func UnmarshalInlineQueryResults(data json.RawMessage) (*InlineQueryResults, error) { + var resp InlineQueryResults - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalInternalLinkTypeStickerSet(data json.RawMessage) (*InternalLinkTypeStickerSet, error) { - var resp InternalLinkTypeStickerSet +func UnmarshalPreparedInlineMessageId(data json.RawMessage) (*PreparedInlineMessageId, error) { + var resp PreparedInlineMessageId - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalInternalLinkTypeTheme(data json.RawMessage) (*InternalLinkTypeTheme, error) { - var resp InternalLinkTypeTheme +func UnmarshalPreparedInlineMessage(data json.RawMessage) (*PreparedInlineMessage, error) { + var resp PreparedInlineMessage - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalInternalLinkTypeThemeSettings(data json.RawMessage) (*InternalLinkTypeThemeSettings, error) { - var resp InternalLinkTypeThemeSettings +func UnmarshalCallbackQueryPayloadData(data json.RawMessage) (*CallbackQueryPayloadData, error) { + var resp CallbackQueryPayloadData - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalInternalLinkTypeUnknownDeepLink(data json.RawMessage) (*InternalLinkTypeUnknownDeepLink, error) { - var resp InternalLinkTypeUnknownDeepLink +func UnmarshalCallbackQueryPayloadDataWithPassword(data json.RawMessage) (*CallbackQueryPayloadDataWithPassword, error) { + var resp CallbackQueryPayloadDataWithPassword - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalInternalLinkTypeUnsupportedProxy(data json.RawMessage) (*InternalLinkTypeUnsupportedProxy, error) { - var resp InternalLinkTypeUnsupportedProxy +func UnmarshalCallbackQueryPayloadGame(data json.RawMessage) (*CallbackQueryPayloadGame, error) { + var resp CallbackQueryPayloadGame - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalInternalLinkTypeUserPhoneNumber(data json.RawMessage) (*InternalLinkTypeUserPhoneNumber, error) { - var resp InternalLinkTypeUserPhoneNumber +func UnmarshalCallbackQueryAnswer(data json.RawMessage) (*CallbackQueryAnswer, error) { + var resp CallbackQueryAnswer - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalInternalLinkTypeUserToken(data json.RawMessage) (*InternalLinkTypeUserToken, error) { - var resp InternalLinkTypeUserToken +func UnmarshalCustomRequestResult(data json.RawMessage) (*CustomRequestResult, error) { + var resp CustomRequestResult - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalInternalLinkTypeVideoChat(data json.RawMessage) (*InternalLinkTypeVideoChat, error) { - var resp InternalLinkTypeVideoChat +func UnmarshalGameHighScore(data json.RawMessage) (*GameHighScore, error) { + var resp GameHighScore - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalInternalLinkTypeWebApp(data json.RawMessage) (*InternalLinkTypeWebApp, error) { - var resp InternalLinkTypeWebApp +func UnmarshalGameHighScores(data json.RawMessage) (*GameHighScores, error) { + var resp GameHighScores - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalMessageLink(data json.RawMessage) (*MessageLink, error) { - var resp MessageLink +func UnmarshalChatEventMessageEdited(data json.RawMessage) (*ChatEventMessageEdited, error) { + var resp ChatEventMessageEdited - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalMessageLinkInfo(data json.RawMessage) (*MessageLinkInfo, error) { - var resp MessageLinkInfo +func UnmarshalChatEventMessageDeleted(data json.RawMessage) (*ChatEventMessageDeleted, error) { + var resp ChatEventMessageDeleted - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalFilePart(data json.RawMessage) (*FilePart, error) { - var resp FilePart +func UnmarshalChatEventMessagePinned(data json.RawMessage) (*ChatEventMessagePinned, error) { + var resp ChatEventMessagePinned - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalFileTypeNone(data json.RawMessage) (*FileTypeNone, error) { - var resp FileTypeNone +func UnmarshalChatEventMessageUnpinned(data json.RawMessage) (*ChatEventMessageUnpinned, error) { + var resp ChatEventMessageUnpinned - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalFileTypeAnimation(data json.RawMessage) (*FileTypeAnimation, error) { - var resp FileTypeAnimation +func UnmarshalChatEventPollStopped(data json.RawMessage) (*ChatEventPollStopped, error) { + var resp ChatEventPollStopped - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalFileTypeAudio(data json.RawMessage) (*FileTypeAudio, error) { - var resp FileTypeAudio +func UnmarshalChatEventMemberJoined(data json.RawMessage) (*ChatEventMemberJoined, error) { + var resp ChatEventMemberJoined - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalFileTypeDocument(data json.RawMessage) (*FileTypeDocument, error) { - var resp FileTypeDocument +func UnmarshalChatEventMemberJoinedByInviteLink(data json.RawMessage) (*ChatEventMemberJoinedByInviteLink, error) { + var resp ChatEventMemberJoinedByInviteLink - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalFileTypeNotificationSound(data json.RawMessage) (*FileTypeNotificationSound, error) { - var resp FileTypeNotificationSound +func UnmarshalChatEventMemberJoinedByRequest(data json.RawMessage) (*ChatEventMemberJoinedByRequest, error) { + var resp ChatEventMemberJoinedByRequest - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalFileTypePhoto(data json.RawMessage) (*FileTypePhoto, error) { - var resp FileTypePhoto +func UnmarshalChatEventMemberInvited(data json.RawMessage) (*ChatEventMemberInvited, error) { + var resp ChatEventMemberInvited - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalFileTypeProfilePhoto(data json.RawMessage) (*FileTypeProfilePhoto, error) { - var resp FileTypeProfilePhoto +func UnmarshalChatEventMemberLeft(data json.RawMessage) (*ChatEventMemberLeft, error) { + var resp ChatEventMemberLeft - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalFileTypeSecret(data json.RawMessage) (*FileTypeSecret, error) { - var resp FileTypeSecret +func UnmarshalChatEventMemberPromoted(data json.RawMessage) (*ChatEventMemberPromoted, error) { + var resp ChatEventMemberPromoted - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalFileTypeSecretThumbnail(data json.RawMessage) (*FileTypeSecretThumbnail, error) { - var resp FileTypeSecretThumbnail +func UnmarshalChatEventMemberRestricted(data json.RawMessage) (*ChatEventMemberRestricted, error) { + var resp ChatEventMemberRestricted - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalFileTypeSecure(data json.RawMessage) (*FileTypeSecure, error) { - var resp FileTypeSecure +func UnmarshalChatEventMemberSubscriptionExtended(data json.RawMessage) (*ChatEventMemberSubscriptionExtended, error) { + var resp ChatEventMemberSubscriptionExtended - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalFileTypeSticker(data json.RawMessage) (*FileTypeSticker, error) { - var resp FileTypeSticker +func UnmarshalChatEventAvailableReactionsChanged(data json.RawMessage) (*ChatEventAvailableReactionsChanged, error) { + var resp ChatEventAvailableReactionsChanged - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalFileTypeThumbnail(data json.RawMessage) (*FileTypeThumbnail, error) { - var resp FileTypeThumbnail +func UnmarshalChatEventBackgroundChanged(data json.RawMessage) (*ChatEventBackgroundChanged, error) { + var resp ChatEventBackgroundChanged - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalFileTypeUnknown(data json.RawMessage) (*FileTypeUnknown, error) { - var resp FileTypeUnknown +func UnmarshalChatEventDescriptionChanged(data json.RawMessage) (*ChatEventDescriptionChanged, error) { + var resp ChatEventDescriptionChanged - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalFileTypeVideo(data json.RawMessage) (*FileTypeVideo, error) { - var resp FileTypeVideo +func UnmarshalChatEventEmojiStatusChanged(data json.RawMessage) (*ChatEventEmojiStatusChanged, error) { + var resp ChatEventEmojiStatusChanged - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalFileTypeVideoNote(data json.RawMessage) (*FileTypeVideoNote, error) { - var resp FileTypeVideoNote +func UnmarshalChatEventLinkedChatChanged(data json.RawMessage) (*ChatEventLinkedChatChanged, error) { + var resp ChatEventLinkedChatChanged - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalFileTypeVoiceNote(data json.RawMessage) (*FileTypeVoiceNote, error) { - var resp FileTypeVoiceNote +func UnmarshalChatEventLocationChanged(data json.RawMessage) (*ChatEventLocationChanged, error) { + var resp ChatEventLocationChanged - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalFileTypeWallpaper(data json.RawMessage) (*FileTypeWallpaper, error) { - var resp FileTypeWallpaper +func UnmarshalChatEventMessageAutoDeleteTimeChanged(data json.RawMessage) (*ChatEventMessageAutoDeleteTimeChanged, error) { + var resp ChatEventMessageAutoDeleteTimeChanged - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalStorageStatisticsByFileType(data json.RawMessage) (*StorageStatisticsByFileType, error) { - var resp StorageStatisticsByFileType +func UnmarshalChatEventPermissionsChanged(data json.RawMessage) (*ChatEventPermissionsChanged, error) { + var resp ChatEventPermissionsChanged - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalStorageStatisticsByChat(data json.RawMessage) (*StorageStatisticsByChat, error) { - var resp StorageStatisticsByChat +func UnmarshalChatEventPhotoChanged(data json.RawMessage) (*ChatEventPhotoChanged, error) { + var resp ChatEventPhotoChanged - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalStorageStatistics(data json.RawMessage) (*StorageStatistics, error) { - var resp StorageStatistics +func UnmarshalChatEventSlowModeDelayChanged(data json.RawMessage) (*ChatEventSlowModeDelayChanged, error) { + var resp ChatEventSlowModeDelayChanged - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalStorageStatisticsFast(data json.RawMessage) (*StorageStatisticsFast, error) { - var resp StorageStatisticsFast +func UnmarshalChatEventStickerSetChanged(data json.RawMessage) (*ChatEventStickerSetChanged, error) { + var resp ChatEventStickerSetChanged - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalDatabaseStatistics(data json.RawMessage) (*DatabaseStatistics, error) { - var resp DatabaseStatistics +func UnmarshalChatEventCustomEmojiStickerSetChanged(data json.RawMessage) (*ChatEventCustomEmojiStickerSetChanged, error) { + var resp ChatEventCustomEmojiStickerSetChanged - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalNetworkTypeNone(data json.RawMessage) (*NetworkTypeNone, error) { - var resp NetworkTypeNone +func UnmarshalChatEventTitleChanged(data json.RawMessage) (*ChatEventTitleChanged, error) { + var resp ChatEventTitleChanged - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalNetworkTypeMobile(data json.RawMessage) (*NetworkTypeMobile, error) { - var resp NetworkTypeMobile +func UnmarshalChatEventUsernameChanged(data json.RawMessage) (*ChatEventUsernameChanged, error) { + var resp ChatEventUsernameChanged - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalNetworkTypeMobileRoaming(data json.RawMessage) (*NetworkTypeMobileRoaming, error) { - var resp NetworkTypeMobileRoaming +func UnmarshalChatEventActiveUsernamesChanged(data json.RawMessage) (*ChatEventActiveUsernamesChanged, error) { + var resp ChatEventActiveUsernamesChanged - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalNetworkTypeWiFi(data json.RawMessage) (*NetworkTypeWiFi, error) { - var resp NetworkTypeWiFi +func UnmarshalChatEventAccentColorChanged(data json.RawMessage) (*ChatEventAccentColorChanged, error) { + var resp ChatEventAccentColorChanged - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalNetworkTypeOther(data json.RawMessage) (*NetworkTypeOther, error) { - var resp NetworkTypeOther +func UnmarshalChatEventProfileAccentColorChanged(data json.RawMessage) (*ChatEventProfileAccentColorChanged, error) { + var resp ChatEventProfileAccentColorChanged - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalNetworkStatisticsEntryFile(data json.RawMessage) (*NetworkStatisticsEntryFile, error) { - var resp NetworkStatisticsEntryFile +func UnmarshalChatEventHasProtectedContentToggled(data json.RawMessage) (*ChatEventHasProtectedContentToggled, error) { + var resp ChatEventHasProtectedContentToggled - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalNetworkStatisticsEntryCall(data json.RawMessage) (*NetworkStatisticsEntryCall, error) { - var resp NetworkStatisticsEntryCall +func UnmarshalChatEventInvitesToggled(data json.RawMessage) (*ChatEventInvitesToggled, error) { + var resp ChatEventInvitesToggled - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalNetworkStatistics(data json.RawMessage) (*NetworkStatistics, error) { - var resp NetworkStatistics +func UnmarshalChatEventIsAllHistoryAvailableToggled(data json.RawMessage) (*ChatEventIsAllHistoryAvailableToggled, error) { + var resp ChatEventIsAllHistoryAvailableToggled - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalAutoDownloadSettings(data json.RawMessage) (*AutoDownloadSettings, error) { - var resp AutoDownloadSettings +func UnmarshalChatEventHasAggressiveAntiSpamEnabledToggled(data json.RawMessage) (*ChatEventHasAggressiveAntiSpamEnabledToggled, error) { + var resp ChatEventHasAggressiveAntiSpamEnabledToggled - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalAutoDownloadSettingsPresets(data json.RawMessage) (*AutoDownloadSettingsPresets, error) { - var resp AutoDownloadSettingsPresets +func UnmarshalChatEventSignMessagesToggled(data json.RawMessage) (*ChatEventSignMessagesToggled, error) { + var resp ChatEventSignMessagesToggled - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalAutosaveSettingsScopePrivateChats(data json.RawMessage) (*AutosaveSettingsScopePrivateChats, error) { - var resp AutosaveSettingsScopePrivateChats +func UnmarshalChatEventShowMessageSenderToggled(data json.RawMessage) (*ChatEventShowMessageSenderToggled, error) { + var resp ChatEventShowMessageSenderToggled - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalAutosaveSettingsScopeGroupChats(data json.RawMessage) (*AutosaveSettingsScopeGroupChats, error) { - var resp AutosaveSettingsScopeGroupChats +func UnmarshalChatEventAutomaticTranslationToggled(data json.RawMessage) (*ChatEventAutomaticTranslationToggled, error) { + var resp ChatEventAutomaticTranslationToggled - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalAutosaveSettingsScopeChannelChats(data json.RawMessage) (*AutosaveSettingsScopeChannelChats, error) { - var resp AutosaveSettingsScopeChannelChats +func UnmarshalChatEventInviteLinkEdited(data json.RawMessage) (*ChatEventInviteLinkEdited, error) { + var resp ChatEventInviteLinkEdited - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalAutosaveSettingsScopeChat(data json.RawMessage) (*AutosaveSettingsScopeChat, error) { - var resp AutosaveSettingsScopeChat +func UnmarshalChatEventInviteLinkRevoked(data json.RawMessage) (*ChatEventInviteLinkRevoked, error) { + var resp ChatEventInviteLinkRevoked - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalScopeAutosaveSettings(data json.RawMessage) (*ScopeAutosaveSettings, error) { - var resp ScopeAutosaveSettings +func UnmarshalChatEventInviteLinkDeleted(data json.RawMessage) (*ChatEventInviteLinkDeleted, error) { + var resp ChatEventInviteLinkDeleted - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalAutosaveSettingsException(data json.RawMessage) (*AutosaveSettingsException, error) { - var resp AutosaveSettingsException +func UnmarshalChatEventVideoChatCreated(data json.RawMessage) (*ChatEventVideoChatCreated, error) { + var resp ChatEventVideoChatCreated - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalAutosaveSettings(data json.RawMessage) (*AutosaveSettings, error) { - var resp AutosaveSettings +func UnmarshalChatEventVideoChatEnded(data json.RawMessage) (*ChatEventVideoChatEnded, error) { + var resp ChatEventVideoChatEnded - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalConnectionStateWaitingForNetwork(data json.RawMessage) (*ConnectionStateWaitingForNetwork, error) { - var resp ConnectionStateWaitingForNetwork +func UnmarshalChatEventVideoChatMuteNewParticipantsToggled(data json.RawMessage) (*ChatEventVideoChatMuteNewParticipantsToggled, error) { + var resp ChatEventVideoChatMuteNewParticipantsToggled - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalConnectionStateConnectingToProxy(data json.RawMessage) (*ConnectionStateConnectingToProxy, error) { - var resp ConnectionStateConnectingToProxy +func UnmarshalChatEventVideoChatParticipantIsMutedToggled(data json.RawMessage) (*ChatEventVideoChatParticipantIsMutedToggled, error) { + var resp ChatEventVideoChatParticipantIsMutedToggled - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalConnectionStateConnecting(data json.RawMessage) (*ConnectionStateConnecting, error) { - var resp ConnectionStateConnecting +func UnmarshalChatEventVideoChatParticipantVolumeLevelChanged(data json.RawMessage) (*ChatEventVideoChatParticipantVolumeLevelChanged, error) { + var resp ChatEventVideoChatParticipantVolumeLevelChanged - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalConnectionStateUpdating(data json.RawMessage) (*ConnectionStateUpdating, error) { - var resp ConnectionStateUpdating +func UnmarshalChatEventIsForumToggled(data json.RawMessage) (*ChatEventIsForumToggled, error) { + var resp ChatEventIsForumToggled - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalConnectionStateReady(data json.RawMessage) (*ConnectionStateReady, error) { - var resp ConnectionStateReady +func UnmarshalChatEventForumTopicCreated(data json.RawMessage) (*ChatEventForumTopicCreated, error) { + var resp ChatEventForumTopicCreated - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalTopChatCategoryUsers(data json.RawMessage) (*TopChatCategoryUsers, error) { - var resp TopChatCategoryUsers +func UnmarshalChatEventForumTopicEdited(data json.RawMessage) (*ChatEventForumTopicEdited, error) { + var resp ChatEventForumTopicEdited - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalTopChatCategoryBots(data json.RawMessage) (*TopChatCategoryBots, error) { - var resp TopChatCategoryBots +func UnmarshalChatEventForumTopicToggleIsClosed(data json.RawMessage) (*ChatEventForumTopicToggleIsClosed, error) { + var resp ChatEventForumTopicToggleIsClosed - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalTopChatCategoryGroups(data json.RawMessage) (*TopChatCategoryGroups, error) { - var resp TopChatCategoryGroups +func UnmarshalChatEventForumTopicToggleIsHidden(data json.RawMessage) (*ChatEventForumTopicToggleIsHidden, error) { + var resp ChatEventForumTopicToggleIsHidden - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalTopChatCategoryChannels(data json.RawMessage) (*TopChatCategoryChannels, error) { - var resp TopChatCategoryChannels +func UnmarshalChatEventForumTopicDeleted(data json.RawMessage) (*ChatEventForumTopicDeleted, error) { + var resp ChatEventForumTopicDeleted - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalTopChatCategoryInlineBots(data json.RawMessage) (*TopChatCategoryInlineBots, error) { - var resp TopChatCategoryInlineBots +func UnmarshalChatEventForumTopicPinned(data json.RawMessage) (*ChatEventForumTopicPinned, error) { + var resp ChatEventForumTopicPinned - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalTopChatCategoryCalls(data json.RawMessage) (*TopChatCategoryCalls, error) { - var resp TopChatCategoryCalls +func UnmarshalChatEvent(data json.RawMessage) (*ChatEvent, error) { + var resp ChatEvent - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalTopChatCategoryForwardChats(data json.RawMessage) (*TopChatCategoryForwardChats, error) { - var resp TopChatCategoryForwardChats +func UnmarshalChatEvents(data json.RawMessage) (*ChatEvents, error) { + var resp ChatEvents - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalTMeUrlTypeUser(data json.RawMessage) (*TMeUrlTypeUser, error) { - var resp TMeUrlTypeUser +func UnmarshalChatEventLogFilters(data json.RawMessage) (*ChatEventLogFilters, error) { + var resp ChatEventLogFilters - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalTMeUrlTypeSupergroup(data json.RawMessage) (*TMeUrlTypeSupergroup, error) { - var resp TMeUrlTypeSupergroup +func UnmarshalLanguagePackStringValueOrdinary(data json.RawMessage) (*LanguagePackStringValueOrdinary, error) { + var resp LanguagePackStringValueOrdinary - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalTMeUrlTypeChatInvite(data json.RawMessage) (*TMeUrlTypeChatInvite, error) { - var resp TMeUrlTypeChatInvite +func UnmarshalLanguagePackStringValuePluralized(data json.RawMessage) (*LanguagePackStringValuePluralized, error) { + var resp LanguagePackStringValuePluralized - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalTMeUrlTypeStickerSet(data json.RawMessage) (*TMeUrlTypeStickerSet, error) { - var resp TMeUrlTypeStickerSet +func UnmarshalLanguagePackStringValueDeleted(data json.RawMessage) (*LanguagePackStringValueDeleted, error) { + var resp LanguagePackStringValueDeleted - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalTMeUrl(data json.RawMessage) (*TMeUrl, error) { - var resp TMeUrl +func UnmarshalLanguagePackString(data json.RawMessage) (*LanguagePackString, error) { + var resp LanguagePackString - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalTMeUrls(data json.RawMessage) (*TMeUrls, error) { - var resp TMeUrls +func UnmarshalLanguagePackStrings(data json.RawMessage) (*LanguagePackStrings, error) { + var resp LanguagePackStrings - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalSuggestedActionEnableArchiveAndMuteNewChats(data json.RawMessage) (*SuggestedActionEnableArchiveAndMuteNewChats, error) { - var resp SuggestedActionEnableArchiveAndMuteNewChats +func UnmarshalLanguagePackInfo(data json.RawMessage) (*LanguagePackInfo, error) { + var resp LanguagePackInfo - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalSuggestedActionCheckPassword(data json.RawMessage) (*SuggestedActionCheckPassword, error) { - var resp SuggestedActionCheckPassword +func UnmarshalLocalizationTargetInfo(data json.RawMessage) (*LocalizationTargetInfo, error) { + var resp LocalizationTargetInfo - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalSuggestedActionCheckPhoneNumber(data json.RawMessage) (*SuggestedActionCheckPhoneNumber, error) { - var resp SuggestedActionCheckPhoneNumber +func UnmarshalPremiumLimitTypeSupergroupCount(data json.RawMessage) (*PremiumLimitTypeSupergroupCount, error) { + var resp PremiumLimitTypeSupergroupCount - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalSuggestedActionViewChecksHint(data json.RawMessage) (*SuggestedActionViewChecksHint, error) { - var resp SuggestedActionViewChecksHint +func UnmarshalPremiumLimitTypePinnedChatCount(data json.RawMessage) (*PremiumLimitTypePinnedChatCount, error) { + var resp PremiumLimitTypePinnedChatCount - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalSuggestedActionConvertToBroadcastGroup(data json.RawMessage) (*SuggestedActionConvertToBroadcastGroup, error) { - var resp SuggestedActionConvertToBroadcastGroup +func UnmarshalPremiumLimitTypeCreatedPublicChatCount(data json.RawMessage) (*PremiumLimitTypeCreatedPublicChatCount, error) { + var resp PremiumLimitTypeCreatedPublicChatCount - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalSuggestedActionSetPassword(data json.RawMessage) (*SuggestedActionSetPassword, error) { - var resp SuggestedActionSetPassword +func UnmarshalPremiumLimitTypeSavedAnimationCount(data json.RawMessage) (*PremiumLimitTypeSavedAnimationCount, error) { + var resp PremiumLimitTypeSavedAnimationCount - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalSuggestedActionUpgradePremium(data json.RawMessage) (*SuggestedActionUpgradePremium, error) { - var resp SuggestedActionUpgradePremium +func UnmarshalPremiumLimitTypeFavoriteStickerCount(data json.RawMessage) (*PremiumLimitTypeFavoriteStickerCount, error) { + var resp PremiumLimitTypeFavoriteStickerCount - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalSuggestedActionSubscribeToAnnualPremium(data json.RawMessage) (*SuggestedActionSubscribeToAnnualPremium, error) { - var resp SuggestedActionSubscribeToAnnualPremium +func UnmarshalPremiumLimitTypeChatFolderCount(data json.RawMessage) (*PremiumLimitTypeChatFolderCount, error) { + var resp PremiumLimitTypeChatFolderCount - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalCount(data json.RawMessage) (*Count, error) { - var resp Count +func UnmarshalPremiumLimitTypeChatFolderChosenChatCount(data json.RawMessage) (*PremiumLimitTypeChatFolderChosenChatCount, error) { + var resp PremiumLimitTypeChatFolderChosenChatCount - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalText(data json.RawMessage) (*Text, error) { - var resp Text +func UnmarshalPremiumLimitTypePinnedArchivedChatCount(data json.RawMessage) (*PremiumLimitTypePinnedArchivedChatCount, error) { + var resp PremiumLimitTypePinnedArchivedChatCount - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalSeconds(data json.RawMessage) (*Seconds, error) { - var resp Seconds +func UnmarshalPremiumLimitTypePinnedSavedMessagesTopicCount(data json.RawMessage) (*PremiumLimitTypePinnedSavedMessagesTopicCount, error) { + var resp PremiumLimitTypePinnedSavedMessagesTopicCount - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalFileDownloadedPrefixSize(data json.RawMessage) (*FileDownloadedPrefixSize, error) { - var resp FileDownloadedPrefixSize +func UnmarshalPremiumLimitTypeCaptionLength(data json.RawMessage) (*PremiumLimitTypeCaptionLength, error) { + var resp PremiumLimitTypeCaptionLength - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalDeepLinkInfo(data json.RawMessage) (*DeepLinkInfo, error) { - var resp DeepLinkInfo +func UnmarshalPremiumLimitTypeBioLength(data json.RawMessage) (*PremiumLimitTypeBioLength, error) { + var resp PremiumLimitTypeBioLength - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalTextParseModeMarkdown(data json.RawMessage) (*TextParseModeMarkdown, error) { - var resp TextParseModeMarkdown +func UnmarshalPremiumLimitTypeChatFolderInviteLinkCount(data json.RawMessage) (*PremiumLimitTypeChatFolderInviteLinkCount, error) { + var resp PremiumLimitTypeChatFolderInviteLinkCount - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalTextParseModeHTML(data json.RawMessage) (*TextParseModeHTML, error) { - var resp TextParseModeHTML +func UnmarshalPremiumLimitTypeShareableChatFolderCount(data json.RawMessage) (*PremiumLimitTypeShareableChatFolderCount, error) { + var resp PremiumLimitTypeShareableChatFolderCount - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalProxyTypeSocks5(data json.RawMessage) (*ProxyTypeSocks5, error) { - var resp ProxyTypeSocks5 +func UnmarshalPremiumLimitTypeActiveStoryCount(data json.RawMessage) (*PremiumLimitTypeActiveStoryCount, error) { + var resp PremiumLimitTypeActiveStoryCount - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalProxyTypeHttp(data json.RawMessage) (*ProxyTypeHttp, error) { - var resp ProxyTypeHttp +func UnmarshalPremiumLimitTypeWeeklyPostedStoryCount(data json.RawMessage) (*PremiumLimitTypeWeeklyPostedStoryCount, error) { + var resp PremiumLimitTypeWeeklyPostedStoryCount - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalProxyTypeMtproto(data json.RawMessage) (*ProxyTypeMtproto, error) { - var resp ProxyTypeMtproto +func UnmarshalPremiumLimitTypeMonthlyPostedStoryCount(data json.RawMessage) (*PremiumLimitTypeMonthlyPostedStoryCount, error) { + var resp PremiumLimitTypeMonthlyPostedStoryCount - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err +} + +func UnmarshalPremiumLimitTypeStoryCaptionLength(data json.RawMessage) (*PremiumLimitTypeStoryCaptionLength, error) { + var resp PremiumLimitTypeStoryCaptionLength + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumLimitTypeStorySuggestedReactionAreaCount(data json.RawMessage) (*PremiumLimitTypeStorySuggestedReactionAreaCount, error) { + var resp PremiumLimitTypeStorySuggestedReactionAreaCount + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumLimitTypeSimilarChatCount(data json.RawMessage) (*PremiumLimitTypeSimilarChatCount, error) { + var resp PremiumLimitTypeSimilarChatCount + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumFeatureIncreasedLimits(data json.RawMessage) (*PremiumFeatureIncreasedLimits, error) { + var resp PremiumFeatureIncreasedLimits + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumFeatureIncreasedUploadFileSize(data json.RawMessage) (*PremiumFeatureIncreasedUploadFileSize, error) { + var resp PremiumFeatureIncreasedUploadFileSize + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumFeatureImprovedDownloadSpeed(data json.RawMessage) (*PremiumFeatureImprovedDownloadSpeed, error) { + var resp PremiumFeatureImprovedDownloadSpeed + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumFeatureVoiceRecognition(data json.RawMessage) (*PremiumFeatureVoiceRecognition, error) { + var resp PremiumFeatureVoiceRecognition + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumFeatureDisabledAds(data json.RawMessage) (*PremiumFeatureDisabledAds, error) { + var resp PremiumFeatureDisabledAds + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumFeatureUniqueReactions(data json.RawMessage) (*PremiumFeatureUniqueReactions, error) { + var resp PremiumFeatureUniqueReactions + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumFeatureUniqueStickers(data json.RawMessage) (*PremiumFeatureUniqueStickers, error) { + var resp PremiumFeatureUniqueStickers + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumFeatureCustomEmoji(data json.RawMessage) (*PremiumFeatureCustomEmoji, error) { + var resp PremiumFeatureCustomEmoji + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumFeatureAdvancedChatManagement(data json.RawMessage) (*PremiumFeatureAdvancedChatManagement, error) { + var resp PremiumFeatureAdvancedChatManagement + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumFeatureProfileBadge(data json.RawMessage) (*PremiumFeatureProfileBadge, error) { + var resp PremiumFeatureProfileBadge + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumFeatureEmojiStatus(data json.RawMessage) (*PremiumFeatureEmojiStatus, error) { + var resp PremiumFeatureEmojiStatus + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumFeatureAnimatedProfilePhoto(data json.RawMessage) (*PremiumFeatureAnimatedProfilePhoto, error) { + var resp PremiumFeatureAnimatedProfilePhoto + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumFeatureForumTopicIcon(data json.RawMessage) (*PremiumFeatureForumTopicIcon, error) { + var resp PremiumFeatureForumTopicIcon + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumFeatureAppIcons(data json.RawMessage) (*PremiumFeatureAppIcons, error) { + var resp PremiumFeatureAppIcons + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumFeatureRealTimeChatTranslation(data json.RawMessage) (*PremiumFeatureRealTimeChatTranslation, error) { + var resp PremiumFeatureRealTimeChatTranslation + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumFeatureUpgradedStories(data json.RawMessage) (*PremiumFeatureUpgradedStories, error) { + var resp PremiumFeatureUpgradedStories + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumFeatureChatBoost(data json.RawMessage) (*PremiumFeatureChatBoost, error) { + var resp PremiumFeatureChatBoost + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumFeatureAccentColor(data json.RawMessage) (*PremiumFeatureAccentColor, error) { + var resp PremiumFeatureAccentColor + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumFeatureBackgroundForBoth(data json.RawMessage) (*PremiumFeatureBackgroundForBoth, error) { + var resp PremiumFeatureBackgroundForBoth + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumFeatureSavedMessagesTags(data json.RawMessage) (*PremiumFeatureSavedMessagesTags, error) { + var resp PremiumFeatureSavedMessagesTags + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumFeatureMessagePrivacy(data json.RawMessage) (*PremiumFeatureMessagePrivacy, error) { + var resp PremiumFeatureMessagePrivacy + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumFeatureLastSeenTimes(data json.RawMessage) (*PremiumFeatureLastSeenTimes, error) { + var resp PremiumFeatureLastSeenTimes + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumFeatureBusiness(data json.RawMessage) (*PremiumFeatureBusiness, error) { + var resp PremiumFeatureBusiness + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumFeatureMessageEffects(data json.RawMessage) (*PremiumFeatureMessageEffects, error) { + var resp PremiumFeatureMessageEffects + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumFeatureChecklists(data json.RawMessage) (*PremiumFeatureChecklists, error) { + var resp PremiumFeatureChecklists + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumFeaturePaidMessages(data json.RawMessage) (*PremiumFeaturePaidMessages, error) { + var resp PremiumFeaturePaidMessages + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBusinessFeatureLocation(data json.RawMessage) (*BusinessFeatureLocation, error) { + var resp BusinessFeatureLocation + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBusinessFeatureOpeningHours(data json.RawMessage) (*BusinessFeatureOpeningHours, error) { + var resp BusinessFeatureOpeningHours + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBusinessFeatureQuickReplies(data json.RawMessage) (*BusinessFeatureQuickReplies, error) { + var resp BusinessFeatureQuickReplies + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBusinessFeatureGreetingMessage(data json.RawMessage) (*BusinessFeatureGreetingMessage, error) { + var resp BusinessFeatureGreetingMessage + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBusinessFeatureAwayMessage(data json.RawMessage) (*BusinessFeatureAwayMessage, error) { + var resp BusinessFeatureAwayMessage + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBusinessFeatureAccountLinks(data json.RawMessage) (*BusinessFeatureAccountLinks, error) { + var resp BusinessFeatureAccountLinks + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBusinessFeatureStartPage(data json.RawMessage) (*BusinessFeatureStartPage, error) { + var resp BusinessFeatureStartPage + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBusinessFeatureBots(data json.RawMessage) (*BusinessFeatureBots, error) { + var resp BusinessFeatureBots + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBusinessFeatureEmojiStatus(data json.RawMessage) (*BusinessFeatureEmojiStatus, error) { + var resp BusinessFeatureEmojiStatus + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBusinessFeatureChatFolderTags(data json.RawMessage) (*BusinessFeatureChatFolderTags, error) { + var resp BusinessFeatureChatFolderTags + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBusinessFeatureUpgradedStories(data json.RawMessage) (*BusinessFeatureUpgradedStories, error) { + var resp BusinessFeatureUpgradedStories + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumStoryFeaturePriorityOrder(data json.RawMessage) (*PremiumStoryFeaturePriorityOrder, error) { + var resp PremiumStoryFeaturePriorityOrder + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumStoryFeatureStealthMode(data json.RawMessage) (*PremiumStoryFeatureStealthMode, error) { + var resp PremiumStoryFeatureStealthMode + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumStoryFeaturePermanentViewsHistory(data json.RawMessage) (*PremiumStoryFeaturePermanentViewsHistory, error) { + var resp PremiumStoryFeaturePermanentViewsHistory + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumStoryFeatureCustomExpirationDuration(data json.RawMessage) (*PremiumStoryFeatureCustomExpirationDuration, error) { + var resp PremiumStoryFeatureCustomExpirationDuration + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumStoryFeatureSaveStories(data json.RawMessage) (*PremiumStoryFeatureSaveStories, error) { + var resp PremiumStoryFeatureSaveStories + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumStoryFeatureLinksAndFormatting(data json.RawMessage) (*PremiumStoryFeatureLinksAndFormatting, error) { + var resp PremiumStoryFeatureLinksAndFormatting + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumStoryFeatureVideoQuality(data json.RawMessage) (*PremiumStoryFeatureVideoQuality, error) { + var resp PremiumStoryFeatureVideoQuality + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumLimit(data json.RawMessage) (*PremiumLimit, error) { + var resp PremiumLimit + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumFeatures(data json.RawMessage) (*PremiumFeatures, error) { + var resp PremiumFeatures + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBusinessFeatures(data json.RawMessage) (*BusinessFeatures, error) { + var resp BusinessFeatures + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumSourceLimitExceeded(data json.RawMessage) (*PremiumSourceLimitExceeded, error) { + var resp PremiumSourceLimitExceeded + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumSourceFeature(data json.RawMessage) (*PremiumSourceFeature, error) { + var resp PremiumSourceFeature + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumSourceBusinessFeature(data json.RawMessage) (*PremiumSourceBusinessFeature, error) { + var resp PremiumSourceBusinessFeature + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumSourceStoryFeature(data json.RawMessage) (*PremiumSourceStoryFeature, error) { + var resp PremiumSourceStoryFeature + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumSourceLink(data json.RawMessage) (*PremiumSourceLink, error) { + var resp PremiumSourceLink + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumSourceSettings(data json.RawMessage) (*PremiumSourceSettings, error) { + var resp PremiumSourceSettings + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumFeaturePromotionAnimation(data json.RawMessage) (*PremiumFeaturePromotionAnimation, error) { + var resp PremiumFeaturePromotionAnimation + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBusinessFeaturePromotionAnimation(data json.RawMessage) (*BusinessFeaturePromotionAnimation, error) { + var resp BusinessFeaturePromotionAnimation + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPremiumState(data json.RawMessage) (*PremiumState, error) { + var resp PremiumState + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStorePaymentPurposePremiumSubscription(data json.RawMessage) (*StorePaymentPurposePremiumSubscription, error) { + var resp StorePaymentPurposePremiumSubscription + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStorePaymentPurposePremiumGift(data json.RawMessage) (*StorePaymentPurposePremiumGift, error) { + var resp StorePaymentPurposePremiumGift + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStorePaymentPurposePremiumGiftCodes(data json.RawMessage) (*StorePaymentPurposePremiumGiftCodes, error) { + var resp StorePaymentPurposePremiumGiftCodes + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStorePaymentPurposePremiumGiveaway(data json.RawMessage) (*StorePaymentPurposePremiumGiveaway, error) { + var resp StorePaymentPurposePremiumGiveaway + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStorePaymentPurposeStarGiveaway(data json.RawMessage) (*StorePaymentPurposeStarGiveaway, error) { + var resp StorePaymentPurposeStarGiveaway + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStorePaymentPurposeStars(data json.RawMessage) (*StorePaymentPurposeStars, error) { + var resp StorePaymentPurposeStars + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStorePaymentPurposeGiftedStars(data json.RawMessage) (*StorePaymentPurposeGiftedStars, error) { + var resp StorePaymentPurposeGiftedStars + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStoreTransactionAppStore(data json.RawMessage) (*StoreTransactionAppStore, error) { + var resp StoreTransactionAppStore + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStoreTransactionGooglePlay(data json.RawMessage) (*StoreTransactionGooglePlay, error) { + var resp StoreTransactionGooglePlay + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTelegramPaymentPurposePremiumGift(data json.RawMessage) (*TelegramPaymentPurposePremiumGift, error) { + var resp TelegramPaymentPurposePremiumGift + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTelegramPaymentPurposePremiumGiftCodes(data json.RawMessage) (*TelegramPaymentPurposePremiumGiftCodes, error) { + var resp TelegramPaymentPurposePremiumGiftCodes + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTelegramPaymentPurposePremiumGiveaway(data json.RawMessage) (*TelegramPaymentPurposePremiumGiveaway, error) { + var resp TelegramPaymentPurposePremiumGiveaway + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTelegramPaymentPurposeStars(data json.RawMessage) (*TelegramPaymentPurposeStars, error) { + var resp TelegramPaymentPurposeStars + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTelegramPaymentPurposeGiftedStars(data json.RawMessage) (*TelegramPaymentPurposeGiftedStars, error) { + var resp TelegramPaymentPurposeGiftedStars + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTelegramPaymentPurposeStarGiveaway(data json.RawMessage) (*TelegramPaymentPurposeStarGiveaway, error) { + var resp TelegramPaymentPurposeStarGiveaway + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTelegramPaymentPurposeJoinChat(data json.RawMessage) (*TelegramPaymentPurposeJoinChat, error) { + var resp TelegramPaymentPurposeJoinChat + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalDeviceTokenFirebaseCloudMessaging(data json.RawMessage) (*DeviceTokenFirebaseCloudMessaging, error) { + var resp DeviceTokenFirebaseCloudMessaging + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalDeviceTokenApplePush(data json.RawMessage) (*DeviceTokenApplePush, error) { + var resp DeviceTokenApplePush + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalDeviceTokenApplePushVoIP(data json.RawMessage) (*DeviceTokenApplePushVoIP, error) { + var resp DeviceTokenApplePushVoIP + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalDeviceTokenWindowsPush(data json.RawMessage) (*DeviceTokenWindowsPush, error) { + var resp DeviceTokenWindowsPush + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalDeviceTokenMicrosoftPush(data json.RawMessage) (*DeviceTokenMicrosoftPush, error) { + var resp DeviceTokenMicrosoftPush + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalDeviceTokenMicrosoftPushVoIP(data json.RawMessage) (*DeviceTokenMicrosoftPushVoIP, error) { + var resp DeviceTokenMicrosoftPushVoIP + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalDeviceTokenWebPush(data json.RawMessage) (*DeviceTokenWebPush, error) { + var resp DeviceTokenWebPush + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalDeviceTokenSimplePush(data json.RawMessage) (*DeviceTokenSimplePush, error) { + var resp DeviceTokenSimplePush + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalDeviceTokenUbuntuPush(data json.RawMessage) (*DeviceTokenUbuntuPush, error) { + var resp DeviceTokenUbuntuPush + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalDeviceTokenBlackBerryPush(data json.RawMessage) (*DeviceTokenBlackBerryPush, error) { + var resp DeviceTokenBlackBerryPush + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalDeviceTokenTizenPush(data json.RawMessage) (*DeviceTokenTizenPush, error) { + var resp DeviceTokenTizenPush + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalDeviceTokenHuaweiPush(data json.RawMessage) (*DeviceTokenHuaweiPush, error) { + var resp DeviceTokenHuaweiPush + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPushReceiverId(data json.RawMessage) (*PushReceiverId, error) { + var resp PushReceiverId + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBackgroundFillSolid(data json.RawMessage) (*BackgroundFillSolid, error) { + var resp BackgroundFillSolid + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBackgroundFillGradient(data json.RawMessage) (*BackgroundFillGradient, error) { + var resp BackgroundFillGradient + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBackgroundFillFreeformGradient(data json.RawMessage) (*BackgroundFillFreeformGradient, error) { + var resp BackgroundFillFreeformGradient + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBackgroundTypeWallpaper(data json.RawMessage) (*BackgroundTypeWallpaper, error) { + var resp BackgroundTypeWallpaper + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBackgroundTypePattern(data json.RawMessage) (*BackgroundTypePattern, error) { + var resp BackgroundTypePattern + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBackgroundTypeFill(data json.RawMessage) (*BackgroundTypeFill, error) { + var resp BackgroundTypeFill + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBackgroundTypeChatTheme(data json.RawMessage) (*BackgroundTypeChatTheme, error) { + var resp BackgroundTypeChatTheme + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputBackgroundLocal(data json.RawMessage) (*InputBackgroundLocal, error) { + var resp InputBackgroundLocal + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputBackgroundRemote(data json.RawMessage) (*InputBackgroundRemote, error) { + var resp InputBackgroundRemote + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputBackgroundPrevious(data json.RawMessage) (*InputBackgroundPrevious, error) { + var resp InputBackgroundPrevious + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalEmojiChatTheme(data json.RawMessage) (*EmojiChatTheme, error) { + var resp EmojiChatTheme + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGiftChatTheme(data json.RawMessage) (*GiftChatTheme, error) { + var resp GiftChatTheme + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalGiftChatThemes(data json.RawMessage) (*GiftChatThemes, error) { + var resp GiftChatThemes + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatThemeEmoji(data json.RawMessage) (*ChatThemeEmoji, error) { + var resp ChatThemeEmoji + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatThemeGift(data json.RawMessage) (*ChatThemeGift, error) { + var resp ChatThemeGift + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputChatThemeEmoji(data json.RawMessage) (*InputChatThemeEmoji, error) { + var resp InputChatThemeEmoji + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInputChatThemeGift(data json.RawMessage) (*InputChatThemeGift, error) { + var resp InputChatThemeGift + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTimeZone(data json.RawMessage) (*TimeZone, error) { + var resp TimeZone + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTimeZones(data json.RawMessage) (*TimeZones, error) { + var resp TimeZones + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalHashtags(data json.RawMessage) (*Hashtags, error) { + var resp Hashtags + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCanPostStoryResultOk(data json.RawMessage) (*CanPostStoryResultOk, error) { + var resp CanPostStoryResultOk + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCanPostStoryResultPremiumNeeded(data json.RawMessage) (*CanPostStoryResultPremiumNeeded, error) { + var resp CanPostStoryResultPremiumNeeded + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCanPostStoryResultBoostNeeded(data json.RawMessage) (*CanPostStoryResultBoostNeeded, error) { + var resp CanPostStoryResultBoostNeeded + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCanPostStoryResultActiveStoryLimitExceeded(data json.RawMessage) (*CanPostStoryResultActiveStoryLimitExceeded, error) { + var resp CanPostStoryResultActiveStoryLimitExceeded + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCanPostStoryResultWeeklyLimitExceeded(data json.RawMessage) (*CanPostStoryResultWeeklyLimitExceeded, error) { + var resp CanPostStoryResultWeeklyLimitExceeded + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCanPostStoryResultMonthlyLimitExceeded(data json.RawMessage) (*CanPostStoryResultMonthlyLimitExceeded, error) { + var resp CanPostStoryResultMonthlyLimitExceeded + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCanPostStoryResultLiveStoryIsActive(data json.RawMessage) (*CanPostStoryResultLiveStoryIsActive, error) { + var resp CanPostStoryResultLiveStoryIsActive + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStartLiveStoryResultOk(data json.RawMessage) (*StartLiveStoryResultOk, error) { + var resp StartLiveStoryResultOk + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStartLiveStoryResultFail(data json.RawMessage) (*StartLiveStoryResultFail, error) { + var resp StartLiveStoryResultFail + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCanTransferOwnershipResultOk(data json.RawMessage) (*CanTransferOwnershipResultOk, error) { + var resp CanTransferOwnershipResultOk + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCanTransferOwnershipResultPasswordNeeded(data json.RawMessage) (*CanTransferOwnershipResultPasswordNeeded, error) { + var resp CanTransferOwnershipResultPasswordNeeded + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCanTransferOwnershipResultPasswordTooFresh(data json.RawMessage) (*CanTransferOwnershipResultPasswordTooFresh, error) { + var resp CanTransferOwnershipResultPasswordTooFresh + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCanTransferOwnershipResultSessionTooFresh(data json.RawMessage) (*CanTransferOwnershipResultSessionTooFresh, error) { + var resp CanTransferOwnershipResultSessionTooFresh + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCheckChatUsernameResultOk(data json.RawMessage) (*CheckChatUsernameResultOk, error) { + var resp CheckChatUsernameResultOk + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCheckChatUsernameResultUsernameInvalid(data json.RawMessage) (*CheckChatUsernameResultUsernameInvalid, error) { + var resp CheckChatUsernameResultUsernameInvalid + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCheckChatUsernameResultUsernameOccupied(data json.RawMessage) (*CheckChatUsernameResultUsernameOccupied, error) { + var resp CheckChatUsernameResultUsernameOccupied + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCheckChatUsernameResultUsernamePurchasable(data json.RawMessage) (*CheckChatUsernameResultUsernamePurchasable, error) { + var resp CheckChatUsernameResultUsernamePurchasable + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCheckChatUsernameResultPublicChatsTooMany(data json.RawMessage) (*CheckChatUsernameResultPublicChatsTooMany, error) { + var resp CheckChatUsernameResultPublicChatsTooMany + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCheckChatUsernameResultPublicGroupsUnavailable(data json.RawMessage) (*CheckChatUsernameResultPublicGroupsUnavailable, error) { + var resp CheckChatUsernameResultPublicGroupsUnavailable + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCheckStickerSetNameResultOk(data json.RawMessage) (*CheckStickerSetNameResultOk, error) { + var resp CheckStickerSetNameResultOk + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCheckStickerSetNameResultNameInvalid(data json.RawMessage) (*CheckStickerSetNameResultNameInvalid, error) { + var resp CheckStickerSetNameResultNameInvalid + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCheckStickerSetNameResultNameOccupied(data json.RawMessage) (*CheckStickerSetNameResultNameOccupied, error) { + var resp CheckStickerSetNameResultNameOccupied + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalResetPasswordResultOk(data json.RawMessage) (*ResetPasswordResultOk, error) { + var resp ResetPasswordResultOk + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalResetPasswordResultPending(data json.RawMessage) (*ResetPasswordResultPending, error) { + var resp ResetPasswordResultPending + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalResetPasswordResultDeclined(data json.RawMessage) (*ResetPasswordResultDeclined, error) { + var resp ResetPasswordResultDeclined + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageFileTypePrivate(data json.RawMessage) (*MessageFileTypePrivate, error) { + var resp MessageFileTypePrivate + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageFileTypeGroup(data json.RawMessage) (*MessageFileTypeGroup, error) { + var resp MessageFileTypeGroup + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageFileTypeUnknown(data json.RawMessage) (*MessageFileTypeUnknown, error) { + var resp MessageFileTypeUnknown + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPushMessageContentHidden(data json.RawMessage) (*PushMessageContentHidden, error) { + var resp PushMessageContentHidden + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPushMessageContentAnimation(data json.RawMessage) (*PushMessageContentAnimation, error) { + var resp PushMessageContentAnimation + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPushMessageContentAudio(data json.RawMessage) (*PushMessageContentAudio, error) { + var resp PushMessageContentAudio + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPushMessageContentContact(data json.RawMessage) (*PushMessageContentContact, error) { + var resp PushMessageContentContact + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPushMessageContentContactRegistered(data json.RawMessage) (*PushMessageContentContactRegistered, error) { + var resp PushMessageContentContactRegistered + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPushMessageContentDocument(data json.RawMessage) (*PushMessageContentDocument, error) { + var resp PushMessageContentDocument + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPushMessageContentGame(data json.RawMessage) (*PushMessageContentGame, error) { + var resp PushMessageContentGame + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPushMessageContentGameScore(data json.RawMessage) (*PushMessageContentGameScore, error) { + var resp PushMessageContentGameScore + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPushMessageContentInvoice(data json.RawMessage) (*PushMessageContentInvoice, error) { + var resp PushMessageContentInvoice + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPushMessageContentLocation(data json.RawMessage) (*PushMessageContentLocation, error) { + var resp PushMessageContentLocation + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPushMessageContentPaidMedia(data json.RawMessage) (*PushMessageContentPaidMedia, error) { + var resp PushMessageContentPaidMedia + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPushMessageContentPhoto(data json.RawMessage) (*PushMessageContentPhoto, error) { + var resp PushMessageContentPhoto + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPushMessageContentPoll(data json.RawMessage) (*PushMessageContentPoll, error) { + var resp PushMessageContentPoll + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPushMessageContentPremiumGiftCode(data json.RawMessage) (*PushMessageContentPremiumGiftCode, error) { + var resp PushMessageContentPremiumGiftCode + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPushMessageContentGiveaway(data json.RawMessage) (*PushMessageContentGiveaway, error) { + var resp PushMessageContentGiveaway + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPushMessageContentGift(data json.RawMessage) (*PushMessageContentGift, error) { + var resp PushMessageContentGift + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPushMessageContentUpgradedGift(data json.RawMessage) (*PushMessageContentUpgradedGift, error) { + var resp PushMessageContentUpgradedGift + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPushMessageContentScreenshotTaken(data json.RawMessage) (*PushMessageContentScreenshotTaken, error) { + var resp PushMessageContentScreenshotTaken + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPushMessageContentSticker(data json.RawMessage) (*PushMessageContentSticker, error) { + var resp PushMessageContentSticker + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPushMessageContentStory(data json.RawMessage) (*PushMessageContentStory, error) { + var resp PushMessageContentStory + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPushMessageContentText(data json.RawMessage) (*PushMessageContentText, error) { + var resp PushMessageContentText + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPushMessageContentChecklist(data json.RawMessage) (*PushMessageContentChecklist, error) { + var resp PushMessageContentChecklist + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPushMessageContentVideo(data json.RawMessage) (*PushMessageContentVideo, error) { + var resp PushMessageContentVideo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPushMessageContentVideoNote(data json.RawMessage) (*PushMessageContentVideoNote, error) { + var resp PushMessageContentVideoNote + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPushMessageContentVoiceNote(data json.RawMessage) (*PushMessageContentVoiceNote, error) { + var resp PushMessageContentVoiceNote + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPushMessageContentBasicGroupChatCreate(data json.RawMessage) (*PushMessageContentBasicGroupChatCreate, error) { + var resp PushMessageContentBasicGroupChatCreate + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPushMessageContentVideoChatStarted(data json.RawMessage) (*PushMessageContentVideoChatStarted, error) { + var resp PushMessageContentVideoChatStarted + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPushMessageContentVideoChatEnded(data json.RawMessage) (*PushMessageContentVideoChatEnded, error) { + var resp PushMessageContentVideoChatEnded + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPushMessageContentInviteVideoChatParticipants(data json.RawMessage) (*PushMessageContentInviteVideoChatParticipants, error) { + var resp PushMessageContentInviteVideoChatParticipants + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPushMessageContentChatAddMembers(data json.RawMessage) (*PushMessageContentChatAddMembers, error) { + var resp PushMessageContentChatAddMembers + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPushMessageContentChatChangePhoto(data json.RawMessage) (*PushMessageContentChatChangePhoto, error) { + var resp PushMessageContentChatChangePhoto + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPushMessageContentChatChangeTitle(data json.RawMessage) (*PushMessageContentChatChangeTitle, error) { + var resp PushMessageContentChatChangeTitle + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPushMessageContentChatSetBackground(data json.RawMessage) (*PushMessageContentChatSetBackground, error) { + var resp PushMessageContentChatSetBackground + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPushMessageContentChatSetTheme(data json.RawMessage) (*PushMessageContentChatSetTheme, error) { + var resp PushMessageContentChatSetTheme + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPushMessageContentChatDeleteMember(data json.RawMessage) (*PushMessageContentChatDeleteMember, error) { + var resp PushMessageContentChatDeleteMember + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPushMessageContentChatJoinByLink(data json.RawMessage) (*PushMessageContentChatJoinByLink, error) { + var resp PushMessageContentChatJoinByLink + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPushMessageContentChatJoinByRequest(data json.RawMessage) (*PushMessageContentChatJoinByRequest, error) { + var resp PushMessageContentChatJoinByRequest + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPushMessageContentRecurringPayment(data json.RawMessage) (*PushMessageContentRecurringPayment, error) { + var resp PushMessageContentRecurringPayment + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPushMessageContentSuggestProfilePhoto(data json.RawMessage) (*PushMessageContentSuggestProfilePhoto, error) { + var resp PushMessageContentSuggestProfilePhoto + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPushMessageContentSuggestBirthdate(data json.RawMessage) (*PushMessageContentSuggestBirthdate, error) { + var resp PushMessageContentSuggestBirthdate + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPushMessageContentProximityAlertTriggered(data json.RawMessage) (*PushMessageContentProximityAlertTriggered, error) { + var resp PushMessageContentProximityAlertTriggered + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPushMessageContentChecklistTasksAdded(data json.RawMessage) (*PushMessageContentChecklistTasksAdded, error) { + var resp PushMessageContentChecklistTasksAdded + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPushMessageContentChecklistTasksDone(data json.RawMessage) (*PushMessageContentChecklistTasksDone, error) { + var resp PushMessageContentChecklistTasksDone + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPushMessageContentMessageForwards(data json.RawMessage) (*PushMessageContentMessageForwards, error) { + var resp PushMessageContentMessageForwards + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPushMessageContentMediaAlbum(data json.RawMessage) (*PushMessageContentMediaAlbum, error) { + var resp PushMessageContentMediaAlbum + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalNotificationTypeNewMessage(data json.RawMessage) (*NotificationTypeNewMessage, error) { + var resp NotificationTypeNewMessage + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalNotificationTypeNewSecretChat(data json.RawMessage) (*NotificationTypeNewSecretChat, error) { + var resp NotificationTypeNewSecretChat + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalNotificationTypeNewCall(data json.RawMessage) (*NotificationTypeNewCall, error) { + var resp NotificationTypeNewCall + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalNotificationTypeNewPushMessage(data json.RawMessage) (*NotificationTypeNewPushMessage, error) { + var resp NotificationTypeNewPushMessage + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalNotificationGroupTypeMessages(data json.RawMessage) (*NotificationGroupTypeMessages, error) { + var resp NotificationGroupTypeMessages + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalNotificationGroupTypeMentions(data json.RawMessage) (*NotificationGroupTypeMentions, error) { + var resp NotificationGroupTypeMentions + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalNotificationGroupTypeSecretChat(data json.RawMessage) (*NotificationGroupTypeSecretChat, error) { + var resp NotificationGroupTypeSecretChat + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalNotificationGroupTypeCalls(data json.RawMessage) (*NotificationGroupTypeCalls, error) { + var resp NotificationGroupTypeCalls + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalNotificationSound(data json.RawMessage) (*NotificationSound, error) { + var resp NotificationSound + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalNotificationSounds(data json.RawMessage) (*NotificationSounds, error) { + var resp NotificationSounds + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalNotification(data json.RawMessage) (*Notification, error) { + var resp Notification + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalNotificationGroup(data json.RawMessage) (*NotificationGroup, error) { + var resp NotificationGroup + + err := json.Unmarshal(data, &resp) + + return &resp, err } func UnmarshalProxy(data json.RawMessage) (*Proxy, error) { - var resp Proxy + var resp Proxy - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalProxies(data json.RawMessage) (*Proxies, error) { - var resp Proxies +func UnmarshalOptionValueBoolean(data json.RawMessage) (*OptionValueBoolean, error) { + var resp OptionValueBoolean - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err +} + +func UnmarshalOptionValueEmpty(data json.RawMessage) (*OptionValueEmpty, error) { + var resp OptionValueEmpty + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalOptionValueInteger(data json.RawMessage) (*OptionValueInteger, error) { + var resp OptionValueInteger + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalOptionValueString(data json.RawMessage) (*OptionValueString, error) { + var resp OptionValueString + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalJsonObjectMember(data json.RawMessage) (*JsonObjectMember, error) { + var resp JsonObjectMember + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalJsonValueNull(data json.RawMessage) (*JsonValueNull, error) { + var resp JsonValueNull + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalJsonValueBoolean(data json.RawMessage) (*JsonValueBoolean, error) { + var resp JsonValueBoolean + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalJsonValueNumber(data json.RawMessage) (*JsonValueNumber, error) { + var resp JsonValueNumber + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalJsonValueString(data json.RawMessage) (*JsonValueString, error) { + var resp JsonValueString + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalJsonValueArray(data json.RawMessage) (*JsonValueArray, error) { + var resp JsonValueArray + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalJsonValueObject(data json.RawMessage) (*JsonValueObject, error) { + var resp JsonValueObject + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStoryPrivacySettingsEveryone(data json.RawMessage) (*StoryPrivacySettingsEveryone, error) { + var resp StoryPrivacySettingsEveryone + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStoryPrivacySettingsContacts(data json.RawMessage) (*StoryPrivacySettingsContacts, error) { + var resp StoryPrivacySettingsContacts + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStoryPrivacySettingsCloseFriends(data json.RawMessage) (*StoryPrivacySettingsCloseFriends, error) { + var resp StoryPrivacySettingsCloseFriends + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStoryPrivacySettingsSelectedUsers(data json.RawMessage) (*StoryPrivacySettingsSelectedUsers, error) { + var resp StoryPrivacySettingsSelectedUsers + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUserPrivacySettingRuleAllowAll(data json.RawMessage) (*UserPrivacySettingRuleAllowAll, error) { + var resp UserPrivacySettingRuleAllowAll + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUserPrivacySettingRuleAllowContacts(data json.RawMessage) (*UserPrivacySettingRuleAllowContacts, error) { + var resp UserPrivacySettingRuleAllowContacts + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUserPrivacySettingRuleAllowBots(data json.RawMessage) (*UserPrivacySettingRuleAllowBots, error) { + var resp UserPrivacySettingRuleAllowBots + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUserPrivacySettingRuleAllowPremiumUsers(data json.RawMessage) (*UserPrivacySettingRuleAllowPremiumUsers, error) { + var resp UserPrivacySettingRuleAllowPremiumUsers + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUserPrivacySettingRuleAllowUsers(data json.RawMessage) (*UserPrivacySettingRuleAllowUsers, error) { + var resp UserPrivacySettingRuleAllowUsers + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUserPrivacySettingRuleAllowChatMembers(data json.RawMessage) (*UserPrivacySettingRuleAllowChatMembers, error) { + var resp UserPrivacySettingRuleAllowChatMembers + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUserPrivacySettingRuleRestrictAll(data json.RawMessage) (*UserPrivacySettingRuleRestrictAll, error) { + var resp UserPrivacySettingRuleRestrictAll + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUserPrivacySettingRuleRestrictContacts(data json.RawMessage) (*UserPrivacySettingRuleRestrictContacts, error) { + var resp UserPrivacySettingRuleRestrictContacts + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUserPrivacySettingRuleRestrictBots(data json.RawMessage) (*UserPrivacySettingRuleRestrictBots, error) { + var resp UserPrivacySettingRuleRestrictBots + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUserPrivacySettingRuleRestrictUsers(data json.RawMessage) (*UserPrivacySettingRuleRestrictUsers, error) { + var resp UserPrivacySettingRuleRestrictUsers + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUserPrivacySettingRuleRestrictChatMembers(data json.RawMessage) (*UserPrivacySettingRuleRestrictChatMembers, error) { + var resp UserPrivacySettingRuleRestrictChatMembers + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUserPrivacySettingRules(data json.RawMessage) (*UserPrivacySettingRules, error) { + var resp UserPrivacySettingRules + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUserPrivacySettingShowStatus(data json.RawMessage) (*UserPrivacySettingShowStatus, error) { + var resp UserPrivacySettingShowStatus + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUserPrivacySettingShowProfilePhoto(data json.RawMessage) (*UserPrivacySettingShowProfilePhoto, error) { + var resp UserPrivacySettingShowProfilePhoto + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUserPrivacySettingShowLinkInForwardedMessages(data json.RawMessage) (*UserPrivacySettingShowLinkInForwardedMessages, error) { + var resp UserPrivacySettingShowLinkInForwardedMessages + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUserPrivacySettingShowPhoneNumber(data json.RawMessage) (*UserPrivacySettingShowPhoneNumber, error) { + var resp UserPrivacySettingShowPhoneNumber + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUserPrivacySettingShowBio(data json.RawMessage) (*UserPrivacySettingShowBio, error) { + var resp UserPrivacySettingShowBio + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUserPrivacySettingShowBirthdate(data json.RawMessage) (*UserPrivacySettingShowBirthdate, error) { + var resp UserPrivacySettingShowBirthdate + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUserPrivacySettingShowProfileAudio(data json.RawMessage) (*UserPrivacySettingShowProfileAudio, error) { + var resp UserPrivacySettingShowProfileAudio + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUserPrivacySettingAllowChatInvites(data json.RawMessage) (*UserPrivacySettingAllowChatInvites, error) { + var resp UserPrivacySettingAllowChatInvites + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUserPrivacySettingAllowCalls(data json.RawMessage) (*UserPrivacySettingAllowCalls, error) { + var resp UserPrivacySettingAllowCalls + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUserPrivacySettingAllowPeerToPeerCalls(data json.RawMessage) (*UserPrivacySettingAllowPeerToPeerCalls, error) { + var resp UserPrivacySettingAllowPeerToPeerCalls + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUserPrivacySettingAllowFindingByPhoneNumber(data json.RawMessage) (*UserPrivacySettingAllowFindingByPhoneNumber, error) { + var resp UserPrivacySettingAllowFindingByPhoneNumber + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUserPrivacySettingAllowPrivateVoiceAndVideoNoteMessages(data json.RawMessage) (*UserPrivacySettingAllowPrivateVoiceAndVideoNoteMessages, error) { + var resp UserPrivacySettingAllowPrivateVoiceAndVideoNoteMessages + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUserPrivacySettingAutosaveGifts(data json.RawMessage) (*UserPrivacySettingAutosaveGifts, error) { + var resp UserPrivacySettingAutosaveGifts + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUserPrivacySettingAllowUnpaidMessages(data json.RawMessage) (*UserPrivacySettingAllowUnpaidMessages, error) { + var resp UserPrivacySettingAllowUnpaidMessages + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalReadDatePrivacySettings(data json.RawMessage) (*ReadDatePrivacySettings, error) { + var resp ReadDatePrivacySettings + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalNewChatPrivacySettings(data json.RawMessage) (*NewChatPrivacySettings, error) { + var resp NewChatPrivacySettings + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCanSendMessageToUserResultOk(data json.RawMessage) (*CanSendMessageToUserResultOk, error) { + var resp CanSendMessageToUserResultOk + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCanSendMessageToUserResultUserHasPaidMessages(data json.RawMessage) (*CanSendMessageToUserResultUserHasPaidMessages, error) { + var resp CanSendMessageToUserResultUserHasPaidMessages + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCanSendMessageToUserResultUserIsDeleted(data json.RawMessage) (*CanSendMessageToUserResultUserIsDeleted, error) { + var resp CanSendMessageToUserResultUserIsDeleted + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCanSendMessageToUserResultUserRestrictsNewChats(data json.RawMessage) (*CanSendMessageToUserResultUserRestrictsNewChats, error) { + var resp CanSendMessageToUserResultUserRestrictsNewChats + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalAccountTtl(data json.RawMessage) (*AccountTtl, error) { + var resp AccountTtl + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageAutoDeleteTime(data json.RawMessage) (*MessageAutoDeleteTime, error) { + var resp MessageAutoDeleteTime + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSessionTypeAndroid(data json.RawMessage) (*SessionTypeAndroid, error) { + var resp SessionTypeAndroid + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSessionTypeApple(data json.RawMessage) (*SessionTypeApple, error) { + var resp SessionTypeApple + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSessionTypeBrave(data json.RawMessage) (*SessionTypeBrave, error) { + var resp SessionTypeBrave + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSessionTypeChrome(data json.RawMessage) (*SessionTypeChrome, error) { + var resp SessionTypeChrome + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSessionTypeEdge(data json.RawMessage) (*SessionTypeEdge, error) { + var resp SessionTypeEdge + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSessionTypeFirefox(data json.RawMessage) (*SessionTypeFirefox, error) { + var resp SessionTypeFirefox + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSessionTypeIpad(data json.RawMessage) (*SessionTypeIpad, error) { + var resp SessionTypeIpad + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSessionTypeIphone(data json.RawMessage) (*SessionTypeIphone, error) { + var resp SessionTypeIphone + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSessionTypeLinux(data json.RawMessage) (*SessionTypeLinux, error) { + var resp SessionTypeLinux + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSessionTypeMac(data json.RawMessage) (*SessionTypeMac, error) { + var resp SessionTypeMac + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSessionTypeOpera(data json.RawMessage) (*SessionTypeOpera, error) { + var resp SessionTypeOpera + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSessionTypeSafari(data json.RawMessage) (*SessionTypeSafari, error) { + var resp SessionTypeSafari + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSessionTypeUbuntu(data json.RawMessage) (*SessionTypeUbuntu, error) { + var resp SessionTypeUbuntu + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSessionTypeUnknown(data json.RawMessage) (*SessionTypeUnknown, error) { + var resp SessionTypeUnknown + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSessionTypeVivaldi(data json.RawMessage) (*SessionTypeVivaldi, error) { + var resp SessionTypeVivaldi + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSessionTypeWindows(data json.RawMessage) (*SessionTypeWindows, error) { + var resp SessionTypeWindows + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSessionTypeXbox(data json.RawMessage) (*SessionTypeXbox, error) { + var resp SessionTypeXbox + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSession(data json.RawMessage) (*Session, error) { + var resp Session + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSessions(data json.RawMessage) (*Sessions, error) { + var resp Sessions + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUnconfirmedSession(data json.RawMessage) (*UnconfirmedSession, error) { + var resp UnconfirmedSession + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalConnectedWebsite(data json.RawMessage) (*ConnectedWebsite, error) { + var resp ConnectedWebsite + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalConnectedWebsites(data json.RawMessage) (*ConnectedWebsites, error) { + var resp ConnectedWebsites + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalReportReasonSpam(data json.RawMessage) (*ReportReasonSpam, error) { + var resp ReportReasonSpam + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalReportReasonViolence(data json.RawMessage) (*ReportReasonViolence, error) { + var resp ReportReasonViolence + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalReportReasonPornography(data json.RawMessage) (*ReportReasonPornography, error) { + var resp ReportReasonPornography + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalReportReasonChildAbuse(data json.RawMessage) (*ReportReasonChildAbuse, error) { + var resp ReportReasonChildAbuse + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalReportReasonCopyright(data json.RawMessage) (*ReportReasonCopyright, error) { + var resp ReportReasonCopyright + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalReportReasonUnrelatedLocation(data json.RawMessage) (*ReportReasonUnrelatedLocation, error) { + var resp ReportReasonUnrelatedLocation + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalReportReasonFake(data json.RawMessage) (*ReportReasonFake, error) { + var resp ReportReasonFake + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalReportReasonIllegalDrugs(data json.RawMessage) (*ReportReasonIllegalDrugs, error) { + var resp ReportReasonIllegalDrugs + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalReportReasonPersonalDetails(data json.RawMessage) (*ReportReasonPersonalDetails, error) { + var resp ReportReasonPersonalDetails + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalReportReasonCustom(data json.RawMessage) (*ReportReasonCustom, error) { + var resp ReportReasonCustom + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalReportChatResultOk(data json.RawMessage) (*ReportChatResultOk, error) { + var resp ReportChatResultOk + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalReportChatResultOptionRequired(data json.RawMessage) (*ReportChatResultOptionRequired, error) { + var resp ReportChatResultOptionRequired + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalReportChatResultTextRequired(data json.RawMessage) (*ReportChatResultTextRequired, error) { + var resp ReportChatResultTextRequired + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalReportChatResultMessagesRequired(data json.RawMessage) (*ReportChatResultMessagesRequired, error) { + var resp ReportChatResultMessagesRequired + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalReportStoryResultOk(data json.RawMessage) (*ReportStoryResultOk, error) { + var resp ReportStoryResultOk + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalReportStoryResultOptionRequired(data json.RawMessage) (*ReportStoryResultOptionRequired, error) { + var resp ReportStoryResultOptionRequired + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalReportStoryResultTextRequired(data json.RawMessage) (*ReportStoryResultTextRequired, error) { + var resp ReportStoryResultTextRequired + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSettingsSectionAppearance(data json.RawMessage) (*SettingsSectionAppearance, error) { + var resp SettingsSectionAppearance + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSettingsSectionAskQuestion(data json.RawMessage) (*SettingsSectionAskQuestion, error) { + var resp SettingsSectionAskQuestion + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSettingsSectionBusiness(data json.RawMessage) (*SettingsSectionBusiness, error) { + var resp SettingsSectionBusiness + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSettingsSectionChatFolders(data json.RawMessage) (*SettingsSectionChatFolders, error) { + var resp SettingsSectionChatFolders + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSettingsSectionDataAndStorage(data json.RawMessage) (*SettingsSectionDataAndStorage, error) { + var resp SettingsSectionDataAndStorage + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSettingsSectionDevices(data json.RawMessage) (*SettingsSectionDevices, error) { + var resp SettingsSectionDevices + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSettingsSectionEditProfile(data json.RawMessage) (*SettingsSectionEditProfile, error) { + var resp SettingsSectionEditProfile + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSettingsSectionFaq(data json.RawMessage) (*SettingsSectionFaq, error) { + var resp SettingsSectionFaq + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSettingsSectionFeatures(data json.RawMessage) (*SettingsSectionFeatures, error) { + var resp SettingsSectionFeatures + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSettingsSectionInAppBrowser(data json.RawMessage) (*SettingsSectionInAppBrowser, error) { + var resp SettingsSectionInAppBrowser + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSettingsSectionLanguage(data json.RawMessage) (*SettingsSectionLanguage, error) { + var resp SettingsSectionLanguage + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSettingsSectionMyStars(data json.RawMessage) (*SettingsSectionMyStars, error) { + var resp SettingsSectionMyStars + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSettingsSectionMyToncoins(data json.RawMessage) (*SettingsSectionMyToncoins, error) { + var resp SettingsSectionMyToncoins + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSettingsSectionNotifications(data json.RawMessage) (*SettingsSectionNotifications, error) { + var resp SettingsSectionNotifications + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSettingsSectionPowerSaving(data json.RawMessage) (*SettingsSectionPowerSaving, error) { + var resp SettingsSectionPowerSaving + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSettingsSectionPremium(data json.RawMessage) (*SettingsSectionPremium, error) { + var resp SettingsSectionPremium + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSettingsSectionPrivacyAndSecurity(data json.RawMessage) (*SettingsSectionPrivacyAndSecurity, error) { + var resp SettingsSectionPrivacyAndSecurity + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSettingsSectionPrivacyPolicy(data json.RawMessage) (*SettingsSectionPrivacyPolicy, error) { + var resp SettingsSectionPrivacyPolicy + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSettingsSectionQrCode(data json.RawMessage) (*SettingsSectionQrCode, error) { + var resp SettingsSectionQrCode + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSettingsSectionSearch(data json.RawMessage) (*SettingsSectionSearch, error) { + var resp SettingsSectionSearch + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSettingsSectionSendGift(data json.RawMessage) (*SettingsSectionSendGift, error) { + var resp SettingsSectionSendGift + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypeAttachmentMenuBot(data json.RawMessage) (*InternalLinkTypeAttachmentMenuBot, error) { + var resp InternalLinkTypeAttachmentMenuBot + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypeAuthenticationCode(data json.RawMessage) (*InternalLinkTypeAuthenticationCode, error) { + var resp InternalLinkTypeAuthenticationCode + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypeBackground(data json.RawMessage) (*InternalLinkTypeBackground, error) { + var resp InternalLinkTypeBackground + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypeBotAddToChannel(data json.RawMessage) (*InternalLinkTypeBotAddToChannel, error) { + var resp InternalLinkTypeBotAddToChannel + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypeBotStart(data json.RawMessage) (*InternalLinkTypeBotStart, error) { + var resp InternalLinkTypeBotStart + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypeBotStartInGroup(data json.RawMessage) (*InternalLinkTypeBotStartInGroup, error) { + var resp InternalLinkTypeBotStartInGroup + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypeBusinessChat(data json.RawMessage) (*InternalLinkTypeBusinessChat, error) { + var resp InternalLinkTypeBusinessChat + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypeCallsPage(data json.RawMessage) (*InternalLinkTypeCallsPage, error) { + var resp InternalLinkTypeCallsPage + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypeChatAffiliateProgram(data json.RawMessage) (*InternalLinkTypeChatAffiliateProgram, error) { + var resp InternalLinkTypeChatAffiliateProgram + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypeChatBoost(data json.RawMessage) (*InternalLinkTypeChatBoost, error) { + var resp InternalLinkTypeChatBoost + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypeChatFolderInvite(data json.RawMessage) (*InternalLinkTypeChatFolderInvite, error) { + var resp InternalLinkTypeChatFolderInvite + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypeChatInvite(data json.RawMessage) (*InternalLinkTypeChatInvite, error) { + var resp InternalLinkTypeChatInvite + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypeChatSelection(data json.RawMessage) (*InternalLinkTypeChatSelection, error) { + var resp InternalLinkTypeChatSelection + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypeContactsPage(data json.RawMessage) (*InternalLinkTypeContactsPage, error) { + var resp InternalLinkTypeContactsPage + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypeDirectMessagesChat(data json.RawMessage) (*InternalLinkTypeDirectMessagesChat, error) { + var resp InternalLinkTypeDirectMessagesChat + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypeGame(data json.RawMessage) (*InternalLinkTypeGame, error) { + var resp InternalLinkTypeGame + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypeGiftAuction(data json.RawMessage) (*InternalLinkTypeGiftAuction, error) { + var resp InternalLinkTypeGiftAuction + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypeGiftCollection(data json.RawMessage) (*InternalLinkTypeGiftCollection, error) { + var resp InternalLinkTypeGiftCollection + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypeGroupCall(data json.RawMessage) (*InternalLinkTypeGroupCall, error) { + var resp InternalLinkTypeGroupCall + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypeInstantView(data json.RawMessage) (*InternalLinkTypeInstantView, error) { + var resp InternalLinkTypeInstantView + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypeInvoice(data json.RawMessage) (*InternalLinkTypeInvoice, error) { + var resp InternalLinkTypeInvoice + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypeLanguagePack(data json.RawMessage) (*InternalLinkTypeLanguagePack, error) { + var resp InternalLinkTypeLanguagePack + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypeLiveStory(data json.RawMessage) (*InternalLinkTypeLiveStory, error) { + var resp InternalLinkTypeLiveStory + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypeMainWebApp(data json.RawMessage) (*InternalLinkTypeMainWebApp, error) { + var resp InternalLinkTypeMainWebApp + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypeMessage(data json.RawMessage) (*InternalLinkTypeMessage, error) { + var resp InternalLinkTypeMessage + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypeMessageDraft(data json.RawMessage) (*InternalLinkTypeMessageDraft, error) { + var resp InternalLinkTypeMessageDraft + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypeMyProfilePage(data json.RawMessage) (*InternalLinkTypeMyProfilePage, error) { + var resp InternalLinkTypeMyProfilePage + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypeNewChannelChat(data json.RawMessage) (*InternalLinkTypeNewChannelChat, error) { + var resp InternalLinkTypeNewChannelChat + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypeNewGroupChat(data json.RawMessage) (*InternalLinkTypeNewGroupChat, error) { + var resp InternalLinkTypeNewGroupChat + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypeNewPrivateChat(data json.RawMessage) (*InternalLinkTypeNewPrivateChat, error) { + var resp InternalLinkTypeNewPrivateChat + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypeNewStory(data json.RawMessage) (*InternalLinkTypeNewStory, error) { + var resp InternalLinkTypeNewStory + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypePassportDataRequest(data json.RawMessage) (*InternalLinkTypePassportDataRequest, error) { + var resp InternalLinkTypePassportDataRequest + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypePhoneNumberConfirmation(data json.RawMessage) (*InternalLinkTypePhoneNumberConfirmation, error) { + var resp InternalLinkTypePhoneNumberConfirmation + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypePremiumFeaturesPage(data json.RawMessage) (*InternalLinkTypePremiumFeaturesPage, error) { + var resp InternalLinkTypePremiumFeaturesPage + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypePremiumGiftCode(data json.RawMessage) (*InternalLinkTypePremiumGiftCode, error) { + var resp InternalLinkTypePremiumGiftCode + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypePremiumGiftPurchase(data json.RawMessage) (*InternalLinkTypePremiumGiftPurchase, error) { + var resp InternalLinkTypePremiumGiftPurchase + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypeProxy(data json.RawMessage) (*InternalLinkTypeProxy, error) { + var resp InternalLinkTypeProxy + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypePublicChat(data json.RawMessage) (*InternalLinkTypePublicChat, error) { + var resp InternalLinkTypePublicChat + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypeQrCodeAuthentication(data json.RawMessage) (*InternalLinkTypeQrCodeAuthentication, error) { + var resp InternalLinkTypeQrCodeAuthentication + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypeRestorePurchases(data json.RawMessage) (*InternalLinkTypeRestorePurchases, error) { + var resp InternalLinkTypeRestorePurchases + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypeSavedMessages(data json.RawMessage) (*InternalLinkTypeSavedMessages, error) { + var resp InternalLinkTypeSavedMessages + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypeSearch(data json.RawMessage) (*InternalLinkTypeSearch, error) { + var resp InternalLinkTypeSearch + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypeSettings(data json.RawMessage) (*InternalLinkTypeSettings, error) { + var resp InternalLinkTypeSettings + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypeStarPurchase(data json.RawMessage) (*InternalLinkTypeStarPurchase, error) { + var resp InternalLinkTypeStarPurchase + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypeStickerSet(data json.RawMessage) (*InternalLinkTypeStickerSet, error) { + var resp InternalLinkTypeStickerSet + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypeStory(data json.RawMessage) (*InternalLinkTypeStory, error) { + var resp InternalLinkTypeStory + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypeStoryAlbum(data json.RawMessage) (*InternalLinkTypeStoryAlbum, error) { + var resp InternalLinkTypeStoryAlbum + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypeTheme(data json.RawMessage) (*InternalLinkTypeTheme, error) { + var resp InternalLinkTypeTheme + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypeUnknownDeepLink(data json.RawMessage) (*InternalLinkTypeUnknownDeepLink, error) { + var resp InternalLinkTypeUnknownDeepLink + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypeUpgradedGift(data json.RawMessage) (*InternalLinkTypeUpgradedGift, error) { + var resp InternalLinkTypeUpgradedGift + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypeUserPhoneNumber(data json.RawMessage) (*InternalLinkTypeUserPhoneNumber, error) { + var resp InternalLinkTypeUserPhoneNumber + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypeUserToken(data json.RawMessage) (*InternalLinkTypeUserToken, error) { + var resp InternalLinkTypeUserToken + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypeVideoChat(data json.RawMessage) (*InternalLinkTypeVideoChat, error) { + var resp InternalLinkTypeVideoChat + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalInternalLinkTypeWebApp(data json.RawMessage) (*InternalLinkTypeWebApp, error) { + var resp InternalLinkTypeWebApp + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageLink(data json.RawMessage) (*MessageLink, error) { + var resp MessageLink + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalMessageLinkInfo(data json.RawMessage) (*MessageLinkInfo, error) { + var resp MessageLinkInfo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatBoostLink(data json.RawMessage) (*ChatBoostLink, error) { + var resp ChatBoostLink + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatBoostLinkInfo(data json.RawMessage) (*ChatBoostLinkInfo, error) { + var resp ChatBoostLinkInfo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBlockListMain(data json.RawMessage) (*BlockListMain, error) { + var resp BlockListMain + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalBlockListStories(data json.RawMessage) (*BlockListStories, error) { + var resp BlockListStories + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalFileTypeNone(data json.RawMessage) (*FileTypeNone, error) { + var resp FileTypeNone + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalFileTypeAnimation(data json.RawMessage) (*FileTypeAnimation, error) { + var resp FileTypeAnimation + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalFileTypeAudio(data json.RawMessage) (*FileTypeAudio, error) { + var resp FileTypeAudio + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalFileTypeDocument(data json.RawMessage) (*FileTypeDocument, error) { + var resp FileTypeDocument + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalFileTypeNotificationSound(data json.RawMessage) (*FileTypeNotificationSound, error) { + var resp FileTypeNotificationSound + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalFileTypePhoto(data json.RawMessage) (*FileTypePhoto, error) { + var resp FileTypePhoto + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalFileTypePhotoStory(data json.RawMessage) (*FileTypePhotoStory, error) { + var resp FileTypePhotoStory + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalFileTypeProfilePhoto(data json.RawMessage) (*FileTypeProfilePhoto, error) { + var resp FileTypeProfilePhoto + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalFileTypeSecret(data json.RawMessage) (*FileTypeSecret, error) { + var resp FileTypeSecret + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalFileTypeSecretThumbnail(data json.RawMessage) (*FileTypeSecretThumbnail, error) { + var resp FileTypeSecretThumbnail + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalFileTypeSecure(data json.RawMessage) (*FileTypeSecure, error) { + var resp FileTypeSecure + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalFileTypeSelfDestructingPhoto(data json.RawMessage) (*FileTypeSelfDestructingPhoto, error) { + var resp FileTypeSelfDestructingPhoto + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalFileTypeSelfDestructingVideo(data json.RawMessage) (*FileTypeSelfDestructingVideo, error) { + var resp FileTypeSelfDestructingVideo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalFileTypeSelfDestructingVideoNote(data json.RawMessage) (*FileTypeSelfDestructingVideoNote, error) { + var resp FileTypeSelfDestructingVideoNote + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalFileTypeSelfDestructingVoiceNote(data json.RawMessage) (*FileTypeSelfDestructingVoiceNote, error) { + var resp FileTypeSelfDestructingVoiceNote + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalFileTypeSticker(data json.RawMessage) (*FileTypeSticker, error) { + var resp FileTypeSticker + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalFileTypeThumbnail(data json.RawMessage) (*FileTypeThumbnail, error) { + var resp FileTypeThumbnail + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalFileTypeUnknown(data json.RawMessage) (*FileTypeUnknown, error) { + var resp FileTypeUnknown + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalFileTypeVideo(data json.RawMessage) (*FileTypeVideo, error) { + var resp FileTypeVideo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalFileTypeVideoNote(data json.RawMessage) (*FileTypeVideoNote, error) { + var resp FileTypeVideoNote + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalFileTypeVideoStory(data json.RawMessage) (*FileTypeVideoStory, error) { + var resp FileTypeVideoStory + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalFileTypeVoiceNote(data json.RawMessage) (*FileTypeVoiceNote, error) { + var resp FileTypeVoiceNote + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalFileTypeWallpaper(data json.RawMessage) (*FileTypeWallpaper, error) { + var resp FileTypeWallpaper + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStorageStatisticsByFileType(data json.RawMessage) (*StorageStatisticsByFileType, error) { + var resp StorageStatisticsByFileType + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStorageStatisticsByChat(data json.RawMessage) (*StorageStatisticsByChat, error) { + var resp StorageStatisticsByChat + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStorageStatistics(data json.RawMessage) (*StorageStatistics, error) { + var resp StorageStatistics + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStorageStatisticsFast(data json.RawMessage) (*StorageStatisticsFast, error) { + var resp StorageStatisticsFast + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalDatabaseStatistics(data json.RawMessage) (*DatabaseStatistics, error) { + var resp DatabaseStatistics + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalNetworkTypeNone(data json.RawMessage) (*NetworkTypeNone, error) { + var resp NetworkTypeNone + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalNetworkTypeMobile(data json.RawMessage) (*NetworkTypeMobile, error) { + var resp NetworkTypeMobile + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalNetworkTypeMobileRoaming(data json.RawMessage) (*NetworkTypeMobileRoaming, error) { + var resp NetworkTypeMobileRoaming + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalNetworkTypeWiFi(data json.RawMessage) (*NetworkTypeWiFi, error) { + var resp NetworkTypeWiFi + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalNetworkTypeOther(data json.RawMessage) (*NetworkTypeOther, error) { + var resp NetworkTypeOther + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalNetworkStatisticsEntryFile(data json.RawMessage) (*NetworkStatisticsEntryFile, error) { + var resp NetworkStatisticsEntryFile + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalNetworkStatisticsEntryCall(data json.RawMessage) (*NetworkStatisticsEntryCall, error) { + var resp NetworkStatisticsEntryCall + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalNetworkStatistics(data json.RawMessage) (*NetworkStatistics, error) { + var resp NetworkStatistics + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalAutoDownloadSettings(data json.RawMessage) (*AutoDownloadSettings, error) { + var resp AutoDownloadSettings + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalAutoDownloadSettingsPresets(data json.RawMessage) (*AutoDownloadSettingsPresets, error) { + var resp AutoDownloadSettingsPresets + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalAutosaveSettingsScopePrivateChats(data json.RawMessage) (*AutosaveSettingsScopePrivateChats, error) { + var resp AutosaveSettingsScopePrivateChats + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalAutosaveSettingsScopeGroupChats(data json.RawMessage) (*AutosaveSettingsScopeGroupChats, error) { + var resp AutosaveSettingsScopeGroupChats + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalAutosaveSettingsScopeChannelChats(data json.RawMessage) (*AutosaveSettingsScopeChannelChats, error) { + var resp AutosaveSettingsScopeChannelChats + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalAutosaveSettingsScopeChat(data json.RawMessage) (*AutosaveSettingsScopeChat, error) { + var resp AutosaveSettingsScopeChat + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalScopeAutosaveSettings(data json.RawMessage) (*ScopeAutosaveSettings, error) { + var resp ScopeAutosaveSettings + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalAutosaveSettingsException(data json.RawMessage) (*AutosaveSettingsException, error) { + var resp AutosaveSettingsException + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalAutosaveSettings(data json.RawMessage) (*AutosaveSettings, error) { + var resp AutosaveSettings + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalConnectionStateWaitingForNetwork(data json.RawMessage) (*ConnectionStateWaitingForNetwork, error) { + var resp ConnectionStateWaitingForNetwork + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalConnectionStateConnectingToProxy(data json.RawMessage) (*ConnectionStateConnectingToProxy, error) { + var resp ConnectionStateConnectingToProxy + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalConnectionStateConnecting(data json.RawMessage) (*ConnectionStateConnecting, error) { + var resp ConnectionStateConnecting + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalConnectionStateUpdating(data json.RawMessage) (*ConnectionStateUpdating, error) { + var resp ConnectionStateUpdating + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalConnectionStateReady(data json.RawMessage) (*ConnectionStateReady, error) { + var resp ConnectionStateReady + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalAgeVerificationParameters(data json.RawMessage) (*AgeVerificationParameters, error) { + var resp AgeVerificationParameters + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTopChatCategoryUsers(data json.RawMessage) (*TopChatCategoryUsers, error) { + var resp TopChatCategoryUsers + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTopChatCategoryBots(data json.RawMessage) (*TopChatCategoryBots, error) { + var resp TopChatCategoryBots + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTopChatCategoryGroups(data json.RawMessage) (*TopChatCategoryGroups, error) { + var resp TopChatCategoryGroups + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTopChatCategoryChannels(data json.RawMessage) (*TopChatCategoryChannels, error) { + var resp TopChatCategoryChannels + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTopChatCategoryInlineBots(data json.RawMessage) (*TopChatCategoryInlineBots, error) { + var resp TopChatCategoryInlineBots + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTopChatCategoryWebAppBots(data json.RawMessage) (*TopChatCategoryWebAppBots, error) { + var resp TopChatCategoryWebAppBots + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTopChatCategoryCalls(data json.RawMessage) (*TopChatCategoryCalls, error) { + var resp TopChatCategoryCalls + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTopChatCategoryForwardChats(data json.RawMessage) (*TopChatCategoryForwardChats, error) { + var resp TopChatCategoryForwardChats + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalFoundPosition(data json.RawMessage) (*FoundPosition, error) { + var resp FoundPosition + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalFoundPositions(data json.RawMessage) (*FoundPositions, error) { + var resp FoundPositions + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTMeUrlTypeUser(data json.RawMessage) (*TMeUrlTypeUser, error) { + var resp TMeUrlTypeUser + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTMeUrlTypeSupergroup(data json.RawMessage) (*TMeUrlTypeSupergroup, error) { + var resp TMeUrlTypeSupergroup + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTMeUrlTypeChatInvite(data json.RawMessage) (*TMeUrlTypeChatInvite, error) { + var resp TMeUrlTypeChatInvite + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTMeUrlTypeStickerSet(data json.RawMessage) (*TMeUrlTypeStickerSet, error) { + var resp TMeUrlTypeStickerSet + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTMeUrl(data json.RawMessage) (*TMeUrl, error) { + var resp TMeUrl + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTMeUrls(data json.RawMessage) (*TMeUrls, error) { + var resp TMeUrls + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSuggestedActionEnableArchiveAndMuteNewChats(data json.RawMessage) (*SuggestedActionEnableArchiveAndMuteNewChats, error) { + var resp SuggestedActionEnableArchiveAndMuteNewChats + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSuggestedActionCheckPassword(data json.RawMessage) (*SuggestedActionCheckPassword, error) { + var resp SuggestedActionCheckPassword + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSuggestedActionCheckPhoneNumber(data json.RawMessage) (*SuggestedActionCheckPhoneNumber, error) { + var resp SuggestedActionCheckPhoneNumber + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSuggestedActionViewChecksHint(data json.RawMessage) (*SuggestedActionViewChecksHint, error) { + var resp SuggestedActionViewChecksHint + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSuggestedActionConvertToBroadcastGroup(data json.RawMessage) (*SuggestedActionConvertToBroadcastGroup, error) { + var resp SuggestedActionConvertToBroadcastGroup + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSuggestedActionSetPassword(data json.RawMessage) (*SuggestedActionSetPassword, error) { + var resp SuggestedActionSetPassword + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSuggestedActionUpgradePremium(data json.RawMessage) (*SuggestedActionUpgradePremium, error) { + var resp SuggestedActionUpgradePremium + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSuggestedActionRestorePremium(data json.RawMessage) (*SuggestedActionRestorePremium, error) { + var resp SuggestedActionRestorePremium + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSuggestedActionSubscribeToAnnualPremium(data json.RawMessage) (*SuggestedActionSubscribeToAnnualPremium, error) { + var resp SuggestedActionSubscribeToAnnualPremium + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSuggestedActionGiftPremiumForChristmas(data json.RawMessage) (*SuggestedActionGiftPremiumForChristmas, error) { + var resp SuggestedActionGiftPremiumForChristmas + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSuggestedActionSetBirthdate(data json.RawMessage) (*SuggestedActionSetBirthdate, error) { + var resp SuggestedActionSetBirthdate + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSuggestedActionSetProfilePhoto(data json.RawMessage) (*SuggestedActionSetProfilePhoto, error) { + var resp SuggestedActionSetProfilePhoto + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSuggestedActionExtendPremium(data json.RawMessage) (*SuggestedActionExtendPremium, error) { + var resp SuggestedActionExtendPremium + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSuggestedActionExtendStarSubscriptions(data json.RawMessage) (*SuggestedActionExtendStarSubscriptions, error) { + var resp SuggestedActionExtendStarSubscriptions + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSuggestedActionCustom(data json.RawMessage) (*SuggestedActionCustom, error) { + var resp SuggestedActionCustom + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSuggestedActionSetLoginEmailAddress(data json.RawMessage) (*SuggestedActionSetLoginEmailAddress, error) { + var resp SuggestedActionSetLoginEmailAddress + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSuggestedActionAddLoginPasskey(data json.RawMessage) (*SuggestedActionAddLoginPasskey, error) { + var resp SuggestedActionAddLoginPasskey + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalCount(data json.RawMessage) (*Count, error) { + var resp Count + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalText(data json.RawMessage) (*Text, error) { + var resp Text + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalData(data json.RawMessage) (*Data, error) { + var resp Data + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalSeconds(data json.RawMessage) (*Seconds, error) { + var resp Seconds + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalFileDownloadedPrefixSize(data json.RawMessage) (*FileDownloadedPrefixSize, error) { + var resp FileDownloadedPrefixSize + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarCount(data json.RawMessage) (*StarCount, error) { + var resp StarCount + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalDeepLinkInfo(data json.RawMessage) (*DeepLinkInfo, error) { + var resp DeepLinkInfo + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTextParseModeMarkdown(data json.RawMessage) (*TextParseModeMarkdown, error) { + var resp TextParseModeMarkdown + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTextParseModeHTML(data json.RawMessage) (*TextParseModeHTML, error) { + var resp TextParseModeHTML + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalProxyTypeSocks5(data json.RawMessage) (*ProxyTypeSocks5, error) { + var resp ProxyTypeSocks5 + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalProxyTypeHttp(data json.RawMessage) (*ProxyTypeHttp, error) { + var resp ProxyTypeHttp + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalProxyTypeMtproto(data json.RawMessage) (*ProxyTypeMtproto, error) { + var resp ProxyTypeMtproto + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalAddedProxy(data json.RawMessage) (*AddedProxy, error) { + var resp AddedProxy + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalAddedProxies(data json.RawMessage) (*AddedProxies, error) { + var resp AddedProxies + + err := json.Unmarshal(data, &resp) + + return &resp, err } func UnmarshalInputSticker(data json.RawMessage) (*InputSticker, error) { - var resp InputSticker + var resp InputSticker - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalDateRange(data json.RawMessage) (*DateRange, error) { - var resp DateRange + var resp DateRange - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalStatisticalValue(data json.RawMessage) (*StatisticalValue, error) { - var resp StatisticalValue + var resp StatisticalValue - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalStatisticalGraphData(data json.RawMessage) (*StatisticalGraphData, error) { - var resp StatisticalGraphData + var resp StatisticalGraphData - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalStatisticalGraphAsync(data json.RawMessage) (*StatisticalGraphAsync, error) { - var resp StatisticalGraphAsync + var resp StatisticalGraphAsync - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalStatisticalGraphError(data json.RawMessage) (*StatisticalGraphError, error) { - var resp StatisticalGraphError + var resp StatisticalGraphError - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalChatStatisticsMessageInteractionInfo(data json.RawMessage) (*ChatStatisticsMessageInteractionInfo, error) { - var resp ChatStatisticsMessageInteractionInfo +func UnmarshalChatStatisticsObjectTypeMessage(data json.RawMessage) (*ChatStatisticsObjectTypeMessage, error) { + var resp ChatStatisticsObjectTypeMessage - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err +} + +func UnmarshalChatStatisticsObjectTypeStory(data json.RawMessage) (*ChatStatisticsObjectTypeStory, error) { + var resp ChatStatisticsObjectTypeStory + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatStatisticsInteractionInfo(data json.RawMessage) (*ChatStatisticsInteractionInfo, error) { + var resp ChatStatisticsInteractionInfo + + err := json.Unmarshal(data, &resp) + + return &resp, err } func UnmarshalChatStatisticsMessageSenderInfo(data json.RawMessage) (*ChatStatisticsMessageSenderInfo, error) { - var resp ChatStatisticsMessageSenderInfo + var resp ChatStatisticsMessageSenderInfo - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalChatStatisticsAdministratorActionsInfo(data json.RawMessage) (*ChatStatisticsAdministratorActionsInfo, error) { - var resp ChatStatisticsAdministratorActionsInfo + var resp ChatStatisticsAdministratorActionsInfo - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalChatStatisticsInviterInfo(data json.RawMessage) (*ChatStatisticsInviterInfo, error) { - var resp ChatStatisticsInviterInfo + var resp ChatStatisticsInviterInfo - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalChatStatisticsSupergroup(data json.RawMessage) (*ChatStatisticsSupergroup, error) { - var resp ChatStatisticsSupergroup + var resp ChatStatisticsSupergroup - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalChatStatisticsChannel(data json.RawMessage) (*ChatStatisticsChannel, error) { - var resp ChatStatisticsChannel + var resp ChatStatisticsChannel - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err +} + +func UnmarshalChatRevenueAmount(data json.RawMessage) (*ChatRevenueAmount, error) { + var resp ChatRevenueAmount + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatRevenueStatistics(data json.RawMessage) (*ChatRevenueStatistics, error) { + var resp ChatRevenueStatistics + + err := json.Unmarshal(data, &resp) + + return &resp, err } func UnmarshalMessageStatistics(data json.RawMessage) (*MessageStatistics, error) { - var resp MessageStatistics + var resp MessageStatistics - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err +} + +func UnmarshalStoryStatistics(data json.RawMessage) (*StoryStatistics, error) { + var resp StoryStatistics + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalRevenueWithdrawalStatePending(data json.RawMessage) (*RevenueWithdrawalStatePending, error) { + var resp RevenueWithdrawalStatePending + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalRevenueWithdrawalStateSucceeded(data json.RawMessage) (*RevenueWithdrawalStateSucceeded, error) { + var resp RevenueWithdrawalStateSucceeded + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalRevenueWithdrawalStateFailed(data json.RawMessage) (*RevenueWithdrawalStateFailed, error) { + var resp RevenueWithdrawalStateFailed + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatRevenueTransactionTypeUnsupported(data json.RawMessage) (*ChatRevenueTransactionTypeUnsupported, error) { + var resp ChatRevenueTransactionTypeUnsupported + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatRevenueTransactionTypeSponsoredMessageEarnings(data json.RawMessage) (*ChatRevenueTransactionTypeSponsoredMessageEarnings, error) { + var resp ChatRevenueTransactionTypeSponsoredMessageEarnings + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatRevenueTransactionTypeSuggestedPostEarnings(data json.RawMessage) (*ChatRevenueTransactionTypeSuggestedPostEarnings, error) { + var resp ChatRevenueTransactionTypeSuggestedPostEarnings + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatRevenueTransactionTypeFragmentWithdrawal(data json.RawMessage) (*ChatRevenueTransactionTypeFragmentWithdrawal, error) { + var resp ChatRevenueTransactionTypeFragmentWithdrawal + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatRevenueTransactionTypeFragmentRefund(data json.RawMessage) (*ChatRevenueTransactionTypeFragmentRefund, error) { + var resp ChatRevenueTransactionTypeFragmentRefund + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatRevenueTransaction(data json.RawMessage) (*ChatRevenueTransaction, error) { + var resp ChatRevenueTransaction + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalChatRevenueTransactions(data json.RawMessage) (*ChatRevenueTransactions, error) { + var resp ChatRevenueTransactions + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarRevenueStatus(data json.RawMessage) (*StarRevenueStatus, error) { + var resp StarRevenueStatus + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalStarRevenueStatistics(data json.RawMessage) (*StarRevenueStatistics, error) { + var resp StarRevenueStatistics + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTonRevenueStatus(data json.RawMessage) (*TonRevenueStatus, error) { + var resp TonRevenueStatus + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalTonRevenueStatistics(data json.RawMessage) (*TonRevenueStatistics, error) { + var resp TonRevenueStatistics + + err := json.Unmarshal(data, &resp) + + return &resp, err } func UnmarshalPoint(data json.RawMessage) (*Point, error) { - var resp Point + var resp Point - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalVectorPathCommandLine(data json.RawMessage) (*VectorPathCommandLine, error) { - var resp VectorPathCommandLine + var resp VectorPathCommandLine - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalVectorPathCommandCubicBezierCurve(data json.RawMessage) (*VectorPathCommandCubicBezierCurve, error) { - var resp VectorPathCommandCubicBezierCurve + var resp VectorPathCommandCubicBezierCurve - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalBotCommandScopeDefault(data json.RawMessage) (*BotCommandScopeDefault, error) { - var resp BotCommandScopeDefault + var resp BotCommandScopeDefault - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalBotCommandScopeAllPrivateChats(data json.RawMessage) (*BotCommandScopeAllPrivateChats, error) { - var resp BotCommandScopeAllPrivateChats + var resp BotCommandScopeAllPrivateChats - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalBotCommandScopeAllGroupChats(data json.RawMessage) (*BotCommandScopeAllGroupChats, error) { - var resp BotCommandScopeAllGroupChats + var resp BotCommandScopeAllGroupChats - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalBotCommandScopeAllChatAdministrators(data json.RawMessage) (*BotCommandScopeAllChatAdministrators, error) { - var resp BotCommandScopeAllChatAdministrators + var resp BotCommandScopeAllChatAdministrators - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalBotCommandScopeChat(data json.RawMessage) (*BotCommandScopeChat, error) { - var resp BotCommandScopeChat + var resp BotCommandScopeChat - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalBotCommandScopeChatAdministrators(data json.RawMessage) (*BotCommandScopeChatAdministrators, error) { - var resp BotCommandScopeChatAdministrators + var resp BotCommandScopeChatAdministrators - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalBotCommandScopeChatMember(data json.RawMessage) (*BotCommandScopeChatMember, error) { - var resp BotCommandScopeChatMember + var resp BotCommandScopeChatMember - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err +} + +func UnmarshalPhoneNumberCodeTypeChange(data json.RawMessage) (*PhoneNumberCodeTypeChange, error) { + var resp PhoneNumberCodeTypeChange + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPhoneNumberCodeTypeVerify(data json.RawMessage) (*PhoneNumberCodeTypeVerify, error) { + var resp PhoneNumberCodeTypeVerify + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalPhoneNumberCodeTypeConfirmOwnership(data json.RawMessage) (*PhoneNumberCodeTypeConfirmOwnership, error) { + var resp PhoneNumberCodeTypeConfirmOwnership + + err := json.Unmarshal(data, &resp) + + return &resp, err } func UnmarshalUpdateAuthorizationState(data json.RawMessage) (*UpdateAuthorizationState, error) { - var resp UpdateAuthorizationState + var resp UpdateAuthorizationState - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateNewMessage(data json.RawMessage) (*UpdateNewMessage, error) { - var resp UpdateNewMessage + var resp UpdateNewMessage - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateMessageSendAcknowledged(data json.RawMessage) (*UpdateMessageSendAcknowledged, error) { - var resp UpdateMessageSendAcknowledged + var resp UpdateMessageSendAcknowledged - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateMessageSendSucceeded(data json.RawMessage) (*UpdateMessageSendSucceeded, error) { - var resp UpdateMessageSendSucceeded + var resp UpdateMessageSendSucceeded - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateMessageSendFailed(data json.RawMessage) (*UpdateMessageSendFailed, error) { - var resp UpdateMessageSendFailed + var resp UpdateMessageSendFailed - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateMessageContent(data json.RawMessage) (*UpdateMessageContent, error) { - var resp UpdateMessageContent + var resp UpdateMessageContent - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateMessageEdited(data json.RawMessage) (*UpdateMessageEdited, error) { - var resp UpdateMessageEdited + var resp UpdateMessageEdited - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateMessageIsPinned(data json.RawMessage) (*UpdateMessageIsPinned, error) { - var resp UpdateMessageIsPinned + var resp UpdateMessageIsPinned - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateMessageInteractionInfo(data json.RawMessage) (*UpdateMessageInteractionInfo, error) { - var resp UpdateMessageInteractionInfo + var resp UpdateMessageInteractionInfo - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateMessageContentOpened(data json.RawMessage) (*UpdateMessageContentOpened, error) { - var resp UpdateMessageContentOpened + var resp UpdateMessageContentOpened - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateMessageMentionRead(data json.RawMessage) (*UpdateMessageMentionRead, error) { - var resp UpdateMessageMentionRead + var resp UpdateMessageMentionRead - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateMessageUnreadReactions(data json.RawMessage) (*UpdateMessageUnreadReactions, error) { - var resp UpdateMessageUnreadReactions + var resp UpdateMessageUnreadReactions - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err +} + +func UnmarshalUpdateMessageFactCheck(data json.RawMessage) (*UpdateMessageFactCheck, error) { + var resp UpdateMessageFactCheck + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpdateMessageSuggestedPostInfo(data json.RawMessage) (*UpdateMessageSuggestedPostInfo, error) { + var resp UpdateMessageSuggestedPostInfo + + err := json.Unmarshal(data, &resp) + + return &resp, err } func UnmarshalUpdateMessageLiveLocationViewed(data json.RawMessage) (*UpdateMessageLiveLocationViewed, error) { - var resp UpdateMessageLiveLocationViewed + var resp UpdateMessageLiveLocationViewed - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err +} + +func UnmarshalUpdateVideoPublished(data json.RawMessage) (*UpdateVideoPublished, error) { + var resp UpdateVideoPublished + + err := json.Unmarshal(data, &resp) + + return &resp, err } func UnmarshalUpdateNewChat(data json.RawMessage) (*UpdateNewChat, error) { - var resp UpdateNewChat + var resp UpdateNewChat - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateChatTitle(data json.RawMessage) (*UpdateChatTitle, error) { - var resp UpdateChatTitle + var resp UpdateChatTitle - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateChatPhoto(data json.RawMessage) (*UpdateChatPhoto, error) { - var resp UpdateChatPhoto + var resp UpdateChatPhoto - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err +} + +func UnmarshalUpdateChatAccentColors(data json.RawMessage) (*UpdateChatAccentColors, error) { + var resp UpdateChatAccentColors + + err := json.Unmarshal(data, &resp) + + return &resp, err } func UnmarshalUpdateChatPermissions(data json.RawMessage) (*UpdateChatPermissions, error) { - var resp UpdateChatPermissions + var resp UpdateChatPermissions - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateChatLastMessage(data json.RawMessage) (*UpdateChatLastMessage, error) { - var resp UpdateChatLastMessage + var resp UpdateChatLastMessage - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateChatPosition(data json.RawMessage) (*UpdateChatPosition, error) { - var resp UpdateChatPosition + var resp UpdateChatPosition - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err +} + +func UnmarshalUpdateChatAddedToList(data json.RawMessage) (*UpdateChatAddedToList, error) { + var resp UpdateChatAddedToList + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpdateChatRemovedFromList(data json.RawMessage) (*UpdateChatRemovedFromList, error) { + var resp UpdateChatRemovedFromList + + err := json.Unmarshal(data, &resp) + + return &resp, err } func UnmarshalUpdateChatReadInbox(data json.RawMessage) (*UpdateChatReadInbox, error) { - var resp UpdateChatReadInbox + var resp UpdateChatReadInbox - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateChatReadOutbox(data json.RawMessage) (*UpdateChatReadOutbox, error) { - var resp UpdateChatReadOutbox + var resp UpdateChatReadOutbox - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateChatActionBar(data json.RawMessage) (*UpdateChatActionBar, error) { - var resp UpdateChatActionBar + var resp UpdateChatActionBar - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err +} + +func UnmarshalUpdateChatBusinessBotManageBar(data json.RawMessage) (*UpdateChatBusinessBotManageBar, error) { + var resp UpdateChatBusinessBotManageBar + + err := json.Unmarshal(data, &resp) + + return &resp, err } func UnmarshalUpdateChatAvailableReactions(data json.RawMessage) (*UpdateChatAvailableReactions, error) { - var resp UpdateChatAvailableReactions + var resp UpdateChatAvailableReactions - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateChatDraftMessage(data json.RawMessage) (*UpdateChatDraftMessage, error) { - var resp UpdateChatDraftMessage + var resp UpdateChatDraftMessage - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err +} + +func UnmarshalUpdateChatEmojiStatus(data json.RawMessage) (*UpdateChatEmojiStatus, error) { + var resp UpdateChatEmojiStatus + + err := json.Unmarshal(data, &resp) + + return &resp, err } func UnmarshalUpdateChatMessageSender(data json.RawMessage) (*UpdateChatMessageSender, error) { - var resp UpdateChatMessageSender + var resp UpdateChatMessageSender - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateChatMessageAutoDeleteTime(data json.RawMessage) (*UpdateChatMessageAutoDeleteTime, error) { - var resp UpdateChatMessageAutoDeleteTime + var resp UpdateChatMessageAutoDeleteTime - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateChatNotificationSettings(data json.RawMessage) (*UpdateChatNotificationSettings, error) { - var resp UpdateChatNotificationSettings + var resp UpdateChatNotificationSettings - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateChatPendingJoinRequests(data json.RawMessage) (*UpdateChatPendingJoinRequests, error) { - var resp UpdateChatPendingJoinRequests + var resp UpdateChatPendingJoinRequests - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateChatReplyMarkup(data json.RawMessage) (*UpdateChatReplyMarkup, error) { - var resp UpdateChatReplyMarkup + var resp UpdateChatReplyMarkup - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err +} + +func UnmarshalUpdateChatBackground(data json.RawMessage) (*UpdateChatBackground, error) { + var resp UpdateChatBackground + + err := json.Unmarshal(data, &resp) + + return &resp, err } func UnmarshalUpdateChatTheme(data json.RawMessage) (*UpdateChatTheme, error) { - var resp UpdateChatTheme + var resp UpdateChatTheme - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateChatUnreadMentionCount(data json.RawMessage) (*UpdateChatUnreadMentionCount, error) { - var resp UpdateChatUnreadMentionCount + var resp UpdateChatUnreadMentionCount - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateChatUnreadReactionCount(data json.RawMessage) (*UpdateChatUnreadReactionCount, error) { - var resp UpdateChatUnreadReactionCount + var resp UpdateChatUnreadReactionCount - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateChatVideoChat(data json.RawMessage) (*UpdateChatVideoChat, error) { - var resp UpdateChatVideoChat + var resp UpdateChatVideoChat - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateChatDefaultDisableNotification(data json.RawMessage) (*UpdateChatDefaultDisableNotification, error) { - var resp UpdateChatDefaultDisableNotification + var resp UpdateChatDefaultDisableNotification - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateChatHasProtectedContent(data json.RawMessage) (*UpdateChatHasProtectedContent, error) { - var resp UpdateChatHasProtectedContent + var resp UpdateChatHasProtectedContent - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateChatIsTranslatable(data json.RawMessage) (*UpdateChatIsTranslatable, error) { - var resp UpdateChatIsTranslatable + var resp UpdateChatIsTranslatable - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateChatIsMarkedAsUnread(data json.RawMessage) (*UpdateChatIsMarkedAsUnread, error) { - var resp UpdateChatIsMarkedAsUnread + var resp UpdateChatIsMarkedAsUnread - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalUpdateChatIsBlocked(data json.RawMessage) (*UpdateChatIsBlocked, error) { - var resp UpdateChatIsBlocked +func UnmarshalUpdateChatViewAsTopics(data json.RawMessage) (*UpdateChatViewAsTopics, error) { + var resp UpdateChatViewAsTopics - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err +} + +func UnmarshalUpdateChatBlockList(data json.RawMessage) (*UpdateChatBlockList, error) { + var resp UpdateChatBlockList + + err := json.Unmarshal(data, &resp) + + return &resp, err } func UnmarshalUpdateChatHasScheduledMessages(data json.RawMessage) (*UpdateChatHasScheduledMessages, error) { - var resp UpdateChatHasScheduledMessages + var resp UpdateChatHasScheduledMessages - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalUpdateChatFilters(data json.RawMessage) (*UpdateChatFilters, error) { - var resp UpdateChatFilters +func UnmarshalUpdateChatFolders(data json.RawMessage) (*UpdateChatFolders, error) { + var resp UpdateChatFolders - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateChatOnlineMemberCount(data json.RawMessage) (*UpdateChatOnlineMemberCount, error) { - var resp UpdateChatOnlineMemberCount + var resp UpdateChatOnlineMemberCount - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err +} + +func UnmarshalUpdateSavedMessagesTopic(data json.RawMessage) (*UpdateSavedMessagesTopic, error) { + var resp UpdateSavedMessagesTopic + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpdateSavedMessagesTopicCount(data json.RawMessage) (*UpdateSavedMessagesTopicCount, error) { + var resp UpdateSavedMessagesTopicCount + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpdateDirectMessagesChatTopic(data json.RawMessage) (*UpdateDirectMessagesChatTopic, error) { + var resp UpdateDirectMessagesChatTopic + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpdateTopicMessageCount(data json.RawMessage) (*UpdateTopicMessageCount, error) { + var resp UpdateTopicMessageCount + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpdateQuickReplyShortcut(data json.RawMessage) (*UpdateQuickReplyShortcut, error) { + var resp UpdateQuickReplyShortcut + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpdateQuickReplyShortcutDeleted(data json.RawMessage) (*UpdateQuickReplyShortcutDeleted, error) { + var resp UpdateQuickReplyShortcutDeleted + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpdateQuickReplyShortcuts(data json.RawMessage) (*UpdateQuickReplyShortcuts, error) { + var resp UpdateQuickReplyShortcuts + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpdateQuickReplyShortcutMessages(data json.RawMessage) (*UpdateQuickReplyShortcutMessages, error) { + var resp UpdateQuickReplyShortcutMessages + + err := json.Unmarshal(data, &resp) + + return &resp, err } func UnmarshalUpdateForumTopicInfo(data json.RawMessage) (*UpdateForumTopicInfo, error) { - var resp UpdateForumTopicInfo + var resp UpdateForumTopicInfo - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err +} + +func UnmarshalUpdateForumTopic(data json.RawMessage) (*UpdateForumTopic, error) { + var resp UpdateForumTopic + + err := json.Unmarshal(data, &resp) + + return &resp, err } func UnmarshalUpdateScopeNotificationSettings(data json.RawMessage) (*UpdateScopeNotificationSettings, error) { - var resp UpdateScopeNotificationSettings + var resp UpdateScopeNotificationSettings - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err +} + +func UnmarshalUpdateReactionNotificationSettings(data json.RawMessage) (*UpdateReactionNotificationSettings, error) { + var resp UpdateReactionNotificationSettings + + err := json.Unmarshal(data, &resp) + + return &resp, err } func UnmarshalUpdateNotification(data json.RawMessage) (*UpdateNotification, error) { - var resp UpdateNotification + var resp UpdateNotification - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateNotificationGroup(data json.RawMessage) (*UpdateNotificationGroup, error) { - var resp UpdateNotificationGroup + var resp UpdateNotificationGroup - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateActiveNotifications(data json.RawMessage) (*UpdateActiveNotifications, error) { - var resp UpdateActiveNotifications + var resp UpdateActiveNotifications - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateHavePendingNotifications(data json.RawMessage) (*UpdateHavePendingNotifications, error) { - var resp UpdateHavePendingNotifications + var resp UpdateHavePendingNotifications - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateDeleteMessages(data json.RawMessage) (*UpdateDeleteMessages, error) { - var resp UpdateDeleteMessages + var resp UpdateDeleteMessages - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateChatAction(data json.RawMessage) (*UpdateChatAction, error) { - var resp UpdateChatAction + var resp UpdateChatAction - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err +} + +func UnmarshalUpdatePendingTextMessage(data json.RawMessage) (*UpdatePendingTextMessage, error) { + var resp UpdatePendingTextMessage + + err := json.Unmarshal(data, &resp) + + return &resp, err } func UnmarshalUpdateUserStatus(data json.RawMessage) (*UpdateUserStatus, error) { - var resp UpdateUserStatus + var resp UpdateUserStatus - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateUser(data json.RawMessage) (*UpdateUser, error) { - var resp UpdateUser + var resp UpdateUser - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateBasicGroup(data json.RawMessage) (*UpdateBasicGroup, error) { - var resp UpdateBasicGroup + var resp UpdateBasicGroup - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateSupergroup(data json.RawMessage) (*UpdateSupergroup, error) { - var resp UpdateSupergroup + var resp UpdateSupergroup - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateSecretChat(data json.RawMessage) (*UpdateSecretChat, error) { - var resp UpdateSecretChat + var resp UpdateSecretChat - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateUserFullInfo(data json.RawMessage) (*UpdateUserFullInfo, error) { - var resp UpdateUserFullInfo + var resp UpdateUserFullInfo - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateBasicGroupFullInfo(data json.RawMessage) (*UpdateBasicGroupFullInfo, error) { - var resp UpdateBasicGroupFullInfo + var resp UpdateBasicGroupFullInfo - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateSupergroupFullInfo(data json.RawMessage) (*UpdateSupergroupFullInfo, error) { - var resp UpdateSupergroupFullInfo + var resp UpdateSupergroupFullInfo - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateServiceNotification(data json.RawMessage) (*UpdateServiceNotification, error) { - var resp UpdateServiceNotification + var resp UpdateServiceNotification - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateFile(data json.RawMessage) (*UpdateFile, error) { - var resp UpdateFile + var resp UpdateFile - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateFileGenerationStart(data json.RawMessage) (*UpdateFileGenerationStart, error) { - var resp UpdateFileGenerationStart + var resp UpdateFileGenerationStart - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateFileGenerationStop(data json.RawMessage) (*UpdateFileGenerationStop, error) { - var resp UpdateFileGenerationStop + var resp UpdateFileGenerationStop - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateFileDownloads(data json.RawMessage) (*UpdateFileDownloads, error) { - var resp UpdateFileDownloads + var resp UpdateFileDownloads - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateFileAddedToDownloads(data json.RawMessage) (*UpdateFileAddedToDownloads, error) { - var resp UpdateFileAddedToDownloads + var resp UpdateFileAddedToDownloads - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateFileDownload(data json.RawMessage) (*UpdateFileDownload, error) { - var resp UpdateFileDownload + var resp UpdateFileDownload - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateFileRemovedFromDownloads(data json.RawMessage) (*UpdateFileRemovedFromDownloads, error) { - var resp UpdateFileRemovedFromDownloads + var resp UpdateFileRemovedFromDownloads - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err +} + +func UnmarshalUpdateApplicationVerificationRequired(data json.RawMessage) (*UpdateApplicationVerificationRequired, error) { + var resp UpdateApplicationVerificationRequired + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpdateApplicationRecaptchaVerificationRequired(data json.RawMessage) (*UpdateApplicationRecaptchaVerificationRequired, error) { + var resp UpdateApplicationRecaptchaVerificationRequired + + err := json.Unmarshal(data, &resp) + + return &resp, err } func UnmarshalUpdateCall(data json.RawMessage) (*UpdateCall, error) { - var resp UpdateCall + var resp UpdateCall - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateGroupCall(data json.RawMessage) (*UpdateGroupCall, error) { - var resp UpdateGroupCall + var resp UpdateGroupCall - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateGroupCallParticipant(data json.RawMessage) (*UpdateGroupCallParticipant, error) { - var resp UpdateGroupCallParticipant + var resp UpdateGroupCallParticipant - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err +} + +func UnmarshalUpdateGroupCallParticipants(data json.RawMessage) (*UpdateGroupCallParticipants, error) { + var resp UpdateGroupCallParticipants + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpdateGroupCallVerificationState(data json.RawMessage) (*UpdateGroupCallVerificationState, error) { + var resp UpdateGroupCallVerificationState + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpdateNewGroupCallMessage(data json.RawMessage) (*UpdateNewGroupCallMessage, error) { + var resp UpdateNewGroupCallMessage + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpdateNewGroupCallPaidReaction(data json.RawMessage) (*UpdateNewGroupCallPaidReaction, error) { + var resp UpdateNewGroupCallPaidReaction + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpdateGroupCallMessageSendFailed(data json.RawMessage) (*UpdateGroupCallMessageSendFailed, error) { + var resp UpdateGroupCallMessageSendFailed + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpdateGroupCallMessagesDeleted(data json.RawMessage) (*UpdateGroupCallMessagesDeleted, error) { + var resp UpdateGroupCallMessagesDeleted + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpdateLiveStoryTopDonors(data json.RawMessage) (*UpdateLiveStoryTopDonors, error) { + var resp UpdateLiveStoryTopDonors + + err := json.Unmarshal(data, &resp) + + return &resp, err } func UnmarshalUpdateNewCallSignalingData(data json.RawMessage) (*UpdateNewCallSignalingData, error) { - var resp UpdateNewCallSignalingData + var resp UpdateNewCallSignalingData - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err +} + +func UnmarshalUpdateGiftAuctionState(data json.RawMessage) (*UpdateGiftAuctionState, error) { + var resp UpdateGiftAuctionState + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpdateActiveGiftAuctions(data json.RawMessage) (*UpdateActiveGiftAuctions, error) { + var resp UpdateActiveGiftAuctions + + err := json.Unmarshal(data, &resp) + + return &resp, err } func UnmarshalUpdateUserPrivacySettingRules(data json.RawMessage) (*UpdateUserPrivacySettingRules, error) { - var resp UpdateUserPrivacySettingRules + var resp UpdateUserPrivacySettingRules - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateUnreadMessageCount(data json.RawMessage) (*UpdateUnreadMessageCount, error) { - var resp UpdateUnreadMessageCount + var resp UpdateUnreadMessageCount - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateUnreadChatCount(data json.RawMessage) (*UpdateUnreadChatCount, error) { - var resp UpdateUnreadChatCount + var resp UpdateUnreadChatCount - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err +} + +func UnmarshalUpdateStory(data json.RawMessage) (*UpdateStory, error) { + var resp UpdateStory + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpdateStoryDeleted(data json.RawMessage) (*UpdateStoryDeleted, error) { + var resp UpdateStoryDeleted + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpdateStoryPostSucceeded(data json.RawMessage) (*UpdateStoryPostSucceeded, error) { + var resp UpdateStoryPostSucceeded + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpdateStoryPostFailed(data json.RawMessage) (*UpdateStoryPostFailed, error) { + var resp UpdateStoryPostFailed + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpdateChatActiveStories(data json.RawMessage) (*UpdateChatActiveStories, error) { + var resp UpdateChatActiveStories + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpdateStoryListChatCount(data json.RawMessage) (*UpdateStoryListChatCount, error) { + var resp UpdateStoryListChatCount + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpdateStoryStealthMode(data json.RawMessage) (*UpdateStoryStealthMode, error) { + var resp UpdateStoryStealthMode + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpdateTrustedMiniAppBots(data json.RawMessage) (*UpdateTrustedMiniAppBots, error) { + var resp UpdateTrustedMiniAppBots + + err := json.Unmarshal(data, &resp) + + return &resp, err } func UnmarshalUpdateOption(data json.RawMessage) (*UpdateOption, error) { - var resp UpdateOption + var resp UpdateOption - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateStickerSet(data json.RawMessage) (*UpdateStickerSet, error) { - var resp UpdateStickerSet + var resp UpdateStickerSet - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateInstalledStickerSets(data json.RawMessage) (*UpdateInstalledStickerSets, error) { - var resp UpdateInstalledStickerSets + var resp UpdateInstalledStickerSets - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateTrendingStickerSets(data json.RawMessage) (*UpdateTrendingStickerSets, error) { - var resp UpdateTrendingStickerSets + var resp UpdateTrendingStickerSets - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateRecentStickers(data json.RawMessage) (*UpdateRecentStickers, error) { - var resp UpdateRecentStickers + var resp UpdateRecentStickers - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateFavoriteStickers(data json.RawMessage) (*UpdateFavoriteStickers, error) { - var resp UpdateFavoriteStickers + var resp UpdateFavoriteStickers - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateSavedAnimations(data json.RawMessage) (*UpdateSavedAnimations, error) { - var resp UpdateSavedAnimations + var resp UpdateSavedAnimations - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateSavedNotificationSounds(data json.RawMessage) (*UpdateSavedNotificationSounds, error) { - var resp UpdateSavedNotificationSounds + var resp UpdateSavedNotificationSounds - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalUpdateSelectedBackground(data json.RawMessage) (*UpdateSelectedBackground, error) { - var resp UpdateSelectedBackground +func UnmarshalUpdateDefaultBackground(data json.RawMessage) (*UpdateDefaultBackground, error) { + var resp UpdateDefaultBackground - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalUpdateChatThemes(data json.RawMessage) (*UpdateChatThemes, error) { - var resp UpdateChatThemes +func UnmarshalUpdateEmojiChatThemes(data json.RawMessage) (*UpdateEmojiChatThemes, error) { + var resp UpdateEmojiChatThemes - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err +} + +func UnmarshalUpdateAccentColors(data json.RawMessage) (*UpdateAccentColors, error) { + var resp UpdateAccentColors + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpdateProfileAccentColors(data json.RawMessage) (*UpdateProfileAccentColors, error) { + var resp UpdateProfileAccentColors + + err := json.Unmarshal(data, &resp) + + return &resp, err } func UnmarshalUpdateLanguagePackStrings(data json.RawMessage) (*UpdateLanguagePackStrings, error) { - var resp UpdateLanguagePackStrings + var resp UpdateLanguagePackStrings - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateConnectionState(data json.RawMessage) (*UpdateConnectionState, error) { - var resp UpdateConnectionState + var resp UpdateConnectionState - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err +} + +func UnmarshalUpdateFreezeState(data json.RawMessage) (*UpdateFreezeState, error) { + var resp UpdateFreezeState + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpdateAgeVerificationParameters(data json.RawMessage) (*UpdateAgeVerificationParameters, error) { + var resp UpdateAgeVerificationParameters + + err := json.Unmarshal(data, &resp) + + return &resp, err } func UnmarshalUpdateTermsOfService(data json.RawMessage) (*UpdateTermsOfService, error) { - var resp UpdateTermsOfService + var resp UpdateTermsOfService - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalUpdateUsersNearby(data json.RawMessage) (*UpdateUsersNearby, error) { - var resp UpdateUsersNearby +func UnmarshalUpdateUnconfirmedSession(data json.RawMessage) (*UpdateUnconfirmedSession, error) { + var resp UpdateUnconfirmedSession - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateAttachmentMenuBots(data json.RawMessage) (*UpdateAttachmentMenuBots, error) { - var resp UpdateAttachmentMenuBots + var resp UpdateAttachmentMenuBots - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateWebAppMessageSent(data json.RawMessage) (*UpdateWebAppMessageSent, error) { - var resp UpdateWebAppMessageSent + var resp UpdateWebAppMessageSent - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateActiveEmojiReactions(data json.RawMessage) (*UpdateActiveEmojiReactions, error) { - var resp UpdateActiveEmojiReactions + var resp UpdateActiveEmojiReactions - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err +} + +func UnmarshalUpdateAvailableMessageEffects(data json.RawMessage) (*UpdateAvailableMessageEffects, error) { + var resp UpdateAvailableMessageEffects + + err := json.Unmarshal(data, &resp) + + return &resp, err } func UnmarshalUpdateDefaultReactionType(data json.RawMessage) (*UpdateDefaultReactionType, error) { - var resp UpdateDefaultReactionType + var resp UpdateDefaultReactionType - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err +} + +func UnmarshalUpdateDefaultPaidReactionType(data json.RawMessage) (*UpdateDefaultPaidReactionType, error) { + var resp UpdateDefaultPaidReactionType + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpdateSavedMessagesTags(data json.RawMessage) (*UpdateSavedMessagesTags, error) { + var resp UpdateSavedMessagesTags + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpdateActiveLiveLocationMessages(data json.RawMessage) (*UpdateActiveLiveLocationMessages, error) { + var resp UpdateActiveLiveLocationMessages + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpdateOwnedStarCount(data json.RawMessage) (*UpdateOwnedStarCount, error) { + var resp UpdateOwnedStarCount + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpdateOwnedTonCount(data json.RawMessage) (*UpdateOwnedTonCount, error) { + var resp UpdateOwnedTonCount + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpdateChatRevenueAmount(data json.RawMessage) (*UpdateChatRevenueAmount, error) { + var resp UpdateChatRevenueAmount + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpdateStarRevenueStatus(data json.RawMessage) (*UpdateStarRevenueStatus, error) { + var resp UpdateStarRevenueStatus + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpdateTonRevenueStatus(data json.RawMessage) (*UpdateTonRevenueStatus, error) { + var resp UpdateTonRevenueStatus + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpdateSpeechRecognitionTrial(data json.RawMessage) (*UpdateSpeechRecognitionTrial, error) { + var resp UpdateSpeechRecognitionTrial + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpdateGroupCallMessageLevels(data json.RawMessage) (*UpdateGroupCallMessageLevels, error) { + var resp UpdateGroupCallMessageLevels + + err := json.Unmarshal(data, &resp) + + return &resp, err } func UnmarshalUpdateDiceEmojis(data json.RawMessage) (*UpdateDiceEmojis, error) { - var resp UpdateDiceEmojis + var resp UpdateDiceEmojis - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err +} + +func UnmarshalUpdateStakeDiceState(data json.RawMessage) (*UpdateStakeDiceState, error) { + var resp UpdateStakeDiceState + + err := json.Unmarshal(data, &resp) + + return &resp, err } func UnmarshalUpdateAnimatedEmojiMessageClicked(data json.RawMessage) (*UpdateAnimatedEmojiMessageClicked, error) { - var resp UpdateAnimatedEmojiMessageClicked + var resp UpdateAnimatedEmojiMessageClicked - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateAnimationSearchParameters(data json.RawMessage) (*UpdateAnimationSearchParameters, error) { - var resp UpdateAnimationSearchParameters + var resp UpdateAnimationSearchParameters - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateSuggestedActions(data json.RawMessage) (*UpdateSuggestedActions, error) { - var resp UpdateSuggestedActions + var resp UpdateSuggestedActions - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } -func UnmarshalUpdateAddChatMembersPrivacyForbidden(data json.RawMessage) (*UpdateAddChatMembersPrivacyForbidden, error) { - var resp UpdateAddChatMembersPrivacyForbidden +func UnmarshalUpdateSpeedLimitNotification(data json.RawMessage) (*UpdateSpeedLimitNotification, error) { + var resp UpdateSpeedLimitNotification - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err +} + +func UnmarshalUpdateContactCloseBirthdays(data json.RawMessage) (*UpdateContactCloseBirthdays, error) { + var resp UpdateContactCloseBirthdays + + err := json.Unmarshal(data, &resp) + + return &resp, err } func UnmarshalUpdateAutosaveSettings(data json.RawMessage) (*UpdateAutosaveSettings, error) { - var resp UpdateAutosaveSettings + var resp UpdateAutosaveSettings - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err +} + +func UnmarshalUpdateBusinessConnection(data json.RawMessage) (*UpdateBusinessConnection, error) { + var resp UpdateBusinessConnection + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpdateNewBusinessMessage(data json.RawMessage) (*UpdateNewBusinessMessage, error) { + var resp UpdateNewBusinessMessage + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpdateBusinessMessageEdited(data json.RawMessage) (*UpdateBusinessMessageEdited, error) { + var resp UpdateBusinessMessageEdited + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpdateBusinessMessagesDeleted(data json.RawMessage) (*UpdateBusinessMessagesDeleted, error) { + var resp UpdateBusinessMessagesDeleted + + err := json.Unmarshal(data, &resp) + + return &resp, err } func UnmarshalUpdateNewInlineQuery(data json.RawMessage) (*UpdateNewInlineQuery, error) { - var resp UpdateNewInlineQuery + var resp UpdateNewInlineQuery - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateNewChosenInlineResult(data json.RawMessage) (*UpdateNewChosenInlineResult, error) { - var resp UpdateNewChosenInlineResult + var resp UpdateNewChosenInlineResult - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateNewCallbackQuery(data json.RawMessage) (*UpdateNewCallbackQuery, error) { - var resp UpdateNewCallbackQuery + var resp UpdateNewCallbackQuery - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateNewInlineCallbackQuery(data json.RawMessage) (*UpdateNewInlineCallbackQuery, error) { - var resp UpdateNewInlineCallbackQuery + var resp UpdateNewInlineCallbackQuery - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err +} + +func UnmarshalUpdateNewBusinessCallbackQuery(data json.RawMessage) (*UpdateNewBusinessCallbackQuery, error) { + var resp UpdateNewBusinessCallbackQuery + + err := json.Unmarshal(data, &resp) + + return &resp, err } func UnmarshalUpdateNewShippingQuery(data json.RawMessage) (*UpdateNewShippingQuery, error) { - var resp UpdateNewShippingQuery + var resp UpdateNewShippingQuery - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateNewPreCheckoutQuery(data json.RawMessage) (*UpdateNewPreCheckoutQuery, error) { - var resp UpdateNewPreCheckoutQuery + var resp UpdateNewPreCheckoutQuery - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateNewCustomEvent(data json.RawMessage) (*UpdateNewCustomEvent, error) { - var resp UpdateNewCustomEvent + var resp UpdateNewCustomEvent - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateNewCustomQuery(data json.RawMessage) (*UpdateNewCustomQuery, error) { - var resp UpdateNewCustomQuery + var resp UpdateNewCustomQuery - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdatePoll(data json.RawMessage) (*UpdatePoll, error) { - var resp UpdatePoll + var resp UpdatePoll - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdatePollAnswer(data json.RawMessage) (*UpdatePollAnswer, error) { - var resp UpdatePollAnswer + var resp UpdatePollAnswer - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateChatMember(data json.RawMessage) (*UpdateChatMember, error) { - var resp UpdateChatMember + var resp UpdateChatMember - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUpdateNewChatJoinRequest(data json.RawMessage) (*UpdateNewChatJoinRequest, error) { - var resp UpdateNewChatJoinRequest + var resp UpdateNewChatJoinRequest - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err +} + +func UnmarshalUpdateChatBoost(data json.RawMessage) (*UpdateChatBoost, error) { + var resp UpdateChatBoost + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpdateMessageReaction(data json.RawMessage) (*UpdateMessageReaction, error) { + var resp UpdateMessageReaction + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpdateMessageReactions(data json.RawMessage) (*UpdateMessageReactions, error) { + var resp UpdateMessageReactions + + err := json.Unmarshal(data, &resp) + + return &resp, err +} + +func UnmarshalUpdatePaidMediaPurchased(data json.RawMessage) (*UpdatePaidMediaPurchased, error) { + var resp UpdatePaidMediaPurchased + + err := json.Unmarshal(data, &resp) + + return &resp, err } func UnmarshalUpdates(data json.RawMessage) (*Updates, error) { - var resp Updates + var resp Updates - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalLogStreamDefault(data json.RawMessage) (*LogStreamDefault, error) { - var resp LogStreamDefault + var resp LogStreamDefault - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalLogStreamFile(data json.RawMessage) (*LogStreamFile, error) { - var resp LogStreamFile + var resp LogStreamFile - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalLogStreamEmpty(data json.RawMessage) (*LogStreamEmpty, error) { - var resp LogStreamEmpty + var resp LogStreamEmpty - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalLogVerbosityLevel(data json.RawMessage) (*LogVerbosityLevel, error) { - var resp LogVerbosityLevel + var resp LogVerbosityLevel - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalLogTags(data json.RawMessage) (*LogTags, error) { - var resp LogTags + var resp LogTags - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalUserSupportInfo(data json.RawMessage) (*UserSupportInfo, error) { - var resp UserSupportInfo + var resp UserSupportInfo - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalTestInt(data json.RawMessage) (*TestInt, error) { - var resp TestInt + var resp TestInt - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalTestString(data json.RawMessage) (*TestString, error) { - var resp TestString + var resp TestString - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalTestBytes(data json.RawMessage) (*TestBytes, error) { - var resp TestBytes + var resp TestBytes - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalTestVectorInt(data json.RawMessage) (*TestVectorInt, error) { - var resp TestVectorInt + var resp TestVectorInt - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalTestVectorIntObject(data json.RawMessage) (*TestVectorIntObject, error) { - var resp TestVectorIntObject + var resp TestVectorIntObject - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalTestVectorString(data json.RawMessage) (*TestVectorString, error) { - var resp TestVectorString + var resp TestVectorString - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalTestVectorStringObject(data json.RawMessage) (*TestVectorStringObject, error) { - var resp TestVectorStringObject + var resp TestVectorStringObject - err := json.Unmarshal(data, &resp) + err := json.Unmarshal(data, &resp) - return &resp, err + return &resp, err } func UnmarshalType(data json.RawMessage) (Type, error) { - var meta meta + var meta meta - err := json.Unmarshal(data, &meta) - if err != nil { - return nil, err - } + err := json.Unmarshal(data, &meta) + if err != nil { + return nil, err + } - switch meta.Type { - case TypeError: - return UnmarshalError(data) + switch meta.Type { + case TypeError: + return UnmarshalError(data) - case TypeOk: - return UnmarshalOk(data) + case TypeOk: + return UnmarshalOk(data) - case TypeAuthenticationCodeTypeTelegramMessage: - return UnmarshalAuthenticationCodeTypeTelegramMessage(data) + case TypeAuthenticationCodeTypeTelegramMessage: + return UnmarshalAuthenticationCodeTypeTelegramMessage(data) - case TypeAuthenticationCodeTypeSms: - return UnmarshalAuthenticationCodeTypeSms(data) + case TypeAuthenticationCodeTypeSms: + return UnmarshalAuthenticationCodeTypeSms(data) - case TypeAuthenticationCodeTypeCall: - return UnmarshalAuthenticationCodeTypeCall(data) + case TypeAuthenticationCodeTypeSmsWord: + return UnmarshalAuthenticationCodeTypeSmsWord(data) - case TypeAuthenticationCodeTypeFlashCall: - return UnmarshalAuthenticationCodeTypeFlashCall(data) + case TypeAuthenticationCodeTypeSmsPhrase: + return UnmarshalAuthenticationCodeTypeSmsPhrase(data) - case TypeAuthenticationCodeTypeMissedCall: - return UnmarshalAuthenticationCodeTypeMissedCall(data) + case TypeAuthenticationCodeTypeCall: + return UnmarshalAuthenticationCodeTypeCall(data) - case TypeAuthenticationCodeTypeFragment: - return UnmarshalAuthenticationCodeTypeFragment(data) + case TypeAuthenticationCodeTypeFlashCall: + return UnmarshalAuthenticationCodeTypeFlashCall(data) - case TypeAuthenticationCodeTypeFirebaseAndroid: - return UnmarshalAuthenticationCodeTypeFirebaseAndroid(data) + case TypeAuthenticationCodeTypeMissedCall: + return UnmarshalAuthenticationCodeTypeMissedCall(data) - case TypeAuthenticationCodeTypeFirebaseIos: - return UnmarshalAuthenticationCodeTypeFirebaseIos(data) + case TypeAuthenticationCodeTypeFragment: + return UnmarshalAuthenticationCodeTypeFragment(data) - case TypeAuthenticationCodeInfo: - return UnmarshalAuthenticationCodeInfo(data) + case TypeAuthenticationCodeTypeFirebaseAndroid: + return UnmarshalAuthenticationCodeTypeFirebaseAndroid(data) - case TypeEmailAddressAuthenticationCodeInfo: - return UnmarshalEmailAddressAuthenticationCodeInfo(data) + case TypeAuthenticationCodeTypeFirebaseIos: + return UnmarshalAuthenticationCodeTypeFirebaseIos(data) - case TypeEmailAddressAuthenticationCode: - return UnmarshalEmailAddressAuthenticationCode(data) + case TypeAuthenticationCodeInfo: + return UnmarshalAuthenticationCodeInfo(data) - case TypeEmailAddressAuthenticationAppleId: - return UnmarshalEmailAddressAuthenticationAppleId(data) + case TypeEmailAddressAuthenticationCodeInfo: + return UnmarshalEmailAddressAuthenticationCodeInfo(data) - case TypeEmailAddressAuthenticationGoogleId: - return UnmarshalEmailAddressAuthenticationGoogleId(data) + case TypeEmailAddressAuthenticationCode: + return UnmarshalEmailAddressAuthenticationCode(data) - case TypeTextEntity: - return UnmarshalTextEntity(data) + case TypeEmailAddressAuthenticationAppleId: + return UnmarshalEmailAddressAuthenticationAppleId(data) - case TypeTextEntities: - return UnmarshalTextEntities(data) + case TypeEmailAddressAuthenticationGoogleId: + return UnmarshalEmailAddressAuthenticationGoogleId(data) - case TypeFormattedText: - return UnmarshalFormattedText(data) + case TypeEmailAddressResetStateAvailable: + return UnmarshalEmailAddressResetStateAvailable(data) - case TypeTermsOfService: - return UnmarshalTermsOfService(data) + case TypeEmailAddressResetStatePending: + return UnmarshalEmailAddressResetStatePending(data) - case TypeAuthorizationStateWaitTdlibParameters: - return UnmarshalAuthorizationStateWaitTdlibParameters(data) + case TypeTextEntity: + return UnmarshalTextEntity(data) - case TypeAuthorizationStateWaitPhoneNumber: - return UnmarshalAuthorizationStateWaitPhoneNumber(data) + case TypeTextEntities: + return UnmarshalTextEntities(data) - case TypeAuthorizationStateWaitEmailAddress: - return UnmarshalAuthorizationStateWaitEmailAddress(data) + case TypeFormattedText: + return UnmarshalFormattedText(data) - case TypeAuthorizationStateWaitEmailCode: - return UnmarshalAuthorizationStateWaitEmailCode(data) + case TypeTermsOfService: + return UnmarshalTermsOfService(data) - case TypeAuthorizationStateWaitCode: - return UnmarshalAuthorizationStateWaitCode(data) + case TypePasskey: + return UnmarshalPasskey(data) - case TypeAuthorizationStateWaitOtherDeviceConfirmation: - return UnmarshalAuthorizationStateWaitOtherDeviceConfirmation(data) + case TypePasskeys: + return UnmarshalPasskeys(data) - case TypeAuthorizationStateWaitRegistration: - return UnmarshalAuthorizationStateWaitRegistration(data) + case TypeAuthorizationStateWaitTdlibParameters: + return UnmarshalAuthorizationStateWaitTdlibParameters(data) - case TypeAuthorizationStateWaitPassword: - return UnmarshalAuthorizationStateWaitPassword(data) + case TypeAuthorizationStateWaitPhoneNumber: + return UnmarshalAuthorizationStateWaitPhoneNumber(data) - case TypeAuthorizationStateReady: - return UnmarshalAuthorizationStateReady(data) + case TypeAuthorizationStateWaitPremiumPurchase: + return UnmarshalAuthorizationStateWaitPremiumPurchase(data) - case TypeAuthorizationStateLoggingOut: - return UnmarshalAuthorizationStateLoggingOut(data) + case TypeAuthorizationStateWaitEmailAddress: + return UnmarshalAuthorizationStateWaitEmailAddress(data) - case TypeAuthorizationStateClosing: - return UnmarshalAuthorizationStateClosing(data) + case TypeAuthorizationStateWaitEmailCode: + return UnmarshalAuthorizationStateWaitEmailCode(data) - case TypeAuthorizationStateClosed: - return UnmarshalAuthorizationStateClosed(data) + case TypeAuthorizationStateWaitCode: + return UnmarshalAuthorizationStateWaitCode(data) - case TypePasswordState: - return UnmarshalPasswordState(data) + case TypeAuthorizationStateWaitOtherDeviceConfirmation: + return UnmarshalAuthorizationStateWaitOtherDeviceConfirmation(data) - case TypeRecoveryEmailAddress: - return UnmarshalRecoveryEmailAddress(data) + case TypeAuthorizationStateWaitRegistration: + return UnmarshalAuthorizationStateWaitRegistration(data) - case TypeTemporaryPasswordState: - return UnmarshalTemporaryPasswordState(data) + case TypeAuthorizationStateWaitPassword: + return UnmarshalAuthorizationStateWaitPassword(data) - case TypeLocalFile: - return UnmarshalLocalFile(data) + case TypeAuthorizationStateReady: + return UnmarshalAuthorizationStateReady(data) - case TypeRemoteFile: - return UnmarshalRemoteFile(data) + case TypeAuthorizationStateLoggingOut: + return UnmarshalAuthorizationStateLoggingOut(data) - case TypeFile: - return UnmarshalFile(data) + case TypeAuthorizationStateClosing: + return UnmarshalAuthorizationStateClosing(data) - case TypeInputFileId: - return UnmarshalInputFileId(data) + case TypeAuthorizationStateClosed: + return UnmarshalAuthorizationStateClosed(data) - case TypeInputFileRemote: - return UnmarshalInputFileRemote(data) + case TypeFirebaseDeviceVerificationParametersSafetyNet: + return UnmarshalFirebaseDeviceVerificationParametersSafetyNet(data) - case TypeInputFileLocal: - return UnmarshalInputFileLocal(data) + case TypeFirebaseDeviceVerificationParametersPlayIntegrity: + return UnmarshalFirebaseDeviceVerificationParametersPlayIntegrity(data) - case TypeInputFileGenerated: - return UnmarshalInputFileGenerated(data) + case TypePasswordState: + return UnmarshalPasswordState(data) - case TypePhotoSize: - return UnmarshalPhotoSize(data) + case TypeRecoveryEmailAddress: + return UnmarshalRecoveryEmailAddress(data) - case TypeMinithumbnail: - return UnmarshalMinithumbnail(data) + case TypeTemporaryPasswordState: + return UnmarshalTemporaryPasswordState(data) - case TypeThumbnailFormatJpeg: - return UnmarshalThumbnailFormatJpeg(data) + case TypeLocalFile: + return UnmarshalLocalFile(data) - case TypeThumbnailFormatGif: - return UnmarshalThumbnailFormatGif(data) + case TypeRemoteFile: + return UnmarshalRemoteFile(data) - case TypeThumbnailFormatMpeg4: - return UnmarshalThumbnailFormatMpeg4(data) + case TypeFile: + return UnmarshalFile(data) - case TypeThumbnailFormatPng: - return UnmarshalThumbnailFormatPng(data) + case TypeInputFileId: + return UnmarshalInputFileId(data) - case TypeThumbnailFormatTgs: - return UnmarshalThumbnailFormatTgs(data) + case TypeInputFileRemote: + return UnmarshalInputFileRemote(data) - case TypeThumbnailFormatWebm: - return UnmarshalThumbnailFormatWebm(data) + case TypeInputFileLocal: + return UnmarshalInputFileLocal(data) - case TypeThumbnailFormatWebp: - return UnmarshalThumbnailFormatWebp(data) + case TypeInputFileGenerated: + return UnmarshalInputFileGenerated(data) - case TypeThumbnail: - return UnmarshalThumbnail(data) + case TypePhotoSize: + return UnmarshalPhotoSize(data) - case TypeMaskPointForehead: - return UnmarshalMaskPointForehead(data) + case TypeMinithumbnail: + return UnmarshalMinithumbnail(data) - case TypeMaskPointEyes: - return UnmarshalMaskPointEyes(data) + case TypeThumbnailFormatJpeg: + return UnmarshalThumbnailFormatJpeg(data) - case TypeMaskPointMouth: - return UnmarshalMaskPointMouth(data) + case TypeThumbnailFormatGif: + return UnmarshalThumbnailFormatGif(data) - case TypeMaskPointChin: - return UnmarshalMaskPointChin(data) + case TypeThumbnailFormatMpeg4: + return UnmarshalThumbnailFormatMpeg4(data) - case TypeMaskPosition: - return UnmarshalMaskPosition(data) + case TypeThumbnailFormatPng: + return UnmarshalThumbnailFormatPng(data) - case TypeStickerFormatWebp: - return UnmarshalStickerFormatWebp(data) + case TypeThumbnailFormatTgs: + return UnmarshalThumbnailFormatTgs(data) - case TypeStickerFormatTgs: - return UnmarshalStickerFormatTgs(data) + case TypeThumbnailFormatWebm: + return UnmarshalThumbnailFormatWebm(data) - case TypeStickerFormatWebm: - return UnmarshalStickerFormatWebm(data) + case TypeThumbnailFormatWebp: + return UnmarshalThumbnailFormatWebp(data) - case TypeStickerTypeRegular: - return UnmarshalStickerTypeRegular(data) + case TypeThumbnail: + return UnmarshalThumbnail(data) - case TypeStickerTypeMask: - return UnmarshalStickerTypeMask(data) + case TypeMaskPointForehead: + return UnmarshalMaskPointForehead(data) - case TypeStickerTypeCustomEmoji: - return UnmarshalStickerTypeCustomEmoji(data) + case TypeMaskPointEyes: + return UnmarshalMaskPointEyes(data) - case TypeStickerFullTypeRegular: - return UnmarshalStickerFullTypeRegular(data) + case TypeMaskPointMouth: + return UnmarshalMaskPointMouth(data) - case TypeStickerFullTypeMask: - return UnmarshalStickerFullTypeMask(data) + case TypeMaskPointChin: + return UnmarshalMaskPointChin(data) - case TypeStickerFullTypeCustomEmoji: - return UnmarshalStickerFullTypeCustomEmoji(data) + case TypeMaskPosition: + return UnmarshalMaskPosition(data) - case TypeClosedVectorPath: - return UnmarshalClosedVectorPath(data) + case TypeStickerFormatWebp: + return UnmarshalStickerFormatWebp(data) - case TypePollOption: - return UnmarshalPollOption(data) + case TypeStickerFormatTgs: + return UnmarshalStickerFormatTgs(data) - case TypePollTypeRegular: - return UnmarshalPollTypeRegular(data) + case TypeStickerFormatWebm: + return UnmarshalStickerFormatWebm(data) - case TypePollTypeQuiz: - return UnmarshalPollTypeQuiz(data) + case TypeStickerTypeRegular: + return UnmarshalStickerTypeRegular(data) - case TypeAnimation: - return UnmarshalAnimation(data) + case TypeStickerTypeMask: + return UnmarshalStickerTypeMask(data) - case TypeAudio: - return UnmarshalAudio(data) + case TypeStickerTypeCustomEmoji: + return UnmarshalStickerTypeCustomEmoji(data) - case TypeDocument: - return UnmarshalDocument(data) + case TypeStickerFullTypeRegular: + return UnmarshalStickerFullTypeRegular(data) - case TypePhoto: - return UnmarshalPhoto(data) + case TypeStickerFullTypeMask: + return UnmarshalStickerFullTypeMask(data) - case TypeSticker: - return UnmarshalSticker(data) + case TypeStickerFullTypeCustomEmoji: + return UnmarshalStickerFullTypeCustomEmoji(data) - case TypeVideo: - return UnmarshalVideo(data) + case TypeClosedVectorPath: + return UnmarshalClosedVectorPath(data) - case TypeVideoNote: - return UnmarshalVideoNote(data) + case TypeOutline: + return UnmarshalOutline(data) - case TypeVoiceNote: - return UnmarshalVoiceNote(data) + case TypePollOption: + return UnmarshalPollOption(data) - case TypeAnimatedEmoji: - return UnmarshalAnimatedEmoji(data) + case TypePollTypeRegular: + return UnmarshalPollTypeRegular(data) - case TypeContact: - return UnmarshalContact(data) + case TypePollTypeQuiz: + return UnmarshalPollTypeQuiz(data) - case TypeLocation: - return UnmarshalLocation(data) + case TypeChecklistTask: + return UnmarshalChecklistTask(data) - case TypeVenue: - return UnmarshalVenue(data) + case TypeInputChecklistTask: + return UnmarshalInputChecklistTask(data) - case TypeGame: - return UnmarshalGame(data) + case TypeChecklist: + return UnmarshalChecklist(data) - case TypeWebApp: - return UnmarshalWebApp(data) + case TypeInputChecklist: + return UnmarshalInputChecklist(data) - case TypePoll: - return UnmarshalPoll(data) + case TypeAnimation: + return UnmarshalAnimation(data) - case TypeProfilePhoto: - return UnmarshalProfilePhoto(data) + case TypeAudio: + return UnmarshalAudio(data) - case TypeChatPhotoInfo: - return UnmarshalChatPhotoInfo(data) + case TypeAudios: + return UnmarshalAudios(data) - case TypeUserTypeRegular: - return UnmarshalUserTypeRegular(data) + case TypeDocument: + return UnmarshalDocument(data) - case TypeUserTypeDeleted: - return UnmarshalUserTypeDeleted(data) + case TypePhoto: + return UnmarshalPhoto(data) - case TypeUserTypeBot: - return UnmarshalUserTypeBot(data) + case TypeSticker: + return UnmarshalSticker(data) - case TypeUserTypeUnknown: - return UnmarshalUserTypeUnknown(data) + case TypeVideo: + return UnmarshalVideo(data) - case TypeBotCommand: - return UnmarshalBotCommand(data) + case TypeVideoNote: + return UnmarshalVideoNote(data) - case TypeBotCommands: - return UnmarshalBotCommands(data) + case TypeVoiceNote: + return UnmarshalVoiceNote(data) - case TypeBotMenuButton: - return UnmarshalBotMenuButton(data) + case TypeAnimatedEmoji: + return UnmarshalAnimatedEmoji(data) - case TypeChatLocation: - return UnmarshalChatLocation(data) + case TypeContact: + return UnmarshalContact(data) - case TypeChatPhotoStickerTypeRegularOrMask: - return UnmarshalChatPhotoStickerTypeRegularOrMask(data) + case TypeLocation: + return UnmarshalLocation(data) - case TypeChatPhotoStickerTypeCustomEmoji: - return UnmarshalChatPhotoStickerTypeCustomEmoji(data) + case TypeVenue: + return UnmarshalVenue(data) - case TypeChatPhotoSticker: - return UnmarshalChatPhotoSticker(data) + case TypeGame: + return UnmarshalGame(data) - case TypeAnimatedChatPhoto: - return UnmarshalAnimatedChatPhoto(data) + case TypeStakeDiceState: + return UnmarshalStakeDiceState(data) - case TypeChatPhoto: - return UnmarshalChatPhoto(data) + case TypeWebApp: + return UnmarshalWebApp(data) - case TypeChatPhotos: - return UnmarshalChatPhotos(data) + case TypePoll: + return UnmarshalPoll(data) - case TypeInputChatPhotoPrevious: - return UnmarshalInputChatPhotoPrevious(data) + case TypeAlternativeVideo: + return UnmarshalAlternativeVideo(data) - case TypeInputChatPhotoStatic: - return UnmarshalInputChatPhotoStatic(data) + case TypeVideoStoryboard: + return UnmarshalVideoStoryboard(data) - case TypeInputChatPhotoAnimation: - return UnmarshalInputChatPhotoAnimation(data) + case TypeBackground: + return UnmarshalBackground(data) - case TypeInputChatPhotoSticker: - return UnmarshalInputChatPhotoSticker(data) + case TypeBackgrounds: + return UnmarshalBackgrounds(data) - case TypeChatPermissions: - return UnmarshalChatPermissions(data) + case TypeChatBackground: + return UnmarshalChatBackground(data) - case TypeChatAdministratorRights: - return UnmarshalChatAdministratorRights(data) + case TypeProfilePhoto: + return UnmarshalProfilePhoto(data) - case TypePremiumPaymentOption: - return UnmarshalPremiumPaymentOption(data) + case TypeChatPhotoInfo: + return UnmarshalChatPhotoInfo(data) - case TypePremiumStatePaymentOption: - return UnmarshalPremiumStatePaymentOption(data) + case TypeProfileTabPosts: + return UnmarshalProfileTabPosts(data) - case TypeEmojiStatus: - return UnmarshalEmojiStatus(data) + case TypeProfileTabGifts: + return UnmarshalProfileTabGifts(data) - case TypeEmojiStatuses: - return UnmarshalEmojiStatuses(data) + case TypeProfileTabMedia: + return UnmarshalProfileTabMedia(data) - case TypeUsernames: - return UnmarshalUsernames(data) + case TypeProfileTabFiles: + return UnmarshalProfileTabFiles(data) - case TypeUser: - return UnmarshalUser(data) + case TypeProfileTabLinks: + return UnmarshalProfileTabLinks(data) - case TypeBotInfo: - return UnmarshalBotInfo(data) + case TypeProfileTabMusic: + return UnmarshalProfileTabMusic(data) - case TypeUserFullInfo: - return UnmarshalUserFullInfo(data) + case TypeProfileTabVoice: + return UnmarshalProfileTabVoice(data) - case TypeUsers: - return UnmarshalUsers(data) + case TypeProfileTabGifs: + return UnmarshalProfileTabGifs(data) - case TypeChatAdministrator: - return UnmarshalChatAdministrator(data) + case TypeUserTypeRegular: + return UnmarshalUserTypeRegular(data) - case TypeChatAdministrators: - return UnmarshalChatAdministrators(data) + case TypeUserTypeDeleted: + return UnmarshalUserTypeDeleted(data) - case TypeChatMemberStatusCreator: - return UnmarshalChatMemberStatusCreator(data) + case TypeUserTypeBot: + return UnmarshalUserTypeBot(data) - case TypeChatMemberStatusAdministrator: - return UnmarshalChatMemberStatusAdministrator(data) + case TypeUserTypeUnknown: + return UnmarshalUserTypeUnknown(data) - case TypeChatMemberStatusMember: - return UnmarshalChatMemberStatusMember(data) + case TypeBotCommand: + return UnmarshalBotCommand(data) - case TypeChatMemberStatusRestricted: - return UnmarshalChatMemberStatusRestricted(data) + case TypeBotCommands: + return UnmarshalBotCommands(data) - case TypeChatMemberStatusLeft: - return UnmarshalChatMemberStatusLeft(data) + case TypeBotMenuButton: + return UnmarshalBotMenuButton(data) - case TypeChatMemberStatusBanned: - return UnmarshalChatMemberStatusBanned(data) + case TypeBotVerificationParameters: + return UnmarshalBotVerificationParameters(data) - case TypeChatMember: - return UnmarshalChatMember(data) + case TypeBotVerification: + return UnmarshalBotVerification(data) - case TypeChatMembers: - return UnmarshalChatMembers(data) + case TypeVerificationStatus: + return UnmarshalVerificationStatus(data) - case TypeChatMembersFilterContacts: - return UnmarshalChatMembersFilterContacts(data) + case TypeChatLocation: + return UnmarshalChatLocation(data) - case TypeChatMembersFilterAdministrators: - return UnmarshalChatMembersFilterAdministrators(data) + case TypeBirthdate: + return UnmarshalBirthdate(data) - case TypeChatMembersFilterMembers: - return UnmarshalChatMembersFilterMembers(data) + case TypeCloseBirthdayUser: + return UnmarshalCloseBirthdayUser(data) - case TypeChatMembersFilterMention: - return UnmarshalChatMembersFilterMention(data) + case TypeBusinessAwayMessageScheduleAlways: + return UnmarshalBusinessAwayMessageScheduleAlways(data) - case TypeChatMembersFilterRestricted: - return UnmarshalChatMembersFilterRestricted(data) + case TypeBusinessAwayMessageScheduleOutsideOfOpeningHours: + return UnmarshalBusinessAwayMessageScheduleOutsideOfOpeningHours(data) - case TypeChatMembersFilterBanned: - return UnmarshalChatMembersFilterBanned(data) + case TypeBusinessAwayMessageScheduleCustom: + return UnmarshalBusinessAwayMessageScheduleCustom(data) - case TypeChatMembersFilterBots: - return UnmarshalChatMembersFilterBots(data) + case TypeBusinessLocation: + return UnmarshalBusinessLocation(data) - case TypeSupergroupMembersFilterRecent: - return UnmarshalSupergroupMembersFilterRecent(data) + case TypeBusinessRecipients: + return UnmarshalBusinessRecipients(data) - case TypeSupergroupMembersFilterContacts: - return UnmarshalSupergroupMembersFilterContacts(data) + case TypeBusinessAwayMessageSettings: + return UnmarshalBusinessAwayMessageSettings(data) - case TypeSupergroupMembersFilterAdministrators: - return UnmarshalSupergroupMembersFilterAdministrators(data) + case TypeBusinessGreetingMessageSettings: + return UnmarshalBusinessGreetingMessageSettings(data) - case TypeSupergroupMembersFilterSearch: - return UnmarshalSupergroupMembersFilterSearch(data) + case TypeBusinessBotRights: + return UnmarshalBusinessBotRights(data) - case TypeSupergroupMembersFilterRestricted: - return UnmarshalSupergroupMembersFilterRestricted(data) + case TypeBusinessConnectedBot: + return UnmarshalBusinessConnectedBot(data) - case TypeSupergroupMembersFilterBanned: - return UnmarshalSupergroupMembersFilterBanned(data) + case TypeBusinessStartPage: + return UnmarshalBusinessStartPage(data) - case TypeSupergroupMembersFilterMention: - return UnmarshalSupergroupMembersFilterMention(data) + case TypeInputBusinessStartPage: + return UnmarshalInputBusinessStartPage(data) - case TypeSupergroupMembersFilterBots: - return UnmarshalSupergroupMembersFilterBots(data) + case TypeBusinessOpeningHoursInterval: + return UnmarshalBusinessOpeningHoursInterval(data) - case TypeChatInviteLink: - return UnmarshalChatInviteLink(data) + case TypeBusinessOpeningHours: + return UnmarshalBusinessOpeningHours(data) - case TypeChatInviteLinks: - return UnmarshalChatInviteLinks(data) + case TypeBusinessInfo: + return UnmarshalBusinessInfo(data) - case TypeChatInviteLinkCount: - return UnmarshalChatInviteLinkCount(data) + case TypeBusinessChatLink: + return UnmarshalBusinessChatLink(data) - case TypeChatInviteLinkCounts: - return UnmarshalChatInviteLinkCounts(data) + case TypeBusinessChatLinks: + return UnmarshalBusinessChatLinks(data) - case TypeChatInviteLinkMember: - return UnmarshalChatInviteLinkMember(data) + case TypeInputBusinessChatLink: + return UnmarshalInputBusinessChatLink(data) - case TypeChatInviteLinkMembers: - return UnmarshalChatInviteLinkMembers(data) + case TypeBusinessChatLinkInfo: + return UnmarshalBusinessChatLinkInfo(data) - case TypeChatInviteLinkInfo: - return UnmarshalChatInviteLinkInfo(data) + case TypeChatPhotoStickerTypeRegularOrMask: + return UnmarshalChatPhotoStickerTypeRegularOrMask(data) - case TypeChatJoinRequest: - return UnmarshalChatJoinRequest(data) + case TypeChatPhotoStickerTypeCustomEmoji: + return UnmarshalChatPhotoStickerTypeCustomEmoji(data) - case TypeChatJoinRequests: - return UnmarshalChatJoinRequests(data) + case TypeChatPhotoSticker: + return UnmarshalChatPhotoSticker(data) - case TypeChatJoinRequestsInfo: - return UnmarshalChatJoinRequestsInfo(data) + case TypeAnimatedChatPhoto: + return UnmarshalAnimatedChatPhoto(data) - case TypeBasicGroup: - return UnmarshalBasicGroup(data) + case TypeChatPhoto: + return UnmarshalChatPhoto(data) - case TypeBasicGroupFullInfo: - return UnmarshalBasicGroupFullInfo(data) + case TypeChatPhotos: + return UnmarshalChatPhotos(data) - case TypeSupergroup: - return UnmarshalSupergroup(data) + case TypeInputChatPhotoPrevious: + return UnmarshalInputChatPhotoPrevious(data) - case TypeSupergroupFullInfo: - return UnmarshalSupergroupFullInfo(data) + case TypeInputChatPhotoStatic: + return UnmarshalInputChatPhotoStatic(data) - case TypeSecretChatStatePending: - return UnmarshalSecretChatStatePending(data) + case TypeInputChatPhotoAnimation: + return UnmarshalInputChatPhotoAnimation(data) - case TypeSecretChatStateReady: - return UnmarshalSecretChatStateReady(data) + case TypeInputChatPhotoSticker: + return UnmarshalInputChatPhotoSticker(data) - case TypeSecretChatStateClosed: - return UnmarshalSecretChatStateClosed(data) + case TypeChatPermissions: + return UnmarshalChatPermissions(data) - case TypeSecretChat: - return UnmarshalSecretChat(data) + case TypeChatAdministratorRights: + return UnmarshalChatAdministratorRights(data) - case TypeMessageSenderUser: - return UnmarshalMessageSenderUser(data) + case TypeGiftResalePriceStar: + return UnmarshalGiftResalePriceStar(data) - case TypeMessageSenderChat: - return UnmarshalMessageSenderChat(data) + case TypeGiftResalePriceTon: + return UnmarshalGiftResalePriceTon(data) - case TypeMessageSenders: - return UnmarshalMessageSenders(data) + case TypeGiftPurchaseOfferStatePending: + return UnmarshalGiftPurchaseOfferStatePending(data) - case TypeChatMessageSender: - return UnmarshalChatMessageSender(data) + case TypeGiftPurchaseOfferStateAccepted: + return UnmarshalGiftPurchaseOfferStateAccepted(data) - case TypeChatMessageSenders: - return UnmarshalChatMessageSenders(data) + case TypeGiftPurchaseOfferStateRejected: + return UnmarshalGiftPurchaseOfferStateRejected(data) - case TypeMessageViewer: - return UnmarshalMessageViewer(data) + case TypeSuggestedPostPriceStar: + return UnmarshalSuggestedPostPriceStar(data) - case TypeMessageViewers: - return UnmarshalMessageViewers(data) + case TypeSuggestedPostPriceTon: + return UnmarshalSuggestedPostPriceTon(data) - case TypeMessageForwardOriginUser: - return UnmarshalMessageForwardOriginUser(data) + case TypeSuggestedPostStatePending: + return UnmarshalSuggestedPostStatePending(data) - case TypeMessageForwardOriginChat: - return UnmarshalMessageForwardOriginChat(data) + case TypeSuggestedPostStateApproved: + return UnmarshalSuggestedPostStateApproved(data) - case TypeMessageForwardOriginHiddenUser: - return UnmarshalMessageForwardOriginHiddenUser(data) + case TypeSuggestedPostStateDeclined: + return UnmarshalSuggestedPostStateDeclined(data) - case TypeMessageForwardOriginChannel: - return UnmarshalMessageForwardOriginChannel(data) + case TypeSuggestedPostInfo: + return UnmarshalSuggestedPostInfo(data) - case TypeMessageForwardOriginMessageImport: - return UnmarshalMessageForwardOriginMessageImport(data) + case TypeInputSuggestedPostInfo: + return UnmarshalInputSuggestedPostInfo(data) - case TypeReactionTypeEmoji: - return UnmarshalReactionTypeEmoji(data) + case TypeSuggestedPostRefundReasonPostDeleted: + return UnmarshalSuggestedPostRefundReasonPostDeleted(data) - case TypeReactionTypeCustomEmoji: - return UnmarshalReactionTypeCustomEmoji(data) + case TypeSuggestedPostRefundReasonPaymentRefunded: + return UnmarshalSuggestedPostRefundReasonPaymentRefunded(data) - case TypeMessageForwardInfo: - return UnmarshalMessageForwardInfo(data) + case TypeStarAmount: + return UnmarshalStarAmount(data) - case TypeMessageReplyInfo: - return UnmarshalMessageReplyInfo(data) + case TypeStarSubscriptionTypeChannel: + return UnmarshalStarSubscriptionTypeChannel(data) - case TypeMessageReaction: - return UnmarshalMessageReaction(data) + case TypeStarSubscriptionTypeBot: + return UnmarshalStarSubscriptionTypeBot(data) - case TypeMessageInteractionInfo: - return UnmarshalMessageInteractionInfo(data) + case TypeStarSubscriptionPricing: + return UnmarshalStarSubscriptionPricing(data) - case TypeUnreadReaction: - return UnmarshalUnreadReaction(data) + case TypeStarSubscription: + return UnmarshalStarSubscription(data) - case TypeMessageSendingStatePending: - return UnmarshalMessageSendingStatePending(data) + case TypeStarSubscriptions: + return UnmarshalStarSubscriptions(data) - case TypeMessageSendingStateFailed: - return UnmarshalMessageSendingStateFailed(data) + case TypeAffiliateTypeCurrentUser: + return UnmarshalAffiliateTypeCurrentUser(data) - case TypeMessage: - return UnmarshalMessage(data) + case TypeAffiliateTypeBot: + return UnmarshalAffiliateTypeBot(data) - case TypeMessages: - return UnmarshalMessages(data) + case TypeAffiliateTypeChannel: + return UnmarshalAffiliateTypeChannel(data) - case TypeFoundMessages: - return UnmarshalFoundMessages(data) + case TypeAffiliateProgramSortOrderProfitability: + return UnmarshalAffiliateProgramSortOrderProfitability(data) - case TypeFoundChatMessages: - return UnmarshalFoundChatMessages(data) + case TypeAffiliateProgramSortOrderCreationDate: + return UnmarshalAffiliateProgramSortOrderCreationDate(data) - case TypeMessagePosition: - return UnmarshalMessagePosition(data) + case TypeAffiliateProgramSortOrderRevenue: + return UnmarshalAffiliateProgramSortOrderRevenue(data) - case TypeMessagePositions: - return UnmarshalMessagePositions(data) + case TypeAffiliateProgramParameters: + return UnmarshalAffiliateProgramParameters(data) - case TypeMessageCalendarDay: - return UnmarshalMessageCalendarDay(data) + case TypeAffiliateProgramInfo: + return UnmarshalAffiliateProgramInfo(data) - case TypeMessageCalendar: - return UnmarshalMessageCalendar(data) + case TypeAffiliateInfo: + return UnmarshalAffiliateInfo(data) - case TypeMessageSourceChatHistory: - return UnmarshalMessageSourceChatHistory(data) + case TypeFoundAffiliateProgram: + return UnmarshalFoundAffiliateProgram(data) - case TypeMessageSourceMessageThreadHistory: - return UnmarshalMessageSourceMessageThreadHistory(data) + case TypeFoundAffiliatePrograms: + return UnmarshalFoundAffiliatePrograms(data) - case TypeMessageSourceForumTopicHistory: - return UnmarshalMessageSourceForumTopicHistory(data) + case TypeConnectedAffiliateProgram: + return UnmarshalConnectedAffiliateProgram(data) - case TypeMessageSourceHistoryPreview: - return UnmarshalMessageSourceHistoryPreview(data) + case TypeConnectedAffiliatePrograms: + return UnmarshalConnectedAffiliatePrograms(data) - case TypeMessageSourceChatList: - return UnmarshalMessageSourceChatList(data) + case TypeProductInfo: + return UnmarshalProductInfo(data) - case TypeMessageSourceSearch: - return UnmarshalMessageSourceSearch(data) + case TypePremiumPaymentOption: + return UnmarshalPremiumPaymentOption(data) - case TypeMessageSourceChatEventLog: - return UnmarshalMessageSourceChatEventLog(data) + case TypePremiumStatePaymentOption: + return UnmarshalPremiumStatePaymentOption(data) - case TypeMessageSourceNotification: - return UnmarshalMessageSourceNotification(data) + case TypePremiumGiftPaymentOption: + return UnmarshalPremiumGiftPaymentOption(data) - case TypeMessageSourceOther: - return UnmarshalMessageSourceOther(data) + case TypePremiumGiftPaymentOptions: + return UnmarshalPremiumGiftPaymentOptions(data) - case TypeSponsoredMessage: - return UnmarshalSponsoredMessage(data) + case TypePremiumGiveawayPaymentOption: + return UnmarshalPremiumGiveawayPaymentOption(data) - case TypeSponsoredMessages: - return UnmarshalSponsoredMessages(data) + case TypePremiumGiveawayPaymentOptions: + return UnmarshalPremiumGiveawayPaymentOptions(data) - case TypeFileDownload: - return UnmarshalFileDownload(data) + case TypePremiumGiftCodeInfo: + return UnmarshalPremiumGiftCodeInfo(data) - case TypeDownloadedFileCounts: - return UnmarshalDownloadedFileCounts(data) + case TypeStarPaymentOption: + return UnmarshalStarPaymentOption(data) - case TypeFoundFileDownloads: - return UnmarshalFoundFileDownloads(data) + case TypeStarPaymentOptions: + return UnmarshalStarPaymentOptions(data) - case TypeNotificationSettingsScopePrivateChats: - return UnmarshalNotificationSettingsScopePrivateChats(data) + case TypeStarGiveawayWinnerOption: + return UnmarshalStarGiveawayWinnerOption(data) - case TypeNotificationSettingsScopeGroupChats: - return UnmarshalNotificationSettingsScopeGroupChats(data) + case TypeStarGiveawayPaymentOption: + return UnmarshalStarGiveawayPaymentOption(data) - case TypeNotificationSettingsScopeChannelChats: - return UnmarshalNotificationSettingsScopeChannelChats(data) + case TypeStarGiveawayPaymentOptions: + return UnmarshalStarGiveawayPaymentOptions(data) - case TypeChatNotificationSettings: - return UnmarshalChatNotificationSettings(data) + case TypeAcceptedGiftTypes: + return UnmarshalAcceptedGiftTypes(data) - case TypeScopeNotificationSettings: - return UnmarshalScopeNotificationSettings(data) + case TypeGiftSettings: + return UnmarshalGiftSettings(data) - case TypeDraftMessage: - return UnmarshalDraftMessage(data) + case TypeGiftAuction: + return UnmarshalGiftAuction(data) - case TypeChatTypePrivate: - return UnmarshalChatTypePrivate(data) + case TypeGiftBackground: + return UnmarshalGiftBackground(data) - case TypeChatTypeBasicGroup: - return UnmarshalChatTypeBasicGroup(data) + case TypeGiftPurchaseLimits: + return UnmarshalGiftPurchaseLimits(data) - case TypeChatTypeSupergroup: - return UnmarshalChatTypeSupergroup(data) + case TypeGiftResaleParameters: + return UnmarshalGiftResaleParameters(data) - case TypeChatTypeSecret: - return UnmarshalChatTypeSecret(data) + case TypeGiftCollection: + return UnmarshalGiftCollection(data) - case TypeChatFilter: - return UnmarshalChatFilter(data) + case TypeGiftCollections: + return UnmarshalGiftCollections(data) - case TypeChatFilterInfo: - return UnmarshalChatFilterInfo(data) + case TypeCanSendGiftResultOk: + return UnmarshalCanSendGiftResultOk(data) - case TypeRecommendedChatFilter: - return UnmarshalRecommendedChatFilter(data) + case TypeCanSendGiftResultFail: + return UnmarshalCanSendGiftResultFail(data) - case TypeRecommendedChatFilters: - return UnmarshalRecommendedChatFilters(data) + case TypeUpgradedGiftOriginUpgrade: + return UnmarshalUpgradedGiftOriginUpgrade(data) - case TypeChatListMain: - return UnmarshalChatListMain(data) + case TypeUpgradedGiftOriginTransfer: + return UnmarshalUpgradedGiftOriginTransfer(data) - case TypeChatListArchive: - return UnmarshalChatListArchive(data) + case TypeUpgradedGiftOriginResale: + return UnmarshalUpgradedGiftOriginResale(data) - case TypeChatListFilter: - return UnmarshalChatListFilter(data) + case TypeUpgradedGiftOriginBlockchain: + return UnmarshalUpgradedGiftOriginBlockchain(data) - case TypeChatLists: - return UnmarshalChatLists(data) + case TypeUpgradedGiftOriginPrepaidUpgrade: + return UnmarshalUpgradedGiftOriginPrepaidUpgrade(data) - case TypeChatSourceMtprotoProxy: - return UnmarshalChatSourceMtprotoProxy(data) + case TypeUpgradedGiftOriginOffer: + return UnmarshalUpgradedGiftOriginOffer(data) - case TypeChatSourcePublicServiceAnnouncement: - return UnmarshalChatSourcePublicServiceAnnouncement(data) + case TypeUpgradedGiftOriginCraft: + return UnmarshalUpgradedGiftOriginCraft(data) - case TypeChatPosition: - return UnmarshalChatPosition(data) + case TypeUpgradedGiftAttributeRarityPerMille: + return UnmarshalUpgradedGiftAttributeRarityPerMille(data) - case TypeChatAvailableReactionsAll: - return UnmarshalChatAvailableReactionsAll(data) + case TypeUpgradedGiftAttributeRarityUncommon: + return UnmarshalUpgradedGiftAttributeRarityUncommon(data) - case TypeChatAvailableReactionsSome: - return UnmarshalChatAvailableReactionsSome(data) + case TypeUpgradedGiftAttributeRarityRare: + return UnmarshalUpgradedGiftAttributeRarityRare(data) - case TypeVideoChat: - return UnmarshalVideoChat(data) + case TypeUpgradedGiftAttributeRarityEpic: + return UnmarshalUpgradedGiftAttributeRarityEpic(data) - case TypeChat: - return UnmarshalChat(data) + case TypeUpgradedGiftAttributeRarityLegendary: + return UnmarshalUpgradedGiftAttributeRarityLegendary(data) - case TypeChats: - return UnmarshalChats(data) + case TypeUpgradedGiftModel: + return UnmarshalUpgradedGiftModel(data) - case TypeChatNearby: - return UnmarshalChatNearby(data) + case TypeUpgradedGiftSymbol: + return UnmarshalUpgradedGiftSymbol(data) - case TypeChatsNearby: - return UnmarshalChatsNearby(data) + case TypeUpgradedGiftBackdropColors: + return UnmarshalUpgradedGiftBackdropColors(data) - case TypePublicChatTypeHasUsername: - return UnmarshalPublicChatTypeHasUsername(data) + case TypeUpgradedGiftBackdrop: + return UnmarshalUpgradedGiftBackdrop(data) - case TypePublicChatTypeIsLocationBased: - return UnmarshalPublicChatTypeIsLocationBased(data) + case TypeUpgradedGiftOriginalDetails: + return UnmarshalUpgradedGiftOriginalDetails(data) - case TypeChatActionBarReportSpam: - return UnmarshalChatActionBarReportSpam(data) + case TypeUpgradedGiftColors: + return UnmarshalUpgradedGiftColors(data) - case TypeChatActionBarReportUnrelatedLocation: - return UnmarshalChatActionBarReportUnrelatedLocation(data) + case TypeGift: + return UnmarshalGift(data) - case TypeChatActionBarInviteMembers: - return UnmarshalChatActionBarInviteMembers(data) + case TypeUpgradedGift: + return UnmarshalUpgradedGift(data) - case TypeChatActionBarReportAddBlock: - return UnmarshalChatActionBarReportAddBlock(data) + case TypeUpgradedGiftValueInfo: + return UnmarshalUpgradedGiftValueInfo(data) - case TypeChatActionBarAddContact: - return UnmarshalChatActionBarAddContact(data) + case TypeUpgradeGiftResult: + return UnmarshalUpgradeGiftResult(data) - case TypeChatActionBarSharePhoneNumber: - return UnmarshalChatActionBarSharePhoneNumber(data) + case TypeCraftGiftResultSuccess: + return UnmarshalCraftGiftResultSuccess(data) - case TypeChatActionBarJoinRequest: - return UnmarshalChatActionBarJoinRequest(data) + case TypeCraftGiftResultTooEarly: + return UnmarshalCraftGiftResultTooEarly(data) - case TypeKeyboardButtonTypeText: - return UnmarshalKeyboardButtonTypeText(data) + case TypeCraftGiftResultInvalidGift: + return UnmarshalCraftGiftResultInvalidGift(data) - case TypeKeyboardButtonTypeRequestPhoneNumber: - return UnmarshalKeyboardButtonTypeRequestPhoneNumber(data) + case TypeCraftGiftResultFail: + return UnmarshalCraftGiftResultFail(data) - case TypeKeyboardButtonTypeRequestLocation: - return UnmarshalKeyboardButtonTypeRequestLocation(data) + case TypeAvailableGift: + return UnmarshalAvailableGift(data) - case TypeKeyboardButtonTypeRequestPoll: - return UnmarshalKeyboardButtonTypeRequestPoll(data) + case TypeAvailableGifts: + return UnmarshalAvailableGifts(data) - case TypeKeyboardButtonTypeRequestUser: - return UnmarshalKeyboardButtonTypeRequestUser(data) + case TypeGiftUpgradePrice: + return UnmarshalGiftUpgradePrice(data) - case TypeKeyboardButtonTypeRequestChat: - return UnmarshalKeyboardButtonTypeRequestChat(data) + case TypeUpgradedGiftAttributeIdModel: + return UnmarshalUpgradedGiftAttributeIdModel(data) - case TypeKeyboardButtonTypeWebApp: - return UnmarshalKeyboardButtonTypeWebApp(data) + case TypeUpgradedGiftAttributeIdSymbol: + return UnmarshalUpgradedGiftAttributeIdSymbol(data) - case TypeKeyboardButton: - return UnmarshalKeyboardButton(data) + case TypeUpgradedGiftAttributeIdBackdrop: + return UnmarshalUpgradedGiftAttributeIdBackdrop(data) - case TypeInlineKeyboardButtonTypeUrl: - return UnmarshalInlineKeyboardButtonTypeUrl(data) + case TypeUpgradedGiftModelCount: + return UnmarshalUpgradedGiftModelCount(data) - case TypeInlineKeyboardButtonTypeLoginUrl: - return UnmarshalInlineKeyboardButtonTypeLoginUrl(data) + case TypeUpgradedGiftSymbolCount: + return UnmarshalUpgradedGiftSymbolCount(data) - case TypeInlineKeyboardButtonTypeWebApp: - return UnmarshalInlineKeyboardButtonTypeWebApp(data) + case TypeUpgradedGiftBackdropCount: + return UnmarshalUpgradedGiftBackdropCount(data) - case TypeInlineKeyboardButtonTypeCallback: - return UnmarshalInlineKeyboardButtonTypeCallback(data) + case TypeGiftForResaleOrderPrice: + return UnmarshalGiftForResaleOrderPrice(data) - case TypeInlineKeyboardButtonTypeCallbackWithPassword: - return UnmarshalInlineKeyboardButtonTypeCallbackWithPassword(data) + case TypeGiftForResaleOrderPriceChangeDate: + return UnmarshalGiftForResaleOrderPriceChangeDate(data) - case TypeInlineKeyboardButtonTypeCallbackGame: - return UnmarshalInlineKeyboardButtonTypeCallbackGame(data) + case TypeGiftForResaleOrderNumber: + return UnmarshalGiftForResaleOrderNumber(data) - case TypeInlineKeyboardButtonTypeSwitchInline: - return UnmarshalInlineKeyboardButtonTypeSwitchInline(data) + case TypeGiftForResale: + return UnmarshalGiftForResale(data) - case TypeInlineKeyboardButtonTypeBuy: - return UnmarshalInlineKeyboardButtonTypeBuy(data) + case TypeGiftsForResale: + return UnmarshalGiftsForResale(data) - case TypeInlineKeyboardButtonTypeUser: - return UnmarshalInlineKeyboardButtonTypeUser(data) + case TypeGiftResaleResultOk: + return UnmarshalGiftResaleResultOk(data) - case TypeInlineKeyboardButton: - return UnmarshalInlineKeyboardButton(data) + case TypeGiftResaleResultPriceIncreased: + return UnmarshalGiftResaleResultPriceIncreased(data) - case TypeReplyMarkupRemoveKeyboard: - return UnmarshalReplyMarkupRemoveKeyboard(data) + case TypeSentGiftRegular: + return UnmarshalSentGiftRegular(data) - case TypeReplyMarkupForceReply: - return UnmarshalReplyMarkupForceReply(data) + case TypeSentGiftUpgraded: + return UnmarshalSentGiftUpgraded(data) - case TypeReplyMarkupShowKeyboard: - return UnmarshalReplyMarkupShowKeyboard(data) + case TypeReceivedGift: + return UnmarshalReceivedGift(data) - case TypeReplyMarkupInlineKeyboard: - return UnmarshalReplyMarkupInlineKeyboard(data) + case TypeReceivedGifts: + return UnmarshalReceivedGifts(data) - case TypeLoginUrlInfoOpen: - return UnmarshalLoginUrlInfoOpen(data) + case TypeAttributeCraftPersistenceProbability: + return UnmarshalAttributeCraftPersistenceProbability(data) - case TypeLoginUrlInfoRequestConfirmation: - return UnmarshalLoginUrlInfoRequestConfirmation(data) + case TypeGiftsForCrafting: + return UnmarshalGiftsForCrafting(data) - case TypeFoundWebApp: - return UnmarshalFoundWebApp(data) + case TypeGiftUpgradePreview: + return UnmarshalGiftUpgradePreview(data) - case TypeWebAppInfo: - return UnmarshalWebAppInfo(data) + case TypeGiftUpgradeVariants: + return UnmarshalGiftUpgradeVariants(data) - case TypeMessageThreadInfo: - return UnmarshalMessageThreadInfo(data) + case TypeAuctionBid: + return UnmarshalAuctionBid(data) - case TypeForumTopicIcon: - return UnmarshalForumTopicIcon(data) + case TypeUserAuctionBid: + return UnmarshalUserAuctionBid(data) - case TypeForumTopicInfo: - return UnmarshalForumTopicInfo(data) + case TypeAuctionRound: + return UnmarshalAuctionRound(data) - case TypeForumTopic: - return UnmarshalForumTopic(data) + case TypeAuctionStateActive: + return UnmarshalAuctionStateActive(data) - case TypeForumTopics: - return UnmarshalForumTopics(data) + case TypeAuctionStateFinished: + return UnmarshalAuctionStateFinished(data) - case TypeRichTextPlain: - return UnmarshalRichTextPlain(data) + case TypeGiftAuctionState: + return UnmarshalGiftAuctionState(data) - case TypeRichTextBold: - return UnmarshalRichTextBold(data) + case TypeGiftAuctionAcquiredGift: + return UnmarshalGiftAuctionAcquiredGift(data) - case TypeRichTextItalic: - return UnmarshalRichTextItalic(data) + case TypeGiftAuctionAcquiredGifts: + return UnmarshalGiftAuctionAcquiredGifts(data) - case TypeRichTextUnderline: - return UnmarshalRichTextUnderline(data) + case TypeTransactionDirectionIncoming: + return UnmarshalTransactionDirectionIncoming(data) - case TypeRichTextStrikethrough: - return UnmarshalRichTextStrikethrough(data) + case TypeTransactionDirectionOutgoing: + return UnmarshalTransactionDirectionOutgoing(data) - case TypeRichTextFixed: - return UnmarshalRichTextFixed(data) + case TypeStarTransactionTypePremiumBotDeposit: + return UnmarshalStarTransactionTypePremiumBotDeposit(data) - case TypeRichTextUrl: - return UnmarshalRichTextUrl(data) + case TypeStarTransactionTypeAppStoreDeposit: + return UnmarshalStarTransactionTypeAppStoreDeposit(data) - case TypeRichTextEmailAddress: - return UnmarshalRichTextEmailAddress(data) + case TypeStarTransactionTypeGooglePlayDeposit: + return UnmarshalStarTransactionTypeGooglePlayDeposit(data) - case TypeRichTextSubscript: - return UnmarshalRichTextSubscript(data) + case TypeStarTransactionTypeFragmentDeposit: + return UnmarshalStarTransactionTypeFragmentDeposit(data) - case TypeRichTextSuperscript: - return UnmarshalRichTextSuperscript(data) + case TypeStarTransactionTypeUserDeposit: + return UnmarshalStarTransactionTypeUserDeposit(data) - case TypeRichTextMarked: - return UnmarshalRichTextMarked(data) + case TypeStarTransactionTypeGiveawayDeposit: + return UnmarshalStarTransactionTypeGiveawayDeposit(data) - case TypeRichTextPhoneNumber: - return UnmarshalRichTextPhoneNumber(data) + case TypeStarTransactionTypeFragmentWithdrawal: + return UnmarshalStarTransactionTypeFragmentWithdrawal(data) - case TypeRichTextIcon: - return UnmarshalRichTextIcon(data) + case TypeStarTransactionTypeTelegramAdsWithdrawal: + return UnmarshalStarTransactionTypeTelegramAdsWithdrawal(data) - case TypeRichTextReference: - return UnmarshalRichTextReference(data) + case TypeStarTransactionTypeTelegramApiUsage: + return UnmarshalStarTransactionTypeTelegramApiUsage(data) - case TypeRichTextAnchor: - return UnmarshalRichTextAnchor(data) + case TypeStarTransactionTypeBotPaidMediaPurchase: + return UnmarshalStarTransactionTypeBotPaidMediaPurchase(data) - case TypeRichTextAnchorLink: - return UnmarshalRichTextAnchorLink(data) + case TypeStarTransactionTypeBotPaidMediaSale: + return UnmarshalStarTransactionTypeBotPaidMediaSale(data) - case TypeRichTexts: - return UnmarshalRichTexts(data) + case TypeStarTransactionTypeChannelPaidMediaPurchase: + return UnmarshalStarTransactionTypeChannelPaidMediaPurchase(data) - case TypePageBlockCaption: - return UnmarshalPageBlockCaption(data) + case TypeStarTransactionTypeChannelPaidMediaSale: + return UnmarshalStarTransactionTypeChannelPaidMediaSale(data) - case TypePageBlockListItem: - return UnmarshalPageBlockListItem(data) + case TypeStarTransactionTypeBotInvoicePurchase: + return UnmarshalStarTransactionTypeBotInvoicePurchase(data) - case TypePageBlockHorizontalAlignmentLeft: - return UnmarshalPageBlockHorizontalAlignmentLeft(data) + case TypeStarTransactionTypeBotInvoiceSale: + return UnmarshalStarTransactionTypeBotInvoiceSale(data) - case TypePageBlockHorizontalAlignmentCenter: - return UnmarshalPageBlockHorizontalAlignmentCenter(data) + case TypeStarTransactionTypeBotSubscriptionPurchase: + return UnmarshalStarTransactionTypeBotSubscriptionPurchase(data) - case TypePageBlockHorizontalAlignmentRight: - return UnmarshalPageBlockHorizontalAlignmentRight(data) + case TypeStarTransactionTypeBotSubscriptionSale: + return UnmarshalStarTransactionTypeBotSubscriptionSale(data) - case TypePageBlockVerticalAlignmentTop: - return UnmarshalPageBlockVerticalAlignmentTop(data) + case TypeStarTransactionTypeChannelSubscriptionPurchase: + return UnmarshalStarTransactionTypeChannelSubscriptionPurchase(data) - case TypePageBlockVerticalAlignmentMiddle: - return UnmarshalPageBlockVerticalAlignmentMiddle(data) + case TypeStarTransactionTypeChannelSubscriptionSale: + return UnmarshalStarTransactionTypeChannelSubscriptionSale(data) - case TypePageBlockVerticalAlignmentBottom: - return UnmarshalPageBlockVerticalAlignmentBottom(data) + case TypeStarTransactionTypeGiftAuctionBid: + return UnmarshalStarTransactionTypeGiftAuctionBid(data) - case TypePageBlockTableCell: - return UnmarshalPageBlockTableCell(data) + case TypeStarTransactionTypeGiftPurchase: + return UnmarshalStarTransactionTypeGiftPurchase(data) - case TypePageBlockRelatedArticle: - return UnmarshalPageBlockRelatedArticle(data) + case TypeStarTransactionTypeGiftPurchaseOffer: + return UnmarshalStarTransactionTypeGiftPurchaseOffer(data) - case TypePageBlockTitle: - return UnmarshalPageBlockTitle(data) + case TypeStarTransactionTypeGiftTransfer: + return UnmarshalStarTransactionTypeGiftTransfer(data) - case TypePageBlockSubtitle: - return UnmarshalPageBlockSubtitle(data) + case TypeStarTransactionTypeGiftOriginalDetailsDrop: + return UnmarshalStarTransactionTypeGiftOriginalDetailsDrop(data) - case TypePageBlockAuthorDate: - return UnmarshalPageBlockAuthorDate(data) + case TypeStarTransactionTypeGiftSale: + return UnmarshalStarTransactionTypeGiftSale(data) - case TypePageBlockHeader: - return UnmarshalPageBlockHeader(data) + case TypeStarTransactionTypeGiftUpgrade: + return UnmarshalStarTransactionTypeGiftUpgrade(data) - case TypePageBlockSubheader: - return UnmarshalPageBlockSubheader(data) + case TypeStarTransactionTypeGiftUpgradePurchase: + return UnmarshalStarTransactionTypeGiftUpgradePurchase(data) - case TypePageBlockKicker: - return UnmarshalPageBlockKicker(data) + case TypeStarTransactionTypeUpgradedGiftPurchase: + return UnmarshalStarTransactionTypeUpgradedGiftPurchase(data) - case TypePageBlockParagraph: - return UnmarshalPageBlockParagraph(data) + case TypeStarTransactionTypeUpgradedGiftSale: + return UnmarshalStarTransactionTypeUpgradedGiftSale(data) - case TypePageBlockPreformatted: - return UnmarshalPageBlockPreformatted(data) + case TypeStarTransactionTypeChannelPaidReactionSend: + return UnmarshalStarTransactionTypeChannelPaidReactionSend(data) - case TypePageBlockFooter: - return UnmarshalPageBlockFooter(data) + case TypeStarTransactionTypeChannelPaidReactionReceive: + return UnmarshalStarTransactionTypeChannelPaidReactionReceive(data) - case TypePageBlockDivider: - return UnmarshalPageBlockDivider(data) + case TypeStarTransactionTypeAffiliateProgramCommission: + return UnmarshalStarTransactionTypeAffiliateProgramCommission(data) - case TypePageBlockAnchor: - return UnmarshalPageBlockAnchor(data) + case TypeStarTransactionTypePaidMessageSend: + return UnmarshalStarTransactionTypePaidMessageSend(data) - case TypePageBlockList: - return UnmarshalPageBlockList(data) + case TypeStarTransactionTypePaidMessageReceive: + return UnmarshalStarTransactionTypePaidMessageReceive(data) - case TypePageBlockBlockQuote: - return UnmarshalPageBlockBlockQuote(data) + case TypeStarTransactionTypePaidGroupCallMessageSend: + return UnmarshalStarTransactionTypePaidGroupCallMessageSend(data) - case TypePageBlockPullQuote: - return UnmarshalPageBlockPullQuote(data) + case TypeStarTransactionTypePaidGroupCallMessageReceive: + return UnmarshalStarTransactionTypePaidGroupCallMessageReceive(data) - case TypePageBlockAnimation: - return UnmarshalPageBlockAnimation(data) + case TypeStarTransactionTypePaidGroupCallReactionSend: + return UnmarshalStarTransactionTypePaidGroupCallReactionSend(data) - case TypePageBlockAudio: - return UnmarshalPageBlockAudio(data) + case TypeStarTransactionTypePaidGroupCallReactionReceive: + return UnmarshalStarTransactionTypePaidGroupCallReactionReceive(data) - case TypePageBlockPhoto: - return UnmarshalPageBlockPhoto(data) + case TypeStarTransactionTypeSuggestedPostPaymentSend: + return UnmarshalStarTransactionTypeSuggestedPostPaymentSend(data) - case TypePageBlockVideo: - return UnmarshalPageBlockVideo(data) + case TypeStarTransactionTypeSuggestedPostPaymentReceive: + return UnmarshalStarTransactionTypeSuggestedPostPaymentReceive(data) - case TypePageBlockVoiceNote: - return UnmarshalPageBlockVoiceNote(data) + case TypeStarTransactionTypePremiumPurchase: + return UnmarshalStarTransactionTypePremiumPurchase(data) - case TypePageBlockCover: - return UnmarshalPageBlockCover(data) + case TypeStarTransactionTypeBusinessBotTransferSend: + return UnmarshalStarTransactionTypeBusinessBotTransferSend(data) - case TypePageBlockEmbedded: - return UnmarshalPageBlockEmbedded(data) + case TypeStarTransactionTypeBusinessBotTransferReceive: + return UnmarshalStarTransactionTypeBusinessBotTransferReceive(data) - case TypePageBlockEmbeddedPost: - return UnmarshalPageBlockEmbeddedPost(data) + case TypeStarTransactionTypePublicPostSearch: + return UnmarshalStarTransactionTypePublicPostSearch(data) - case TypePageBlockCollage: - return UnmarshalPageBlockCollage(data) + case TypeStarTransactionTypeUnsupported: + return UnmarshalStarTransactionTypeUnsupported(data) - case TypePageBlockSlideshow: - return UnmarshalPageBlockSlideshow(data) + case TypeStarTransaction: + return UnmarshalStarTransaction(data) - case TypePageBlockChatLink: - return UnmarshalPageBlockChatLink(data) + case TypeStarTransactions: + return UnmarshalStarTransactions(data) - case TypePageBlockTable: - return UnmarshalPageBlockTable(data) + case TypeTonTransactionTypeFragmentDeposit: + return UnmarshalTonTransactionTypeFragmentDeposit(data) - case TypePageBlockDetails: - return UnmarshalPageBlockDetails(data) + case TypeTonTransactionTypeFragmentWithdrawal: + return UnmarshalTonTransactionTypeFragmentWithdrawal(data) - case TypePageBlockRelatedArticles: - return UnmarshalPageBlockRelatedArticles(data) + case TypeTonTransactionTypeSuggestedPostPayment: + return UnmarshalTonTransactionTypeSuggestedPostPayment(data) - case TypePageBlockMap: - return UnmarshalPageBlockMap(data) + case TypeTonTransactionTypeGiftPurchaseOffer: + return UnmarshalTonTransactionTypeGiftPurchaseOffer(data) - case TypeWebPageInstantView: - return UnmarshalWebPageInstantView(data) + case TypeTonTransactionTypeUpgradedGiftPurchase: + return UnmarshalTonTransactionTypeUpgradedGiftPurchase(data) - case TypeWebPage: - return UnmarshalWebPage(data) + case TypeTonTransactionTypeUpgradedGiftSale: + return UnmarshalTonTransactionTypeUpgradedGiftSale(data) - case TypeCountryInfo: - return UnmarshalCountryInfo(data) + case TypeTonTransactionTypeStakeDiceStake: + return UnmarshalTonTransactionTypeStakeDiceStake(data) - case TypeCountries: - return UnmarshalCountries(data) + case TypeTonTransactionTypeStakeDicePayout: + return UnmarshalTonTransactionTypeStakeDicePayout(data) - case TypePhoneNumberInfo: - return UnmarshalPhoneNumberInfo(data) + case TypeTonTransactionTypeUnsupported: + return UnmarshalTonTransactionTypeUnsupported(data) - case TypeBankCardActionOpenUrl: - return UnmarshalBankCardActionOpenUrl(data) + case TypeTonTransaction: + return UnmarshalTonTransaction(data) - case TypeBankCardInfo: - return UnmarshalBankCardInfo(data) + case TypeTonTransactions: + return UnmarshalTonTransactions(data) - case TypeAddress: - return UnmarshalAddress(data) + case TypeActiveStoryStateLive: + return UnmarshalActiveStoryStateLive(data) - case TypeThemeParameters: - return UnmarshalThemeParameters(data) + case TypeActiveStoryStateUnread: + return UnmarshalActiveStoryStateUnread(data) - case TypeLabeledPricePart: - return UnmarshalLabeledPricePart(data) + case TypeActiveStoryStateRead: + return UnmarshalActiveStoryStateRead(data) - case TypeInvoice: - return UnmarshalInvoice(data) + case TypeGiveawayParticipantStatusEligible: + return UnmarshalGiveawayParticipantStatusEligible(data) - case TypeOrderInfo: - return UnmarshalOrderInfo(data) + case TypeGiveawayParticipantStatusParticipating: + return UnmarshalGiveawayParticipantStatusParticipating(data) - case TypeShippingOption: - return UnmarshalShippingOption(data) + case TypeGiveawayParticipantStatusAlreadyWasMember: + return UnmarshalGiveawayParticipantStatusAlreadyWasMember(data) - case TypeSavedCredentials: - return UnmarshalSavedCredentials(data) + case TypeGiveawayParticipantStatusAdministrator: + return UnmarshalGiveawayParticipantStatusAdministrator(data) - case TypeInputCredentialsSaved: - return UnmarshalInputCredentialsSaved(data) + case TypeGiveawayParticipantStatusDisallowedCountry: + return UnmarshalGiveawayParticipantStatusDisallowedCountry(data) - case TypeInputCredentialsNew: - return UnmarshalInputCredentialsNew(data) + case TypeGiveawayInfoOngoing: + return UnmarshalGiveawayInfoOngoing(data) - case TypeInputCredentialsApplePay: - return UnmarshalInputCredentialsApplePay(data) + case TypeGiveawayInfoCompleted: + return UnmarshalGiveawayInfoCompleted(data) - case TypeInputCredentialsGooglePay: - return UnmarshalInputCredentialsGooglePay(data) + case TypeGiveawayPrizePremium: + return UnmarshalGiveawayPrizePremium(data) - case TypePaymentProviderSmartGlocal: - return UnmarshalPaymentProviderSmartGlocal(data) + case TypeGiveawayPrizeStars: + return UnmarshalGiveawayPrizeStars(data) - case TypePaymentProviderStripe: - return UnmarshalPaymentProviderStripe(data) + case TypeAccentColor: + return UnmarshalAccentColor(data) - case TypePaymentProviderOther: - return UnmarshalPaymentProviderOther(data) + case TypeProfileAccentColors: + return UnmarshalProfileAccentColors(data) - case TypePaymentOption: - return UnmarshalPaymentOption(data) + case TypeProfileAccentColor: + return UnmarshalProfileAccentColor(data) - case TypePaymentForm: - return UnmarshalPaymentForm(data) + case TypeUserRating: + return UnmarshalUserRating(data) - case TypeValidatedOrderInfo: - return UnmarshalValidatedOrderInfo(data) + case TypeRestrictionInfo: + return UnmarshalRestrictionInfo(data) - case TypePaymentResult: - return UnmarshalPaymentResult(data) + case TypeEmojiStatusTypeCustomEmoji: + return UnmarshalEmojiStatusTypeCustomEmoji(data) - case TypePaymentReceipt: - return UnmarshalPaymentReceipt(data) + case TypeEmojiStatusTypeUpgradedGift: + return UnmarshalEmojiStatusTypeUpgradedGift(data) - case TypeInputInvoiceMessage: - return UnmarshalInputInvoiceMessage(data) + case TypeEmojiStatus: + return UnmarshalEmojiStatus(data) - case TypeInputInvoiceName: - return UnmarshalInputInvoiceName(data) + case TypeEmojiStatuses: + return UnmarshalEmojiStatuses(data) - case TypeMessageExtendedMediaPreview: - return UnmarshalMessageExtendedMediaPreview(data) + case TypeEmojiStatusCustomEmojis: + return UnmarshalEmojiStatusCustomEmojis(data) - case TypeMessageExtendedMediaPhoto: - return UnmarshalMessageExtendedMediaPhoto(data) + case TypeUsernames: + return UnmarshalUsernames(data) - case TypeMessageExtendedMediaVideo: - return UnmarshalMessageExtendedMediaVideo(data) + case TypeUser: + return UnmarshalUser(data) - case TypeMessageExtendedMediaUnsupported: - return UnmarshalMessageExtendedMediaUnsupported(data) + case TypeBotInfo: + return UnmarshalBotInfo(data) - case TypeDatedFile: - return UnmarshalDatedFile(data) + case TypeUserFullInfo: + return UnmarshalUserFullInfo(data) - case TypePassportElementTypePersonalDetails: - return UnmarshalPassportElementTypePersonalDetails(data) + case TypeUsers: + return UnmarshalUsers(data) - case TypePassportElementTypePassport: - return UnmarshalPassportElementTypePassport(data) + case TypeFoundUsers: + return UnmarshalFoundUsers(data) - case TypePassportElementTypeDriverLicense: - return UnmarshalPassportElementTypeDriverLicense(data) + case TypeChatAdministrator: + return UnmarshalChatAdministrator(data) - case TypePassportElementTypeIdentityCard: - return UnmarshalPassportElementTypeIdentityCard(data) + case TypeChatAdministrators: + return UnmarshalChatAdministrators(data) - case TypePassportElementTypeInternalPassport: - return UnmarshalPassportElementTypeInternalPassport(data) + case TypeChatMemberStatusCreator: + return UnmarshalChatMemberStatusCreator(data) - case TypePassportElementTypeAddress: - return UnmarshalPassportElementTypeAddress(data) + case TypeChatMemberStatusAdministrator: + return UnmarshalChatMemberStatusAdministrator(data) - case TypePassportElementTypeUtilityBill: - return UnmarshalPassportElementTypeUtilityBill(data) + case TypeChatMemberStatusMember: + return UnmarshalChatMemberStatusMember(data) - case TypePassportElementTypeBankStatement: - return UnmarshalPassportElementTypeBankStatement(data) + case TypeChatMemberStatusRestricted: + return UnmarshalChatMemberStatusRestricted(data) - case TypePassportElementTypeRentalAgreement: - return UnmarshalPassportElementTypeRentalAgreement(data) + case TypeChatMemberStatusLeft: + return UnmarshalChatMemberStatusLeft(data) - case TypePassportElementTypePassportRegistration: - return UnmarshalPassportElementTypePassportRegistration(data) + case TypeChatMemberStatusBanned: + return UnmarshalChatMemberStatusBanned(data) - case TypePassportElementTypeTemporaryRegistration: - return UnmarshalPassportElementTypeTemporaryRegistration(data) + case TypeChatMember: + return UnmarshalChatMember(data) - case TypePassportElementTypePhoneNumber: - return UnmarshalPassportElementTypePhoneNumber(data) + case TypeChatMembers: + return UnmarshalChatMembers(data) - case TypePassportElementTypeEmailAddress: - return UnmarshalPassportElementTypeEmailAddress(data) + case TypeChatMembersFilterContacts: + return UnmarshalChatMembersFilterContacts(data) - case TypeDate: - return UnmarshalDate(data) + case TypeChatMembersFilterAdministrators: + return UnmarshalChatMembersFilterAdministrators(data) - case TypePersonalDetails: - return UnmarshalPersonalDetails(data) + case TypeChatMembersFilterMembers: + return UnmarshalChatMembersFilterMembers(data) - case TypeIdentityDocument: - return UnmarshalIdentityDocument(data) + case TypeChatMembersFilterMention: + return UnmarshalChatMembersFilterMention(data) - case TypeInputIdentityDocument: - return UnmarshalInputIdentityDocument(data) + case TypeChatMembersFilterRestricted: + return UnmarshalChatMembersFilterRestricted(data) - case TypePersonalDocument: - return UnmarshalPersonalDocument(data) + case TypeChatMembersFilterBanned: + return UnmarshalChatMembersFilterBanned(data) - case TypeInputPersonalDocument: - return UnmarshalInputPersonalDocument(data) + case TypeChatMembersFilterBots: + return UnmarshalChatMembersFilterBots(data) - case TypePassportElementPersonalDetails: - return UnmarshalPassportElementPersonalDetails(data) + case TypeSupergroupMembersFilterRecent: + return UnmarshalSupergroupMembersFilterRecent(data) - case TypePassportElementPassport: - return UnmarshalPassportElementPassport(data) + case TypeSupergroupMembersFilterContacts: + return UnmarshalSupergroupMembersFilterContacts(data) - case TypePassportElementDriverLicense: - return UnmarshalPassportElementDriverLicense(data) + case TypeSupergroupMembersFilterAdministrators: + return UnmarshalSupergroupMembersFilterAdministrators(data) - case TypePassportElementIdentityCard: - return UnmarshalPassportElementIdentityCard(data) + case TypeSupergroupMembersFilterSearch: + return UnmarshalSupergroupMembersFilterSearch(data) - case TypePassportElementInternalPassport: - return UnmarshalPassportElementInternalPassport(data) + case TypeSupergroupMembersFilterRestricted: + return UnmarshalSupergroupMembersFilterRestricted(data) - case TypePassportElementAddress: - return UnmarshalPassportElementAddress(data) + case TypeSupergroupMembersFilterBanned: + return UnmarshalSupergroupMembersFilterBanned(data) - case TypePassportElementUtilityBill: - return UnmarshalPassportElementUtilityBill(data) + case TypeSupergroupMembersFilterMention: + return UnmarshalSupergroupMembersFilterMention(data) - case TypePassportElementBankStatement: - return UnmarshalPassportElementBankStatement(data) + case TypeSupergroupMembersFilterBots: + return UnmarshalSupergroupMembersFilterBots(data) - case TypePassportElementRentalAgreement: - return UnmarshalPassportElementRentalAgreement(data) + case TypeChatInviteLink: + return UnmarshalChatInviteLink(data) - case TypePassportElementPassportRegistration: - return UnmarshalPassportElementPassportRegistration(data) + case TypeChatInviteLinks: + return UnmarshalChatInviteLinks(data) - case TypePassportElementTemporaryRegistration: - return UnmarshalPassportElementTemporaryRegistration(data) + case TypeChatInviteLinkCount: + return UnmarshalChatInviteLinkCount(data) - case TypePassportElementPhoneNumber: - return UnmarshalPassportElementPhoneNumber(data) + case TypeChatInviteLinkCounts: + return UnmarshalChatInviteLinkCounts(data) - case TypePassportElementEmailAddress: - return UnmarshalPassportElementEmailAddress(data) + case TypeChatInviteLinkMember: + return UnmarshalChatInviteLinkMember(data) - case TypeInputPassportElementPersonalDetails: - return UnmarshalInputPassportElementPersonalDetails(data) + case TypeChatInviteLinkMembers: + return UnmarshalChatInviteLinkMembers(data) - case TypeInputPassportElementPassport: - return UnmarshalInputPassportElementPassport(data) + case TypeInviteLinkChatTypeBasicGroup: + return UnmarshalInviteLinkChatTypeBasicGroup(data) - case TypeInputPassportElementDriverLicense: - return UnmarshalInputPassportElementDriverLicense(data) + case TypeInviteLinkChatTypeSupergroup: + return UnmarshalInviteLinkChatTypeSupergroup(data) - case TypeInputPassportElementIdentityCard: - return UnmarshalInputPassportElementIdentityCard(data) + case TypeInviteLinkChatTypeChannel: + return UnmarshalInviteLinkChatTypeChannel(data) - case TypeInputPassportElementInternalPassport: - return UnmarshalInputPassportElementInternalPassport(data) + case TypeChatInviteLinkSubscriptionInfo: + return UnmarshalChatInviteLinkSubscriptionInfo(data) - case TypeInputPassportElementAddress: - return UnmarshalInputPassportElementAddress(data) + case TypeChatInviteLinkInfo: + return UnmarshalChatInviteLinkInfo(data) - case TypeInputPassportElementUtilityBill: - return UnmarshalInputPassportElementUtilityBill(data) + case TypeChatJoinRequest: + return UnmarshalChatJoinRequest(data) - case TypeInputPassportElementBankStatement: - return UnmarshalInputPassportElementBankStatement(data) + case TypeChatJoinRequests: + return UnmarshalChatJoinRequests(data) - case TypeInputPassportElementRentalAgreement: - return UnmarshalInputPassportElementRentalAgreement(data) + case TypeChatJoinRequestsInfo: + return UnmarshalChatJoinRequestsInfo(data) - case TypeInputPassportElementPassportRegistration: - return UnmarshalInputPassportElementPassportRegistration(data) + case TypeBasicGroup: + return UnmarshalBasicGroup(data) - case TypeInputPassportElementTemporaryRegistration: - return UnmarshalInputPassportElementTemporaryRegistration(data) + case TypeBasicGroupFullInfo: + return UnmarshalBasicGroupFullInfo(data) - case TypeInputPassportElementPhoneNumber: - return UnmarshalInputPassportElementPhoneNumber(data) + case TypeSupergroup: + return UnmarshalSupergroup(data) - case TypeInputPassportElementEmailAddress: - return UnmarshalInputPassportElementEmailAddress(data) + case TypeSupergroupFullInfo: + return UnmarshalSupergroupFullInfo(data) - case TypePassportElements: - return UnmarshalPassportElements(data) + case TypeSecretChatStatePending: + return UnmarshalSecretChatStatePending(data) - case TypePassportElementErrorSourceUnspecified: - return UnmarshalPassportElementErrorSourceUnspecified(data) + case TypeSecretChatStateReady: + return UnmarshalSecretChatStateReady(data) - case TypePassportElementErrorSourceDataField: - return UnmarshalPassportElementErrorSourceDataField(data) + case TypeSecretChatStateClosed: + return UnmarshalSecretChatStateClosed(data) - case TypePassportElementErrorSourceFrontSide: - return UnmarshalPassportElementErrorSourceFrontSide(data) + case TypeSecretChat: + return UnmarshalSecretChat(data) - case TypePassportElementErrorSourceReverseSide: - return UnmarshalPassportElementErrorSourceReverseSide(data) + case TypePublicPostSearchLimits: + return UnmarshalPublicPostSearchLimits(data) - case TypePassportElementErrorSourceSelfie: - return UnmarshalPassportElementErrorSourceSelfie(data) + case TypeMessageSenderUser: + return UnmarshalMessageSenderUser(data) - case TypePassportElementErrorSourceTranslationFile: - return UnmarshalPassportElementErrorSourceTranslationFile(data) + case TypeMessageSenderChat: + return UnmarshalMessageSenderChat(data) - case TypePassportElementErrorSourceTranslationFiles: - return UnmarshalPassportElementErrorSourceTranslationFiles(data) + case TypeMessageSenders: + return UnmarshalMessageSenders(data) - case TypePassportElementErrorSourceFile: - return UnmarshalPassportElementErrorSourceFile(data) + case TypeChatMessageSender: + return UnmarshalChatMessageSender(data) - case TypePassportElementErrorSourceFiles: - return UnmarshalPassportElementErrorSourceFiles(data) + case TypeChatMessageSenders: + return UnmarshalChatMessageSenders(data) - case TypePassportElementError: - return UnmarshalPassportElementError(data) + case TypeMessageReadDateRead: + return UnmarshalMessageReadDateRead(data) - case TypePassportSuitableElement: - return UnmarshalPassportSuitableElement(data) + case TypeMessageReadDateUnread: + return UnmarshalMessageReadDateUnread(data) - case TypePassportRequiredElement: - return UnmarshalPassportRequiredElement(data) + case TypeMessageReadDateTooOld: + return UnmarshalMessageReadDateTooOld(data) - case TypePassportAuthorizationForm: - return UnmarshalPassportAuthorizationForm(data) + case TypeMessageReadDateUserPrivacyRestricted: + return UnmarshalMessageReadDateUserPrivacyRestricted(data) - case TypePassportElementsWithErrors: - return UnmarshalPassportElementsWithErrors(data) + case TypeMessageReadDateMyPrivacyRestricted: + return UnmarshalMessageReadDateMyPrivacyRestricted(data) - case TypeEncryptedCredentials: - return UnmarshalEncryptedCredentials(data) + case TypeMessageViewer: + return UnmarshalMessageViewer(data) - case TypeEncryptedPassportElement: - return UnmarshalEncryptedPassportElement(data) + case TypeMessageViewers: + return UnmarshalMessageViewers(data) - case TypeInputPassportElementErrorSourceUnspecified: - return UnmarshalInputPassportElementErrorSourceUnspecified(data) + case TypeMessageOriginUser: + return UnmarshalMessageOriginUser(data) - case TypeInputPassportElementErrorSourceDataField: - return UnmarshalInputPassportElementErrorSourceDataField(data) + case TypeMessageOriginHiddenUser: + return UnmarshalMessageOriginHiddenUser(data) - case TypeInputPassportElementErrorSourceFrontSide: - return UnmarshalInputPassportElementErrorSourceFrontSide(data) + case TypeMessageOriginChat: + return UnmarshalMessageOriginChat(data) - case TypeInputPassportElementErrorSourceReverseSide: - return UnmarshalInputPassportElementErrorSourceReverseSide(data) + case TypeMessageOriginChannel: + return UnmarshalMessageOriginChannel(data) - case TypeInputPassportElementErrorSourceSelfie: - return UnmarshalInputPassportElementErrorSourceSelfie(data) + case TypeForwardSource: + return UnmarshalForwardSource(data) - case TypeInputPassportElementErrorSourceTranslationFile: - return UnmarshalInputPassportElementErrorSourceTranslationFile(data) + case TypeReactionTypeEmoji: + return UnmarshalReactionTypeEmoji(data) - case TypeInputPassportElementErrorSourceTranslationFiles: - return UnmarshalInputPassportElementErrorSourceTranslationFiles(data) + case TypeReactionTypeCustomEmoji: + return UnmarshalReactionTypeCustomEmoji(data) - case TypeInputPassportElementErrorSourceFile: - return UnmarshalInputPassportElementErrorSourceFile(data) + case TypeReactionTypePaid: + return UnmarshalReactionTypePaid(data) - case TypeInputPassportElementErrorSourceFiles: - return UnmarshalInputPassportElementErrorSourceFiles(data) + case TypePaidReactionTypeRegular: + return UnmarshalPaidReactionTypeRegular(data) - case TypeInputPassportElementError: - return UnmarshalInputPassportElementError(data) + case TypePaidReactionTypeAnonymous: + return UnmarshalPaidReactionTypeAnonymous(data) - case TypeMessageText: - return UnmarshalMessageText(data) + case TypePaidReactionTypeChat: + return UnmarshalPaidReactionTypeChat(data) - case TypeMessageAnimation: - return UnmarshalMessageAnimation(data) + case TypePaidReactor: + return UnmarshalPaidReactor(data) - case TypeMessageAudio: - return UnmarshalMessageAudio(data) + case TypeLiveStoryDonors: + return UnmarshalLiveStoryDonors(data) - case TypeMessageDocument: - return UnmarshalMessageDocument(data) + case TypeMessageForwardInfo: + return UnmarshalMessageForwardInfo(data) - case TypeMessagePhoto: - return UnmarshalMessagePhoto(data) + case TypeMessageImportInfo: + return UnmarshalMessageImportInfo(data) - case TypeMessageExpiredPhoto: - return UnmarshalMessageExpiredPhoto(data) + case TypeMessageReplyInfo: + return UnmarshalMessageReplyInfo(data) - case TypeMessageSticker: - return UnmarshalMessageSticker(data) + case TypeMessageReaction: + return UnmarshalMessageReaction(data) - case TypeMessageVideo: - return UnmarshalMessageVideo(data) + case TypeMessageReactions: + return UnmarshalMessageReactions(data) - case TypeMessageExpiredVideo: - return UnmarshalMessageExpiredVideo(data) + case TypeMessageInteractionInfo: + return UnmarshalMessageInteractionInfo(data) - case TypeMessageVideoNote: - return UnmarshalMessageVideoNote(data) + case TypeUnreadReaction: + return UnmarshalUnreadReaction(data) - case TypeMessageVoiceNote: - return UnmarshalMessageVoiceNote(data) + case TypeMessageTopicThread: + return UnmarshalMessageTopicThread(data) - case TypeMessageLocation: - return UnmarshalMessageLocation(data) + case TypeMessageTopicForum: + return UnmarshalMessageTopicForum(data) - case TypeMessageVenue: - return UnmarshalMessageVenue(data) + case TypeMessageTopicDirectMessages: + return UnmarshalMessageTopicDirectMessages(data) - case TypeMessageContact: - return UnmarshalMessageContact(data) + case TypeMessageTopicSavedMessages: + return UnmarshalMessageTopicSavedMessages(data) - case TypeMessageAnimatedEmoji: - return UnmarshalMessageAnimatedEmoji(data) + case TypeMessageEffectTypeEmojiReaction: + return UnmarshalMessageEffectTypeEmojiReaction(data) - case TypeMessageDice: - return UnmarshalMessageDice(data) + case TypeMessageEffectTypePremiumSticker: + return UnmarshalMessageEffectTypePremiumSticker(data) - case TypeMessageGame: - return UnmarshalMessageGame(data) + case TypeMessageEffect: + return UnmarshalMessageEffect(data) - case TypeMessagePoll: - return UnmarshalMessagePoll(data) + case TypeMessageSendingStatePending: + return UnmarshalMessageSendingStatePending(data) - case TypeMessageInvoice: - return UnmarshalMessageInvoice(data) + case TypeMessageSendingStateFailed: + return UnmarshalMessageSendingStateFailed(data) - case TypeMessageCall: - return UnmarshalMessageCall(data) + case TypeTextQuote: + return UnmarshalTextQuote(data) - case TypeMessageVideoChatScheduled: - return UnmarshalMessageVideoChatScheduled(data) + case TypeInputTextQuote: + return UnmarshalInputTextQuote(data) - case TypeMessageVideoChatStarted: - return UnmarshalMessageVideoChatStarted(data) + case TypeMessageReplyToMessage: + return UnmarshalMessageReplyToMessage(data) - case TypeMessageVideoChatEnded: - return UnmarshalMessageVideoChatEnded(data) + case TypeMessageReplyToStory: + return UnmarshalMessageReplyToStory(data) - case TypeMessageInviteVideoChatParticipants: - return UnmarshalMessageInviteVideoChatParticipants(data) + case TypeInputMessageReplyToMessage: + return UnmarshalInputMessageReplyToMessage(data) - case TypeMessageBasicGroupChatCreate: - return UnmarshalMessageBasicGroupChatCreate(data) + case TypeInputMessageReplyToExternalMessage: + return UnmarshalInputMessageReplyToExternalMessage(data) - case TypeMessageSupergroupChatCreate: - return UnmarshalMessageSupergroupChatCreate(data) + case TypeInputMessageReplyToStory: + return UnmarshalInputMessageReplyToStory(data) - case TypeMessageChatChangeTitle: - return UnmarshalMessageChatChangeTitle(data) + case TypeFactCheck: + return UnmarshalFactCheck(data) - case TypeMessageChatChangePhoto: - return UnmarshalMessageChatChangePhoto(data) + case TypeMessage: + return UnmarshalMessage(data) - case TypeMessageChatDeletePhoto: - return UnmarshalMessageChatDeletePhoto(data) + case TypeMessages: + return UnmarshalMessages(data) - case TypeMessageChatAddMembers: - return UnmarshalMessageChatAddMembers(data) + case TypeFoundMessages: + return UnmarshalFoundMessages(data) - case TypeMessageChatJoinByLink: - return UnmarshalMessageChatJoinByLink(data) + case TypeFoundChatMessages: + return UnmarshalFoundChatMessages(data) - case TypeMessageChatJoinByRequest: - return UnmarshalMessageChatJoinByRequest(data) + case TypeFoundPublicPosts: + return UnmarshalFoundPublicPosts(data) - case TypeMessageChatDeleteMember: - return UnmarshalMessageChatDeleteMember(data) + case TypeMessagePosition: + return UnmarshalMessagePosition(data) - case TypeMessageChatUpgradeTo: - return UnmarshalMessageChatUpgradeTo(data) + case TypeMessagePositions: + return UnmarshalMessagePositions(data) - case TypeMessageChatUpgradeFrom: - return UnmarshalMessageChatUpgradeFrom(data) + case TypeMessageCalendarDay: + return UnmarshalMessageCalendarDay(data) - case TypeMessagePinMessage: - return UnmarshalMessagePinMessage(data) + case TypeMessageCalendar: + return UnmarshalMessageCalendar(data) - case TypeMessageScreenshotTaken: - return UnmarshalMessageScreenshotTaken(data) + case TypeBusinessMessage: + return UnmarshalBusinessMessage(data) - case TypeMessageChatSetTheme: - return UnmarshalMessageChatSetTheme(data) + case TypeBusinessMessages: + return UnmarshalBusinessMessages(data) - case TypeMessageChatSetMessageAutoDeleteTime: - return UnmarshalMessageChatSetMessageAutoDeleteTime(data) + case TypeMessageSourceChatHistory: + return UnmarshalMessageSourceChatHistory(data) - case TypeMessageForumTopicCreated: - return UnmarshalMessageForumTopicCreated(data) + case TypeMessageSourceMessageThreadHistory: + return UnmarshalMessageSourceMessageThreadHistory(data) - case TypeMessageForumTopicEdited: - return UnmarshalMessageForumTopicEdited(data) + case TypeMessageSourceForumTopicHistory: + return UnmarshalMessageSourceForumTopicHistory(data) - case TypeMessageForumTopicIsClosedToggled: - return UnmarshalMessageForumTopicIsClosedToggled(data) + case TypeMessageSourceDirectMessagesChatTopicHistory: + return UnmarshalMessageSourceDirectMessagesChatTopicHistory(data) - case TypeMessageForumTopicIsHiddenToggled: - return UnmarshalMessageForumTopicIsHiddenToggled(data) + case TypeMessageSourceHistoryPreview: + return UnmarshalMessageSourceHistoryPreview(data) - case TypeMessageSuggestProfilePhoto: - return UnmarshalMessageSuggestProfilePhoto(data) + case TypeMessageSourceChatList: + return UnmarshalMessageSourceChatList(data) - case TypeMessageCustomServiceAction: - return UnmarshalMessageCustomServiceAction(data) + case TypeMessageSourceSearch: + return UnmarshalMessageSourceSearch(data) - case TypeMessageGameScore: - return UnmarshalMessageGameScore(data) + case TypeMessageSourceChatEventLog: + return UnmarshalMessageSourceChatEventLog(data) - case TypeMessagePaymentSuccessful: - return UnmarshalMessagePaymentSuccessful(data) + case TypeMessageSourceNotification: + return UnmarshalMessageSourceNotification(data) - case TypeMessagePaymentSuccessfulBot: - return UnmarshalMessagePaymentSuccessfulBot(data) + case TypeMessageSourceScreenshot: + return UnmarshalMessageSourceScreenshot(data) - case TypeMessageGiftedPremium: - return UnmarshalMessageGiftedPremium(data) + case TypeMessageSourceOther: + return UnmarshalMessageSourceOther(data) - case TypeMessageContactRegistered: - return UnmarshalMessageContactRegistered(data) + case TypeAdvertisementSponsor: + return UnmarshalAdvertisementSponsor(data) - case TypeMessageUserShared: - return UnmarshalMessageUserShared(data) + case TypeSponsoredMessage: + return UnmarshalSponsoredMessage(data) - case TypeMessageChatShared: - return UnmarshalMessageChatShared(data) + case TypeSponsoredMessages: + return UnmarshalSponsoredMessages(data) - case TypeMessageWebsiteConnected: - return UnmarshalMessageWebsiteConnected(data) + case TypeSponsoredChat: + return UnmarshalSponsoredChat(data) - case TypeMessageBotWriteAccessAllowed: - return UnmarshalMessageBotWriteAccessAllowed(data) + case TypeSponsoredChats: + return UnmarshalSponsoredChats(data) - case TypeMessageWebAppDataSent: - return UnmarshalMessageWebAppDataSent(data) + case TypeVideoMessageAdvertisement: + return UnmarshalVideoMessageAdvertisement(data) - case TypeMessageWebAppDataReceived: - return UnmarshalMessageWebAppDataReceived(data) + case TypeVideoMessageAdvertisements: + return UnmarshalVideoMessageAdvertisements(data) - case TypeMessagePassportDataSent: - return UnmarshalMessagePassportDataSent(data) + case TypeReportOption: + return UnmarshalReportOption(data) - case TypeMessagePassportDataReceived: - return UnmarshalMessagePassportDataReceived(data) + case TypeReportSponsoredResultOk: + return UnmarshalReportSponsoredResultOk(data) - case TypeMessageProximityAlertTriggered: - return UnmarshalMessageProximityAlertTriggered(data) + case TypeReportSponsoredResultFailed: + return UnmarshalReportSponsoredResultFailed(data) - case TypeMessageUnsupported: - return UnmarshalMessageUnsupported(data) + case TypeReportSponsoredResultOptionRequired: + return UnmarshalReportSponsoredResultOptionRequired(data) - case TypeTextEntityTypeMention: - return UnmarshalTextEntityTypeMention(data) + case TypeReportSponsoredResultAdsHidden: + return UnmarshalReportSponsoredResultAdsHidden(data) - case TypeTextEntityTypeHashtag: - return UnmarshalTextEntityTypeHashtag(data) + case TypeReportSponsoredResultPremiumRequired: + return UnmarshalReportSponsoredResultPremiumRequired(data) - case TypeTextEntityTypeCashtag: - return UnmarshalTextEntityTypeCashtag(data) + case TypeFileDownload: + return UnmarshalFileDownload(data) - case TypeTextEntityTypeBotCommand: - return UnmarshalTextEntityTypeBotCommand(data) + case TypeDownloadedFileCounts: + return UnmarshalDownloadedFileCounts(data) - case TypeTextEntityTypeUrl: - return UnmarshalTextEntityTypeUrl(data) + case TypeFoundFileDownloads: + return UnmarshalFoundFileDownloads(data) - case TypeTextEntityTypeEmailAddress: - return UnmarshalTextEntityTypeEmailAddress(data) + case TypeNotificationSettingsScopePrivateChats: + return UnmarshalNotificationSettingsScopePrivateChats(data) - case TypeTextEntityTypePhoneNumber: - return UnmarshalTextEntityTypePhoneNumber(data) + case TypeNotificationSettingsScopeGroupChats: + return UnmarshalNotificationSettingsScopeGroupChats(data) - case TypeTextEntityTypeBankCardNumber: - return UnmarshalTextEntityTypeBankCardNumber(data) + case TypeNotificationSettingsScopeChannelChats: + return UnmarshalNotificationSettingsScopeChannelChats(data) - case TypeTextEntityTypeBold: - return UnmarshalTextEntityTypeBold(data) + case TypeChatNotificationSettings: + return UnmarshalChatNotificationSettings(data) - case TypeTextEntityTypeItalic: - return UnmarshalTextEntityTypeItalic(data) + case TypeScopeNotificationSettings: + return UnmarshalScopeNotificationSettings(data) - case TypeTextEntityTypeUnderline: - return UnmarshalTextEntityTypeUnderline(data) + case TypeReactionNotificationSourceNone: + return UnmarshalReactionNotificationSourceNone(data) - case TypeTextEntityTypeStrikethrough: - return UnmarshalTextEntityTypeStrikethrough(data) + case TypeReactionNotificationSourceContacts: + return UnmarshalReactionNotificationSourceContacts(data) - case TypeTextEntityTypeSpoiler: - return UnmarshalTextEntityTypeSpoiler(data) + case TypeReactionNotificationSourceAll: + return UnmarshalReactionNotificationSourceAll(data) - case TypeTextEntityTypeCode: - return UnmarshalTextEntityTypeCode(data) + case TypeReactionNotificationSettings: + return UnmarshalReactionNotificationSettings(data) - case TypeTextEntityTypePre: - return UnmarshalTextEntityTypePre(data) + case TypeDraftMessage: + return UnmarshalDraftMessage(data) - case TypeTextEntityTypePreCode: - return UnmarshalTextEntityTypePreCode(data) + case TypeChatTypePrivate: + return UnmarshalChatTypePrivate(data) - case TypeTextEntityTypeTextUrl: - return UnmarshalTextEntityTypeTextUrl(data) + case TypeChatTypeBasicGroup: + return UnmarshalChatTypeBasicGroup(data) - case TypeTextEntityTypeMentionName: - return UnmarshalTextEntityTypeMentionName(data) + case TypeChatTypeSupergroup: + return UnmarshalChatTypeSupergroup(data) - case TypeTextEntityTypeCustomEmoji: - return UnmarshalTextEntityTypeCustomEmoji(data) + case TypeChatTypeSecret: + return UnmarshalChatTypeSecret(data) - case TypeTextEntityTypeMediaTimestamp: - return UnmarshalTextEntityTypeMediaTimestamp(data) + case TypeChatFolderIcon: + return UnmarshalChatFolderIcon(data) - case TypeInputThumbnail: - return UnmarshalInputThumbnail(data) + case TypeChatFolderName: + return UnmarshalChatFolderName(data) - case TypeMessageSchedulingStateSendAtDate: - return UnmarshalMessageSchedulingStateSendAtDate(data) + case TypeChatFolder: + return UnmarshalChatFolder(data) - case TypeMessageSchedulingStateSendWhenOnline: - return UnmarshalMessageSchedulingStateSendWhenOnline(data) + case TypeChatFolderInfo: + return UnmarshalChatFolderInfo(data) - case TypeMessageSendOptions: - return UnmarshalMessageSendOptions(data) + case TypeChatFolderInviteLink: + return UnmarshalChatFolderInviteLink(data) - case TypeMessageCopyOptions: - return UnmarshalMessageCopyOptions(data) + case TypeChatFolderInviteLinks: + return UnmarshalChatFolderInviteLinks(data) - case TypeInputMessageText: - return UnmarshalInputMessageText(data) + case TypeChatFolderInviteLinkInfo: + return UnmarshalChatFolderInviteLinkInfo(data) - case TypeInputMessageAnimation: - return UnmarshalInputMessageAnimation(data) + case TypeRecommendedChatFolder: + return UnmarshalRecommendedChatFolder(data) - case TypeInputMessageAudio: - return UnmarshalInputMessageAudio(data) + case TypeRecommendedChatFolders: + return UnmarshalRecommendedChatFolders(data) - case TypeInputMessageDocument: - return UnmarshalInputMessageDocument(data) + case TypeArchiveChatListSettings: + return UnmarshalArchiveChatListSettings(data) - case TypeInputMessagePhoto: - return UnmarshalInputMessagePhoto(data) + case TypeChatListMain: + return UnmarshalChatListMain(data) - case TypeInputMessageSticker: - return UnmarshalInputMessageSticker(data) + case TypeChatListArchive: + return UnmarshalChatListArchive(data) - case TypeInputMessageVideo: - return UnmarshalInputMessageVideo(data) + case TypeChatListFolder: + return UnmarshalChatListFolder(data) - case TypeInputMessageVideoNote: - return UnmarshalInputMessageVideoNote(data) + case TypeChatLists: + return UnmarshalChatLists(data) - case TypeInputMessageVoiceNote: - return UnmarshalInputMessageVoiceNote(data) + case TypeChatSourceMtprotoProxy: + return UnmarshalChatSourceMtprotoProxy(data) - case TypeInputMessageLocation: - return UnmarshalInputMessageLocation(data) + case TypeChatSourcePublicServiceAnnouncement: + return UnmarshalChatSourcePublicServiceAnnouncement(data) - case TypeInputMessageVenue: - return UnmarshalInputMessageVenue(data) + case TypeChatPosition: + return UnmarshalChatPosition(data) - case TypeInputMessageContact: - return UnmarshalInputMessageContact(data) + case TypeChatAvailableReactionsAll: + return UnmarshalChatAvailableReactionsAll(data) - case TypeInputMessageDice: - return UnmarshalInputMessageDice(data) + case TypeChatAvailableReactionsSome: + return UnmarshalChatAvailableReactionsSome(data) - case TypeInputMessageGame: - return UnmarshalInputMessageGame(data) + case TypeSavedMessagesTag: + return UnmarshalSavedMessagesTag(data) - case TypeInputMessageInvoice: - return UnmarshalInputMessageInvoice(data) + case TypeSavedMessagesTags: + return UnmarshalSavedMessagesTags(data) - case TypeInputMessagePoll: - return UnmarshalInputMessagePoll(data) + case TypeBusinessBotManageBar: + return UnmarshalBusinessBotManageBar(data) - case TypeInputMessageForwarded: - return UnmarshalInputMessageForwarded(data) + case TypeVideoChat: + return UnmarshalVideoChat(data) - case TypeSearchMessagesFilterEmpty: - return UnmarshalSearchMessagesFilterEmpty(data) + case TypeChat: + return UnmarshalChat(data) - case TypeSearchMessagesFilterAnimation: - return UnmarshalSearchMessagesFilterAnimation(data) + case TypeChats: + return UnmarshalChats(data) - case TypeSearchMessagesFilterAudio: - return UnmarshalSearchMessagesFilterAudio(data) + case TypeFailedToAddMember: + return UnmarshalFailedToAddMember(data) - case TypeSearchMessagesFilterDocument: - return UnmarshalSearchMessagesFilterDocument(data) + case TypeFailedToAddMembers: + return UnmarshalFailedToAddMembers(data) - case TypeSearchMessagesFilterPhoto: - return UnmarshalSearchMessagesFilterPhoto(data) + case TypeCreatedBasicGroupChat: + return UnmarshalCreatedBasicGroupChat(data) - case TypeSearchMessagesFilterVideo: - return UnmarshalSearchMessagesFilterVideo(data) + case TypePublicChatTypeHasUsername: + return UnmarshalPublicChatTypeHasUsername(data) - case TypeSearchMessagesFilterVoiceNote: - return UnmarshalSearchMessagesFilterVoiceNote(data) + case TypePublicChatTypeIsLocationBased: + return UnmarshalPublicChatTypeIsLocationBased(data) - case TypeSearchMessagesFilterPhotoAndVideo: - return UnmarshalSearchMessagesFilterPhotoAndVideo(data) + case TypeAccountInfo: + return UnmarshalAccountInfo(data) - case TypeSearchMessagesFilterUrl: - return UnmarshalSearchMessagesFilterUrl(data) + case TypeChatActionBarReportSpam: + return UnmarshalChatActionBarReportSpam(data) - case TypeSearchMessagesFilterChatPhoto: - return UnmarshalSearchMessagesFilterChatPhoto(data) + case TypeChatActionBarInviteMembers: + return UnmarshalChatActionBarInviteMembers(data) - case TypeSearchMessagesFilterVideoNote: - return UnmarshalSearchMessagesFilterVideoNote(data) + case TypeChatActionBarReportAddBlock: + return UnmarshalChatActionBarReportAddBlock(data) - case TypeSearchMessagesFilterVoiceAndVideoNote: - return UnmarshalSearchMessagesFilterVoiceAndVideoNote(data) + case TypeChatActionBarAddContact: + return UnmarshalChatActionBarAddContact(data) - case TypeSearchMessagesFilterMention: - return UnmarshalSearchMessagesFilterMention(data) + case TypeChatActionBarSharePhoneNumber: + return UnmarshalChatActionBarSharePhoneNumber(data) - case TypeSearchMessagesFilterUnreadMention: - return UnmarshalSearchMessagesFilterUnreadMention(data) + case TypeChatActionBarJoinRequest: + return UnmarshalChatActionBarJoinRequest(data) - case TypeSearchMessagesFilterUnreadReaction: - return UnmarshalSearchMessagesFilterUnreadReaction(data) + case TypeButtonStyleDefault: + return UnmarshalButtonStyleDefault(data) - case TypeSearchMessagesFilterFailedToSend: - return UnmarshalSearchMessagesFilterFailedToSend(data) + case TypeButtonStylePrimary: + return UnmarshalButtonStylePrimary(data) - case TypeSearchMessagesFilterPinned: - return UnmarshalSearchMessagesFilterPinned(data) + case TypeButtonStyleDanger: + return UnmarshalButtonStyleDanger(data) - case TypeChatActionTyping: - return UnmarshalChatActionTyping(data) + case TypeButtonStyleSuccess: + return UnmarshalButtonStyleSuccess(data) - case TypeChatActionRecordingVideo: - return UnmarshalChatActionRecordingVideo(data) + case TypeKeyboardButtonTypeText: + return UnmarshalKeyboardButtonTypeText(data) - case TypeChatActionUploadingVideo: - return UnmarshalChatActionUploadingVideo(data) + case TypeKeyboardButtonTypeRequestPhoneNumber: + return UnmarshalKeyboardButtonTypeRequestPhoneNumber(data) - case TypeChatActionRecordingVoiceNote: - return UnmarshalChatActionRecordingVoiceNote(data) + case TypeKeyboardButtonTypeRequestLocation: + return UnmarshalKeyboardButtonTypeRequestLocation(data) - case TypeChatActionUploadingVoiceNote: - return UnmarshalChatActionUploadingVoiceNote(data) + case TypeKeyboardButtonTypeRequestPoll: + return UnmarshalKeyboardButtonTypeRequestPoll(data) - case TypeChatActionUploadingPhoto: - return UnmarshalChatActionUploadingPhoto(data) + case TypeKeyboardButtonTypeRequestUsers: + return UnmarshalKeyboardButtonTypeRequestUsers(data) - case TypeChatActionUploadingDocument: - return UnmarshalChatActionUploadingDocument(data) + case TypeKeyboardButtonTypeRequestChat: + return UnmarshalKeyboardButtonTypeRequestChat(data) - case TypeChatActionChoosingSticker: - return UnmarshalChatActionChoosingSticker(data) + case TypeKeyboardButtonTypeWebApp: + return UnmarshalKeyboardButtonTypeWebApp(data) - case TypeChatActionChoosingLocation: - return UnmarshalChatActionChoosingLocation(data) + case TypeKeyboardButton: + return UnmarshalKeyboardButton(data) - case TypeChatActionChoosingContact: - return UnmarshalChatActionChoosingContact(data) + case TypeInlineKeyboardButtonTypeUrl: + return UnmarshalInlineKeyboardButtonTypeUrl(data) - case TypeChatActionStartPlayingGame: - return UnmarshalChatActionStartPlayingGame(data) + case TypeInlineKeyboardButtonTypeLoginUrl: + return UnmarshalInlineKeyboardButtonTypeLoginUrl(data) - case TypeChatActionRecordingVideoNote: - return UnmarshalChatActionRecordingVideoNote(data) + case TypeInlineKeyboardButtonTypeWebApp: + return UnmarshalInlineKeyboardButtonTypeWebApp(data) - case TypeChatActionUploadingVideoNote: - return UnmarshalChatActionUploadingVideoNote(data) + case TypeInlineKeyboardButtonTypeCallback: + return UnmarshalInlineKeyboardButtonTypeCallback(data) - case TypeChatActionWatchingAnimations: - return UnmarshalChatActionWatchingAnimations(data) + case TypeInlineKeyboardButtonTypeCallbackWithPassword: + return UnmarshalInlineKeyboardButtonTypeCallbackWithPassword(data) - case TypeChatActionCancel: - return UnmarshalChatActionCancel(data) + case TypeInlineKeyboardButtonTypeCallbackGame: + return UnmarshalInlineKeyboardButtonTypeCallbackGame(data) - case TypeUserStatusEmpty: - return UnmarshalUserStatusEmpty(data) + case TypeInlineKeyboardButtonTypeSwitchInline: + return UnmarshalInlineKeyboardButtonTypeSwitchInline(data) - case TypeUserStatusOnline: - return UnmarshalUserStatusOnline(data) + case TypeInlineKeyboardButtonTypeBuy: + return UnmarshalInlineKeyboardButtonTypeBuy(data) - case TypeUserStatusOffline: - return UnmarshalUserStatusOffline(data) + case TypeInlineKeyboardButtonTypeUser: + return UnmarshalInlineKeyboardButtonTypeUser(data) - case TypeUserStatusRecently: - return UnmarshalUserStatusRecently(data) + case TypeInlineKeyboardButtonTypeCopyText: + return UnmarshalInlineKeyboardButtonTypeCopyText(data) - case TypeUserStatusLastWeek: - return UnmarshalUserStatusLastWeek(data) + case TypeInlineKeyboardButton: + return UnmarshalInlineKeyboardButton(data) - case TypeUserStatusLastMonth: - return UnmarshalUserStatusLastMonth(data) + case TypeReplyMarkupRemoveKeyboard: + return UnmarshalReplyMarkupRemoveKeyboard(data) - case TypeStickers: - return UnmarshalStickers(data) + case TypeReplyMarkupForceReply: + return UnmarshalReplyMarkupForceReply(data) - case TypeEmojis: - return UnmarshalEmojis(data) + case TypeReplyMarkupShowKeyboard: + return UnmarshalReplyMarkupShowKeyboard(data) - case TypeStickerSet: - return UnmarshalStickerSet(data) + case TypeReplyMarkupInlineKeyboard: + return UnmarshalReplyMarkupInlineKeyboard(data) - case TypeStickerSetInfo: - return UnmarshalStickerSetInfo(data) + case TypeLoginUrlInfoOpen: + return UnmarshalLoginUrlInfoOpen(data) - case TypeStickerSets: - return UnmarshalStickerSets(data) + case TypeLoginUrlInfoRequestConfirmation: + return UnmarshalLoginUrlInfoRequestConfirmation(data) - case TypeTrendingStickerSets: - return UnmarshalTrendingStickerSets(data) + case TypeThemeParameters: + return UnmarshalThemeParameters(data) - case TypeEmojiCategory: - return UnmarshalEmojiCategory(data) + case TypeWebAppOpenModeCompact: + return UnmarshalWebAppOpenModeCompact(data) - case TypeEmojiCategories: - return UnmarshalEmojiCategories(data) + case TypeWebAppOpenModeFullSize: + return UnmarshalWebAppOpenModeFullSize(data) - case TypeEmojiCategoryTypeDefault: - return UnmarshalEmojiCategoryTypeDefault(data) + case TypeWebAppOpenModeFullScreen: + return UnmarshalWebAppOpenModeFullScreen(data) - case TypeEmojiCategoryTypeEmojiStatus: - return UnmarshalEmojiCategoryTypeEmojiStatus(data) + case TypeFoundWebApp: + return UnmarshalFoundWebApp(data) - case TypeEmojiCategoryTypeChatPhoto: - return UnmarshalEmojiCategoryTypeChatPhoto(data) + case TypeWebAppInfo: + return UnmarshalWebAppInfo(data) - case TypeCallDiscardReasonEmpty: - return UnmarshalCallDiscardReasonEmpty(data) + case TypeMainWebApp: + return UnmarshalMainWebApp(data) - case TypeCallDiscardReasonMissed: - return UnmarshalCallDiscardReasonMissed(data) + case TypeWebAppOpenParameters: + return UnmarshalWebAppOpenParameters(data) - case TypeCallDiscardReasonDeclined: - return UnmarshalCallDiscardReasonDeclined(data) + case TypeMessageThreadInfo: + return UnmarshalMessageThreadInfo(data) - case TypeCallDiscardReasonDisconnected: - return UnmarshalCallDiscardReasonDisconnected(data) + case TypeSavedMessagesTopicTypeMyNotes: + return UnmarshalSavedMessagesTopicTypeMyNotes(data) - case TypeCallDiscardReasonHungUp: - return UnmarshalCallDiscardReasonHungUp(data) + case TypeSavedMessagesTopicTypeAuthorHidden: + return UnmarshalSavedMessagesTopicTypeAuthorHidden(data) - case TypeCallProtocol: - return UnmarshalCallProtocol(data) + case TypeSavedMessagesTopicTypeSavedFromChat: + return UnmarshalSavedMessagesTopicTypeSavedFromChat(data) - case TypeCallServerTypeTelegramReflector: - return UnmarshalCallServerTypeTelegramReflector(data) + case TypeSavedMessagesTopic: + return UnmarshalSavedMessagesTopic(data) - case TypeCallServerTypeWebrtc: - return UnmarshalCallServerTypeWebrtc(data) + case TypeDirectMessagesChatTopic: + return UnmarshalDirectMessagesChatTopic(data) - case TypeCallServer: - return UnmarshalCallServer(data) + case TypeForumTopicIcon: + return UnmarshalForumTopicIcon(data) - case TypeCallId: - return UnmarshalCallId(data) + case TypeForumTopicInfo: + return UnmarshalForumTopicInfo(data) - case TypeGroupCallId: - return UnmarshalGroupCallId(data) + case TypeForumTopic: + return UnmarshalForumTopic(data) - case TypeCallStatePending: - return UnmarshalCallStatePending(data) + case TypeForumTopics: + return UnmarshalForumTopics(data) - case TypeCallStateExchangingKeys: - return UnmarshalCallStateExchangingKeys(data) + case TypeLinkPreviewOptions: + return UnmarshalLinkPreviewOptions(data) - case TypeCallStateReady: - return UnmarshalCallStateReady(data) + case TypeSharedUser: + return UnmarshalSharedUser(data) - case TypeCallStateHangingUp: - return UnmarshalCallStateHangingUp(data) + case TypeSharedChat: + return UnmarshalSharedChat(data) - case TypeCallStateDiscarded: - return UnmarshalCallStateDiscarded(data) + case TypeBuiltInThemeClassic: + return UnmarshalBuiltInThemeClassic(data) - case TypeCallStateError: - return UnmarshalCallStateError(data) + case TypeBuiltInThemeDay: + return UnmarshalBuiltInThemeDay(data) - case TypeGroupCallVideoQualityThumbnail: - return UnmarshalGroupCallVideoQualityThumbnail(data) + case TypeBuiltInThemeNight: + return UnmarshalBuiltInThemeNight(data) - case TypeGroupCallVideoQualityMedium: - return UnmarshalGroupCallVideoQualityMedium(data) + case TypeBuiltInThemeTinted: + return UnmarshalBuiltInThemeTinted(data) - case TypeGroupCallVideoQualityFull: - return UnmarshalGroupCallVideoQualityFull(data) + case TypeBuiltInThemeArctic: + return UnmarshalBuiltInThemeArctic(data) - case TypeGroupCallStream: - return UnmarshalGroupCallStream(data) + case TypeThemeSettings: + return UnmarshalThemeSettings(data) - case TypeGroupCallStreams: - return UnmarshalGroupCallStreams(data) + case TypeRichTextPlain: + return UnmarshalRichTextPlain(data) - case TypeRtmpUrl: - return UnmarshalRtmpUrl(data) + case TypeRichTextBold: + return UnmarshalRichTextBold(data) - case TypeGroupCallRecentSpeaker: - return UnmarshalGroupCallRecentSpeaker(data) + case TypeRichTextItalic: + return UnmarshalRichTextItalic(data) - case TypeGroupCall: - return UnmarshalGroupCall(data) + case TypeRichTextUnderline: + return UnmarshalRichTextUnderline(data) - case TypeGroupCallVideoSourceGroup: - return UnmarshalGroupCallVideoSourceGroup(data) + case TypeRichTextStrikethrough: + return UnmarshalRichTextStrikethrough(data) - case TypeGroupCallParticipantVideoInfo: - return UnmarshalGroupCallParticipantVideoInfo(data) + case TypeRichTextFixed: + return UnmarshalRichTextFixed(data) - case TypeGroupCallParticipant: - return UnmarshalGroupCallParticipant(data) + case TypeRichTextUrl: + return UnmarshalRichTextUrl(data) - case TypeCallProblemEcho: - return UnmarshalCallProblemEcho(data) + case TypeRichTextEmailAddress: + return UnmarshalRichTextEmailAddress(data) - case TypeCallProblemNoise: - return UnmarshalCallProblemNoise(data) + case TypeRichTextSubscript: + return UnmarshalRichTextSubscript(data) - case TypeCallProblemInterruptions: - return UnmarshalCallProblemInterruptions(data) + case TypeRichTextSuperscript: + return UnmarshalRichTextSuperscript(data) - case TypeCallProblemDistortedSpeech: - return UnmarshalCallProblemDistortedSpeech(data) + case TypeRichTextMarked: + return UnmarshalRichTextMarked(data) - case TypeCallProblemSilentLocal: - return UnmarshalCallProblemSilentLocal(data) + case TypeRichTextPhoneNumber: + return UnmarshalRichTextPhoneNumber(data) - case TypeCallProblemSilentRemote: - return UnmarshalCallProblemSilentRemote(data) + case TypeRichTextIcon: + return UnmarshalRichTextIcon(data) - case TypeCallProblemDropped: - return UnmarshalCallProblemDropped(data) + case TypeRichTextReference: + return UnmarshalRichTextReference(data) - case TypeCallProblemDistortedVideo: - return UnmarshalCallProblemDistortedVideo(data) + case TypeRichTextAnchor: + return UnmarshalRichTextAnchor(data) - case TypeCallProblemPixelatedVideo: - return UnmarshalCallProblemPixelatedVideo(data) + case TypeRichTextAnchorLink: + return UnmarshalRichTextAnchorLink(data) - case TypeCall: - return UnmarshalCall(data) + case TypeRichTexts: + return UnmarshalRichTexts(data) - case TypeFirebaseAuthenticationSettingsAndroid: - return UnmarshalFirebaseAuthenticationSettingsAndroid(data) + case TypePageBlockCaption: + return UnmarshalPageBlockCaption(data) - case TypeFirebaseAuthenticationSettingsIos: - return UnmarshalFirebaseAuthenticationSettingsIos(data) + case TypePageBlockListItem: + return UnmarshalPageBlockListItem(data) - case TypePhoneNumberAuthenticationSettings: - return UnmarshalPhoneNumberAuthenticationSettings(data) + case TypePageBlockHorizontalAlignmentLeft: + return UnmarshalPageBlockHorizontalAlignmentLeft(data) - case TypeAddedReaction: - return UnmarshalAddedReaction(data) + case TypePageBlockHorizontalAlignmentCenter: + return UnmarshalPageBlockHorizontalAlignmentCenter(data) - case TypeAddedReactions: - return UnmarshalAddedReactions(data) + case TypePageBlockHorizontalAlignmentRight: + return UnmarshalPageBlockHorizontalAlignmentRight(data) - case TypeAvailableReaction: - return UnmarshalAvailableReaction(data) + case TypePageBlockVerticalAlignmentTop: + return UnmarshalPageBlockVerticalAlignmentTop(data) - case TypeAvailableReactions: - return UnmarshalAvailableReactions(data) + case TypePageBlockVerticalAlignmentMiddle: + return UnmarshalPageBlockVerticalAlignmentMiddle(data) - case TypeEmojiReaction: - return UnmarshalEmojiReaction(data) + case TypePageBlockVerticalAlignmentBottom: + return UnmarshalPageBlockVerticalAlignmentBottom(data) - case TypeAnimations: - return UnmarshalAnimations(data) + case TypePageBlockTableCell: + return UnmarshalPageBlockTableCell(data) - case TypeDiceStickersRegular: - return UnmarshalDiceStickersRegular(data) + case TypePageBlockRelatedArticle: + return UnmarshalPageBlockRelatedArticle(data) - case TypeDiceStickersSlotMachine: - return UnmarshalDiceStickersSlotMachine(data) + case TypePageBlockTitle: + return UnmarshalPageBlockTitle(data) - case TypeImportedContacts: - return UnmarshalImportedContacts(data) + case TypePageBlockSubtitle: + return UnmarshalPageBlockSubtitle(data) - case TypeSpeechRecognitionResultPending: - return UnmarshalSpeechRecognitionResultPending(data) + case TypePageBlockAuthorDate: + return UnmarshalPageBlockAuthorDate(data) - case TypeSpeechRecognitionResultText: - return UnmarshalSpeechRecognitionResultText(data) + case TypePageBlockHeader: + return UnmarshalPageBlockHeader(data) - case TypeSpeechRecognitionResultError: - return UnmarshalSpeechRecognitionResultError(data) + case TypePageBlockSubheader: + return UnmarshalPageBlockSubheader(data) - case TypeAttachmentMenuBotColor: - return UnmarshalAttachmentMenuBotColor(data) + case TypePageBlockKicker: + return UnmarshalPageBlockKicker(data) - case TypeAttachmentMenuBot: - return UnmarshalAttachmentMenuBot(data) + case TypePageBlockParagraph: + return UnmarshalPageBlockParagraph(data) - case TypeSentWebAppMessage: - return UnmarshalSentWebAppMessage(data) + case TypePageBlockPreformatted: + return UnmarshalPageBlockPreformatted(data) - case TypeHttpUrl: - return UnmarshalHttpUrl(data) + case TypePageBlockFooter: + return UnmarshalPageBlockFooter(data) - case TypeUserLink: - return UnmarshalUserLink(data) + case TypePageBlockDivider: + return UnmarshalPageBlockDivider(data) - case TypeInputInlineQueryResultAnimation: - return UnmarshalInputInlineQueryResultAnimation(data) + case TypePageBlockAnchor: + return UnmarshalPageBlockAnchor(data) - case TypeInputInlineQueryResultArticle: - return UnmarshalInputInlineQueryResultArticle(data) + case TypePageBlockList: + return UnmarshalPageBlockList(data) - case TypeInputInlineQueryResultAudio: - return UnmarshalInputInlineQueryResultAudio(data) + case TypePageBlockBlockQuote: + return UnmarshalPageBlockBlockQuote(data) - case TypeInputInlineQueryResultContact: - return UnmarshalInputInlineQueryResultContact(data) + case TypePageBlockPullQuote: + return UnmarshalPageBlockPullQuote(data) - case TypeInputInlineQueryResultDocument: - return UnmarshalInputInlineQueryResultDocument(data) + case TypePageBlockAnimation: + return UnmarshalPageBlockAnimation(data) - case TypeInputInlineQueryResultGame: - return UnmarshalInputInlineQueryResultGame(data) + case TypePageBlockAudio: + return UnmarshalPageBlockAudio(data) - case TypeInputInlineQueryResultLocation: - return UnmarshalInputInlineQueryResultLocation(data) + case TypePageBlockPhoto: + return UnmarshalPageBlockPhoto(data) - case TypeInputInlineQueryResultPhoto: - return UnmarshalInputInlineQueryResultPhoto(data) + case TypePageBlockVideo: + return UnmarshalPageBlockVideo(data) - case TypeInputInlineQueryResultSticker: - return UnmarshalInputInlineQueryResultSticker(data) + case TypePageBlockVoiceNote: + return UnmarshalPageBlockVoiceNote(data) - case TypeInputInlineQueryResultVenue: - return UnmarshalInputInlineQueryResultVenue(data) + case TypePageBlockCover: + return UnmarshalPageBlockCover(data) - case TypeInputInlineQueryResultVideo: - return UnmarshalInputInlineQueryResultVideo(data) + case TypePageBlockEmbedded: + return UnmarshalPageBlockEmbedded(data) - case TypeInputInlineQueryResultVoiceNote: - return UnmarshalInputInlineQueryResultVoiceNote(data) + case TypePageBlockEmbeddedPost: + return UnmarshalPageBlockEmbeddedPost(data) - case TypeInlineQueryResultArticle: - return UnmarshalInlineQueryResultArticle(data) + case TypePageBlockCollage: + return UnmarshalPageBlockCollage(data) - case TypeInlineQueryResultContact: - return UnmarshalInlineQueryResultContact(data) + case TypePageBlockSlideshow: + return UnmarshalPageBlockSlideshow(data) - case TypeInlineQueryResultLocation: - return UnmarshalInlineQueryResultLocation(data) + case TypePageBlockChatLink: + return UnmarshalPageBlockChatLink(data) - case TypeInlineQueryResultVenue: - return UnmarshalInlineQueryResultVenue(data) + case TypePageBlockTable: + return UnmarshalPageBlockTable(data) - case TypeInlineQueryResultGame: - return UnmarshalInlineQueryResultGame(data) + case TypePageBlockDetails: + return UnmarshalPageBlockDetails(data) - case TypeInlineQueryResultAnimation: - return UnmarshalInlineQueryResultAnimation(data) + case TypePageBlockRelatedArticles: + return UnmarshalPageBlockRelatedArticles(data) - case TypeInlineQueryResultAudio: - return UnmarshalInlineQueryResultAudio(data) + case TypePageBlockMap: + return UnmarshalPageBlockMap(data) - case TypeInlineQueryResultDocument: - return UnmarshalInlineQueryResultDocument(data) + case TypeWebPageInstantView: + return UnmarshalWebPageInstantView(data) - case TypeInlineQueryResultPhoto: - return UnmarshalInlineQueryResultPhoto(data) + case TypeLinkPreviewAlbumMediaPhoto: + return UnmarshalLinkPreviewAlbumMediaPhoto(data) - case TypeInlineQueryResultSticker: - return UnmarshalInlineQueryResultSticker(data) + case TypeLinkPreviewAlbumMediaVideo: + return UnmarshalLinkPreviewAlbumMediaVideo(data) - case TypeInlineQueryResultVideo: - return UnmarshalInlineQueryResultVideo(data) + case TypeLinkPreviewTypeAlbum: + return UnmarshalLinkPreviewTypeAlbum(data) - case TypeInlineQueryResultVoiceNote: - return UnmarshalInlineQueryResultVoiceNote(data) + case TypeLinkPreviewTypeAnimation: + return UnmarshalLinkPreviewTypeAnimation(data) - case TypeInlineQueryResultsButtonTypeStartBot: - return UnmarshalInlineQueryResultsButtonTypeStartBot(data) + case TypeLinkPreviewTypeApp: + return UnmarshalLinkPreviewTypeApp(data) - case TypeInlineQueryResultsButtonTypeWebApp: - return UnmarshalInlineQueryResultsButtonTypeWebApp(data) + case TypeLinkPreviewTypeArticle: + return UnmarshalLinkPreviewTypeArticle(data) - case TypeInlineQueryResultsButton: - return UnmarshalInlineQueryResultsButton(data) + case TypeLinkPreviewTypeAudio: + return UnmarshalLinkPreviewTypeAudio(data) - case TypeInlineQueryResults: - return UnmarshalInlineQueryResults(data) + case TypeLinkPreviewTypeBackground: + return UnmarshalLinkPreviewTypeBackground(data) - case TypeCallbackQueryPayloadData: - return UnmarshalCallbackQueryPayloadData(data) + case TypeLinkPreviewTypeChannelBoost: + return UnmarshalLinkPreviewTypeChannelBoost(data) - case TypeCallbackQueryPayloadDataWithPassword: - return UnmarshalCallbackQueryPayloadDataWithPassword(data) + case TypeLinkPreviewTypeChat: + return UnmarshalLinkPreviewTypeChat(data) - case TypeCallbackQueryPayloadGame: - return UnmarshalCallbackQueryPayloadGame(data) + case TypeLinkPreviewTypeDirectMessagesChat: + return UnmarshalLinkPreviewTypeDirectMessagesChat(data) - case TypeCallbackQueryAnswer: - return UnmarshalCallbackQueryAnswer(data) + case TypeLinkPreviewTypeDocument: + return UnmarshalLinkPreviewTypeDocument(data) - case TypeCustomRequestResult: - return UnmarshalCustomRequestResult(data) + case TypeLinkPreviewTypeEmbeddedAnimationPlayer: + return UnmarshalLinkPreviewTypeEmbeddedAnimationPlayer(data) - case TypeGameHighScore: - return UnmarshalGameHighScore(data) + case TypeLinkPreviewTypeEmbeddedAudioPlayer: + return UnmarshalLinkPreviewTypeEmbeddedAudioPlayer(data) - case TypeGameHighScores: - return UnmarshalGameHighScores(data) + case TypeLinkPreviewTypeEmbeddedVideoPlayer: + return UnmarshalLinkPreviewTypeEmbeddedVideoPlayer(data) - case TypeChatEventMessageEdited: - return UnmarshalChatEventMessageEdited(data) + case TypeLinkPreviewTypeExternalAudio: + return UnmarshalLinkPreviewTypeExternalAudio(data) - case TypeChatEventMessageDeleted: - return UnmarshalChatEventMessageDeleted(data) + case TypeLinkPreviewTypeExternalVideo: + return UnmarshalLinkPreviewTypeExternalVideo(data) - case TypeChatEventMessagePinned: - return UnmarshalChatEventMessagePinned(data) + case TypeLinkPreviewTypeGiftAuction: + return UnmarshalLinkPreviewTypeGiftAuction(data) - case TypeChatEventMessageUnpinned: - return UnmarshalChatEventMessageUnpinned(data) + case TypeLinkPreviewTypeGiftCollection: + return UnmarshalLinkPreviewTypeGiftCollection(data) - case TypeChatEventPollStopped: - return UnmarshalChatEventPollStopped(data) + case TypeLinkPreviewTypeGroupCall: + return UnmarshalLinkPreviewTypeGroupCall(data) - case TypeChatEventMemberJoined: - return UnmarshalChatEventMemberJoined(data) + case TypeLinkPreviewTypeInvoice: + return UnmarshalLinkPreviewTypeInvoice(data) - case TypeChatEventMemberJoinedByInviteLink: - return UnmarshalChatEventMemberJoinedByInviteLink(data) + case TypeLinkPreviewTypeLiveStory: + return UnmarshalLinkPreviewTypeLiveStory(data) - case TypeChatEventMemberJoinedByRequest: - return UnmarshalChatEventMemberJoinedByRequest(data) + case TypeLinkPreviewTypeMessage: + return UnmarshalLinkPreviewTypeMessage(data) - case TypeChatEventMemberInvited: - return UnmarshalChatEventMemberInvited(data) + case TypeLinkPreviewTypePhoto: + return UnmarshalLinkPreviewTypePhoto(data) - case TypeChatEventMemberLeft: - return UnmarshalChatEventMemberLeft(data) + case TypeLinkPreviewTypePremiumGiftCode: + return UnmarshalLinkPreviewTypePremiumGiftCode(data) - case TypeChatEventMemberPromoted: - return UnmarshalChatEventMemberPromoted(data) + case TypeLinkPreviewTypeShareableChatFolder: + return UnmarshalLinkPreviewTypeShareableChatFolder(data) - case TypeChatEventMemberRestricted: - return UnmarshalChatEventMemberRestricted(data) + case TypeLinkPreviewTypeSticker: + return UnmarshalLinkPreviewTypeSticker(data) - case TypeChatEventAvailableReactionsChanged: - return UnmarshalChatEventAvailableReactionsChanged(data) + case TypeLinkPreviewTypeStickerSet: + return UnmarshalLinkPreviewTypeStickerSet(data) - case TypeChatEventDescriptionChanged: - return UnmarshalChatEventDescriptionChanged(data) + case TypeLinkPreviewTypeStory: + return UnmarshalLinkPreviewTypeStory(data) - case TypeChatEventLinkedChatChanged: - return UnmarshalChatEventLinkedChatChanged(data) + case TypeLinkPreviewTypeStoryAlbum: + return UnmarshalLinkPreviewTypeStoryAlbum(data) - case TypeChatEventLocationChanged: - return UnmarshalChatEventLocationChanged(data) + case TypeLinkPreviewTypeSupergroupBoost: + return UnmarshalLinkPreviewTypeSupergroupBoost(data) - case TypeChatEventMessageAutoDeleteTimeChanged: - return UnmarshalChatEventMessageAutoDeleteTimeChanged(data) + case TypeLinkPreviewTypeTheme: + return UnmarshalLinkPreviewTypeTheme(data) - case TypeChatEventPermissionsChanged: - return UnmarshalChatEventPermissionsChanged(data) + case TypeLinkPreviewTypeUnsupported: + return UnmarshalLinkPreviewTypeUnsupported(data) - case TypeChatEventPhotoChanged: - return UnmarshalChatEventPhotoChanged(data) + case TypeLinkPreviewTypeUpgradedGift: + return UnmarshalLinkPreviewTypeUpgradedGift(data) - case TypeChatEventSlowModeDelayChanged: - return UnmarshalChatEventSlowModeDelayChanged(data) + case TypeLinkPreviewTypeUser: + return UnmarshalLinkPreviewTypeUser(data) - case TypeChatEventStickerSetChanged: - return UnmarshalChatEventStickerSetChanged(data) + case TypeLinkPreviewTypeVideo: + return UnmarshalLinkPreviewTypeVideo(data) - case TypeChatEventTitleChanged: - return UnmarshalChatEventTitleChanged(data) + case TypeLinkPreviewTypeVideoChat: + return UnmarshalLinkPreviewTypeVideoChat(data) - case TypeChatEventUsernameChanged: - return UnmarshalChatEventUsernameChanged(data) + case TypeLinkPreviewTypeVideoNote: + return UnmarshalLinkPreviewTypeVideoNote(data) - case TypeChatEventActiveUsernamesChanged: - return UnmarshalChatEventActiveUsernamesChanged(data) + case TypeLinkPreviewTypeVoiceNote: + return UnmarshalLinkPreviewTypeVoiceNote(data) - case TypeChatEventHasProtectedContentToggled: - return UnmarshalChatEventHasProtectedContentToggled(data) + case TypeLinkPreviewTypeWebApp: + return UnmarshalLinkPreviewTypeWebApp(data) - case TypeChatEventInvitesToggled: - return UnmarshalChatEventInvitesToggled(data) + case TypeLinkPreview: + return UnmarshalLinkPreview(data) - case TypeChatEventIsAllHistoryAvailableToggled: - return UnmarshalChatEventIsAllHistoryAvailableToggled(data) + case TypeCountryInfo: + return UnmarshalCountryInfo(data) - case TypeChatEventHasAggressiveAntiSpamEnabledToggled: - return UnmarshalChatEventHasAggressiveAntiSpamEnabledToggled(data) + case TypeCountries: + return UnmarshalCountries(data) - case TypeChatEventSignMessagesToggled: - return UnmarshalChatEventSignMessagesToggled(data) + case TypePhoneNumberInfo: + return UnmarshalPhoneNumberInfo(data) - case TypeChatEventInviteLinkEdited: - return UnmarshalChatEventInviteLinkEdited(data) + case TypeCollectibleItemTypeUsername: + return UnmarshalCollectibleItemTypeUsername(data) - case TypeChatEventInviteLinkRevoked: - return UnmarshalChatEventInviteLinkRevoked(data) + case TypeCollectibleItemTypePhoneNumber: + return UnmarshalCollectibleItemTypePhoneNumber(data) - case TypeChatEventInviteLinkDeleted: - return UnmarshalChatEventInviteLinkDeleted(data) + case TypeCollectibleItemInfo: + return UnmarshalCollectibleItemInfo(data) - case TypeChatEventVideoChatCreated: - return UnmarshalChatEventVideoChatCreated(data) + case TypeBankCardActionOpenUrl: + return UnmarshalBankCardActionOpenUrl(data) - case TypeChatEventVideoChatEnded: - return UnmarshalChatEventVideoChatEnded(data) + case TypeBankCardInfo: + return UnmarshalBankCardInfo(data) - case TypeChatEventVideoChatMuteNewParticipantsToggled: - return UnmarshalChatEventVideoChatMuteNewParticipantsToggled(data) + case TypeAddress: + return UnmarshalAddress(data) - case TypeChatEventVideoChatParticipantIsMutedToggled: - return UnmarshalChatEventVideoChatParticipantIsMutedToggled(data) + case TypeLocationAddress: + return UnmarshalLocationAddress(data) - case TypeChatEventVideoChatParticipantVolumeLevelChanged: - return UnmarshalChatEventVideoChatParticipantVolumeLevelChanged(data) + case TypeLabeledPricePart: + return UnmarshalLabeledPricePart(data) - case TypeChatEventIsForumToggled: - return UnmarshalChatEventIsForumToggled(data) + case TypeInvoice: + return UnmarshalInvoice(data) - case TypeChatEventForumTopicCreated: - return UnmarshalChatEventForumTopicCreated(data) + case TypeOrderInfo: + return UnmarshalOrderInfo(data) - case TypeChatEventForumTopicEdited: - return UnmarshalChatEventForumTopicEdited(data) + case TypeShippingOption: + return UnmarshalShippingOption(data) - case TypeChatEventForumTopicToggleIsClosed: - return UnmarshalChatEventForumTopicToggleIsClosed(data) + case TypeSavedCredentials: + return UnmarshalSavedCredentials(data) - case TypeChatEventForumTopicToggleIsHidden: - return UnmarshalChatEventForumTopicToggleIsHidden(data) + case TypeInputCredentialsSaved: + return UnmarshalInputCredentialsSaved(data) - case TypeChatEventForumTopicDeleted: - return UnmarshalChatEventForumTopicDeleted(data) + case TypeInputCredentialsNew: + return UnmarshalInputCredentialsNew(data) - case TypeChatEventForumTopicPinned: - return UnmarshalChatEventForumTopicPinned(data) + case TypeInputCredentialsApplePay: + return UnmarshalInputCredentialsApplePay(data) - case TypeChatEvent: - return UnmarshalChatEvent(data) + case TypeInputCredentialsGooglePay: + return UnmarshalInputCredentialsGooglePay(data) - case TypeChatEvents: - return UnmarshalChatEvents(data) + case TypePaymentProviderSmartGlocal: + return UnmarshalPaymentProviderSmartGlocal(data) - case TypeChatEventLogFilters: - return UnmarshalChatEventLogFilters(data) + case TypePaymentProviderStripe: + return UnmarshalPaymentProviderStripe(data) - case TypeLanguagePackStringValueOrdinary: - return UnmarshalLanguagePackStringValueOrdinary(data) + case TypePaymentProviderOther: + return UnmarshalPaymentProviderOther(data) - case TypeLanguagePackStringValuePluralized: - return UnmarshalLanguagePackStringValuePluralized(data) + case TypePaymentOption: + return UnmarshalPaymentOption(data) - case TypeLanguagePackStringValueDeleted: - return UnmarshalLanguagePackStringValueDeleted(data) + case TypePaymentFormTypeRegular: + return UnmarshalPaymentFormTypeRegular(data) - case TypeLanguagePackString: - return UnmarshalLanguagePackString(data) + case TypePaymentFormTypeStars: + return UnmarshalPaymentFormTypeStars(data) - case TypeLanguagePackStrings: - return UnmarshalLanguagePackStrings(data) + case TypePaymentFormTypeStarSubscription: + return UnmarshalPaymentFormTypeStarSubscription(data) - case TypeLanguagePackInfo: - return UnmarshalLanguagePackInfo(data) + case TypePaymentForm: + return UnmarshalPaymentForm(data) - case TypeLocalizationTargetInfo: - return UnmarshalLocalizationTargetInfo(data) + case TypeValidatedOrderInfo: + return UnmarshalValidatedOrderInfo(data) - case TypePremiumLimitTypeSupergroupCount: - return UnmarshalPremiumLimitTypeSupergroupCount(data) + case TypePaymentResult: + return UnmarshalPaymentResult(data) - case TypePremiumLimitTypePinnedChatCount: - return UnmarshalPremiumLimitTypePinnedChatCount(data) + case TypePaymentReceiptTypeRegular: + return UnmarshalPaymentReceiptTypeRegular(data) - case TypePremiumLimitTypeCreatedPublicChatCount: - return UnmarshalPremiumLimitTypeCreatedPublicChatCount(data) + case TypePaymentReceiptTypeStars: + return UnmarshalPaymentReceiptTypeStars(data) - case TypePremiumLimitTypeSavedAnimationCount: - return UnmarshalPremiumLimitTypeSavedAnimationCount(data) + case TypePaymentReceipt: + return UnmarshalPaymentReceipt(data) - case TypePremiumLimitTypeFavoriteStickerCount: - return UnmarshalPremiumLimitTypeFavoriteStickerCount(data) + case TypeInputInvoiceMessage: + return UnmarshalInputInvoiceMessage(data) - case TypePremiumLimitTypeChatFilterCount: - return UnmarshalPremiumLimitTypeChatFilterCount(data) + case TypeInputInvoiceName: + return UnmarshalInputInvoiceName(data) - case TypePremiumLimitTypeChatFilterChosenChatCount: - return UnmarshalPremiumLimitTypeChatFilterChosenChatCount(data) + case TypeInputInvoiceTelegram: + return UnmarshalInputInvoiceTelegram(data) - case TypePremiumLimitTypePinnedArchivedChatCount: - return UnmarshalPremiumLimitTypePinnedArchivedChatCount(data) + case TypePaidMediaPreview: + return UnmarshalPaidMediaPreview(data) - case TypePremiumLimitTypeCaptionLength: - return UnmarshalPremiumLimitTypeCaptionLength(data) + case TypePaidMediaPhoto: + return UnmarshalPaidMediaPhoto(data) - case TypePremiumLimitTypeBioLength: - return UnmarshalPremiumLimitTypeBioLength(data) + case TypePaidMediaVideo: + return UnmarshalPaidMediaVideo(data) - case TypePremiumFeatureIncreasedLimits: - return UnmarshalPremiumFeatureIncreasedLimits(data) + case TypePaidMediaUnsupported: + return UnmarshalPaidMediaUnsupported(data) - case TypePremiumFeatureIncreasedUploadFileSize: - return UnmarshalPremiumFeatureIncreasedUploadFileSize(data) + case TypeGiveawayParameters: + return UnmarshalGiveawayParameters(data) - case TypePremiumFeatureImprovedDownloadSpeed: - return UnmarshalPremiumFeatureImprovedDownloadSpeed(data) + case TypeDatedFile: + return UnmarshalDatedFile(data) - case TypePremiumFeatureVoiceRecognition: - return UnmarshalPremiumFeatureVoiceRecognition(data) + case TypePassportElementTypePersonalDetails: + return UnmarshalPassportElementTypePersonalDetails(data) - case TypePremiumFeatureDisabledAds: - return UnmarshalPremiumFeatureDisabledAds(data) + case TypePassportElementTypePassport: + return UnmarshalPassportElementTypePassport(data) - case TypePremiumFeatureUniqueReactions: - return UnmarshalPremiumFeatureUniqueReactions(data) + case TypePassportElementTypeDriverLicense: + return UnmarshalPassportElementTypeDriverLicense(data) - case TypePremiumFeatureUniqueStickers: - return UnmarshalPremiumFeatureUniqueStickers(data) + case TypePassportElementTypeIdentityCard: + return UnmarshalPassportElementTypeIdentityCard(data) - case TypePremiumFeatureCustomEmoji: - return UnmarshalPremiumFeatureCustomEmoji(data) + case TypePassportElementTypeInternalPassport: + return UnmarshalPassportElementTypeInternalPassport(data) - case TypePremiumFeatureAdvancedChatManagement: - return UnmarshalPremiumFeatureAdvancedChatManagement(data) + case TypePassportElementTypeAddress: + return UnmarshalPassportElementTypeAddress(data) - case TypePremiumFeatureProfileBadge: - return UnmarshalPremiumFeatureProfileBadge(data) + case TypePassportElementTypeUtilityBill: + return UnmarshalPassportElementTypeUtilityBill(data) - case TypePremiumFeatureEmojiStatus: - return UnmarshalPremiumFeatureEmojiStatus(data) + case TypePassportElementTypeBankStatement: + return UnmarshalPassportElementTypeBankStatement(data) - case TypePremiumFeatureAnimatedProfilePhoto: - return UnmarshalPremiumFeatureAnimatedProfilePhoto(data) + case TypePassportElementTypeRentalAgreement: + return UnmarshalPassportElementTypeRentalAgreement(data) - case TypePremiumFeatureForumTopicIcon: - return UnmarshalPremiumFeatureForumTopicIcon(data) + case TypePassportElementTypePassportRegistration: + return UnmarshalPassportElementTypePassportRegistration(data) - case TypePremiumFeatureAppIcons: - return UnmarshalPremiumFeatureAppIcons(data) + case TypePassportElementTypeTemporaryRegistration: + return UnmarshalPassportElementTypeTemporaryRegistration(data) - case TypePremiumFeatureRealTimeChatTranslation: - return UnmarshalPremiumFeatureRealTimeChatTranslation(data) + case TypePassportElementTypePhoneNumber: + return UnmarshalPassportElementTypePhoneNumber(data) - case TypePremiumLimit: - return UnmarshalPremiumLimit(data) + case TypePassportElementTypeEmailAddress: + return UnmarshalPassportElementTypeEmailAddress(data) - case TypePremiumFeatures: - return UnmarshalPremiumFeatures(data) + case TypeDate: + return UnmarshalDate(data) - case TypePremiumSourceLimitExceeded: - return UnmarshalPremiumSourceLimitExceeded(data) + case TypePersonalDetails: + return UnmarshalPersonalDetails(data) - case TypePremiumSourceFeature: - return UnmarshalPremiumSourceFeature(data) + case TypeIdentityDocument: + return UnmarshalIdentityDocument(data) - case TypePremiumSourceLink: - return UnmarshalPremiumSourceLink(data) + case TypeInputIdentityDocument: + return UnmarshalInputIdentityDocument(data) - case TypePremiumSourceSettings: - return UnmarshalPremiumSourceSettings(data) + case TypePersonalDocument: + return UnmarshalPersonalDocument(data) - case TypePremiumFeaturePromotionAnimation: - return UnmarshalPremiumFeaturePromotionAnimation(data) + case TypeInputPersonalDocument: + return UnmarshalInputPersonalDocument(data) - case TypePremiumState: - return UnmarshalPremiumState(data) + case TypePassportElementPersonalDetails: + return UnmarshalPassportElementPersonalDetails(data) - case TypeStorePaymentPurposePremiumSubscription: - return UnmarshalStorePaymentPurposePremiumSubscription(data) + case TypePassportElementPassport: + return UnmarshalPassportElementPassport(data) - case TypeStorePaymentPurposeGiftedPremium: - return UnmarshalStorePaymentPurposeGiftedPremium(data) + case TypePassportElementDriverLicense: + return UnmarshalPassportElementDriverLicense(data) - case TypeDeviceTokenFirebaseCloudMessaging: - return UnmarshalDeviceTokenFirebaseCloudMessaging(data) + case TypePassportElementIdentityCard: + return UnmarshalPassportElementIdentityCard(data) - case TypeDeviceTokenApplePush: - return UnmarshalDeviceTokenApplePush(data) + case TypePassportElementInternalPassport: + return UnmarshalPassportElementInternalPassport(data) - case TypeDeviceTokenApplePushVoIP: - return UnmarshalDeviceTokenApplePushVoIP(data) + case TypePassportElementAddress: + return UnmarshalPassportElementAddress(data) - case TypeDeviceTokenWindowsPush: - return UnmarshalDeviceTokenWindowsPush(data) + case TypePassportElementUtilityBill: + return UnmarshalPassportElementUtilityBill(data) - case TypeDeviceTokenMicrosoftPush: - return UnmarshalDeviceTokenMicrosoftPush(data) + case TypePassportElementBankStatement: + return UnmarshalPassportElementBankStatement(data) - case TypeDeviceTokenMicrosoftPushVoIP: - return UnmarshalDeviceTokenMicrosoftPushVoIP(data) + case TypePassportElementRentalAgreement: + return UnmarshalPassportElementRentalAgreement(data) - case TypeDeviceTokenWebPush: - return UnmarshalDeviceTokenWebPush(data) + case TypePassportElementPassportRegistration: + return UnmarshalPassportElementPassportRegistration(data) - case TypeDeviceTokenSimplePush: - return UnmarshalDeviceTokenSimplePush(data) + case TypePassportElementTemporaryRegistration: + return UnmarshalPassportElementTemporaryRegistration(data) - case TypeDeviceTokenUbuntuPush: - return UnmarshalDeviceTokenUbuntuPush(data) + case TypePassportElementPhoneNumber: + return UnmarshalPassportElementPhoneNumber(data) - case TypeDeviceTokenBlackBerryPush: - return UnmarshalDeviceTokenBlackBerryPush(data) + case TypePassportElementEmailAddress: + return UnmarshalPassportElementEmailAddress(data) - case TypeDeviceTokenTizenPush: - return UnmarshalDeviceTokenTizenPush(data) + case TypeInputPassportElementPersonalDetails: + return UnmarshalInputPassportElementPersonalDetails(data) - case TypeDeviceTokenHuaweiPush: - return UnmarshalDeviceTokenHuaweiPush(data) + case TypeInputPassportElementPassport: + return UnmarshalInputPassportElementPassport(data) - case TypePushReceiverId: - return UnmarshalPushReceiverId(data) + case TypeInputPassportElementDriverLicense: + return UnmarshalInputPassportElementDriverLicense(data) - case TypeBackgroundFillSolid: - return UnmarshalBackgroundFillSolid(data) + case TypeInputPassportElementIdentityCard: + return UnmarshalInputPassportElementIdentityCard(data) - case TypeBackgroundFillGradient: - return UnmarshalBackgroundFillGradient(data) + case TypeInputPassportElementInternalPassport: + return UnmarshalInputPassportElementInternalPassport(data) - case TypeBackgroundFillFreeformGradient: - return UnmarshalBackgroundFillFreeformGradient(data) + case TypeInputPassportElementAddress: + return UnmarshalInputPassportElementAddress(data) - case TypeBackgroundTypeWallpaper: - return UnmarshalBackgroundTypeWallpaper(data) + case TypeInputPassportElementUtilityBill: + return UnmarshalInputPassportElementUtilityBill(data) - case TypeBackgroundTypePattern: - return UnmarshalBackgroundTypePattern(data) + case TypeInputPassportElementBankStatement: + return UnmarshalInputPassportElementBankStatement(data) - case TypeBackgroundTypeFill: - return UnmarshalBackgroundTypeFill(data) + case TypeInputPassportElementRentalAgreement: + return UnmarshalInputPassportElementRentalAgreement(data) - case TypeBackground: - return UnmarshalBackground(data) + case TypeInputPassportElementPassportRegistration: + return UnmarshalInputPassportElementPassportRegistration(data) - case TypeBackgrounds: - return UnmarshalBackgrounds(data) + case TypeInputPassportElementTemporaryRegistration: + return UnmarshalInputPassportElementTemporaryRegistration(data) - case TypeInputBackgroundLocal: - return UnmarshalInputBackgroundLocal(data) + case TypeInputPassportElementPhoneNumber: + return UnmarshalInputPassportElementPhoneNumber(data) - case TypeInputBackgroundRemote: - return UnmarshalInputBackgroundRemote(data) + case TypeInputPassportElementEmailAddress: + return UnmarshalInputPassportElementEmailAddress(data) - case TypeThemeSettings: - return UnmarshalThemeSettings(data) + case TypePassportElements: + return UnmarshalPassportElements(data) - case TypeChatTheme: - return UnmarshalChatTheme(data) + case TypePassportElementErrorSourceUnspecified: + return UnmarshalPassportElementErrorSourceUnspecified(data) - case TypeHashtags: - return UnmarshalHashtags(data) + case TypePassportElementErrorSourceDataField: + return UnmarshalPassportElementErrorSourceDataField(data) - case TypeCanTransferOwnershipResultOk: - return UnmarshalCanTransferOwnershipResultOk(data) + case TypePassportElementErrorSourceFrontSide: + return UnmarshalPassportElementErrorSourceFrontSide(data) - case TypeCanTransferOwnershipResultPasswordNeeded: - return UnmarshalCanTransferOwnershipResultPasswordNeeded(data) + case TypePassportElementErrorSourceReverseSide: + return UnmarshalPassportElementErrorSourceReverseSide(data) - case TypeCanTransferOwnershipResultPasswordTooFresh: - return UnmarshalCanTransferOwnershipResultPasswordTooFresh(data) + case TypePassportElementErrorSourceSelfie: + return UnmarshalPassportElementErrorSourceSelfie(data) - case TypeCanTransferOwnershipResultSessionTooFresh: - return UnmarshalCanTransferOwnershipResultSessionTooFresh(data) + case TypePassportElementErrorSourceTranslationFile: + return UnmarshalPassportElementErrorSourceTranslationFile(data) - case TypeCheckChatUsernameResultOk: - return UnmarshalCheckChatUsernameResultOk(data) + case TypePassportElementErrorSourceTranslationFiles: + return UnmarshalPassportElementErrorSourceTranslationFiles(data) - case TypeCheckChatUsernameResultUsernameInvalid: - return UnmarshalCheckChatUsernameResultUsernameInvalid(data) + case TypePassportElementErrorSourceFile: + return UnmarshalPassportElementErrorSourceFile(data) - case TypeCheckChatUsernameResultUsernameOccupied: - return UnmarshalCheckChatUsernameResultUsernameOccupied(data) + case TypePassportElementErrorSourceFiles: + return UnmarshalPassportElementErrorSourceFiles(data) - case TypeCheckChatUsernameResultUsernamePurchasable: - return UnmarshalCheckChatUsernameResultUsernamePurchasable(data) + case TypePassportElementError: + return UnmarshalPassportElementError(data) - case TypeCheckChatUsernameResultPublicChatsTooMany: - return UnmarshalCheckChatUsernameResultPublicChatsTooMany(data) + case TypePassportSuitableElement: + return UnmarshalPassportSuitableElement(data) - case TypeCheckChatUsernameResultPublicGroupsUnavailable: - return UnmarshalCheckChatUsernameResultPublicGroupsUnavailable(data) + case TypePassportRequiredElement: + return UnmarshalPassportRequiredElement(data) - case TypeCheckStickerSetNameResultOk: - return UnmarshalCheckStickerSetNameResultOk(data) + case TypePassportAuthorizationForm: + return UnmarshalPassportAuthorizationForm(data) - case TypeCheckStickerSetNameResultNameInvalid: - return UnmarshalCheckStickerSetNameResultNameInvalid(data) + case TypePassportElementsWithErrors: + return UnmarshalPassportElementsWithErrors(data) - case TypeCheckStickerSetNameResultNameOccupied: - return UnmarshalCheckStickerSetNameResultNameOccupied(data) + case TypeEncryptedCredentials: + return UnmarshalEncryptedCredentials(data) - case TypeResetPasswordResultOk: - return UnmarshalResetPasswordResultOk(data) + case TypeEncryptedPassportElement: + return UnmarshalEncryptedPassportElement(data) - case TypeResetPasswordResultPending: - return UnmarshalResetPasswordResultPending(data) + case TypeInputPassportElementErrorSourceUnspecified: + return UnmarshalInputPassportElementErrorSourceUnspecified(data) - case TypeResetPasswordResultDeclined: - return UnmarshalResetPasswordResultDeclined(data) + case TypeInputPassportElementErrorSourceDataField: + return UnmarshalInputPassportElementErrorSourceDataField(data) - case TypeMessageFileTypePrivate: - return UnmarshalMessageFileTypePrivate(data) + case TypeInputPassportElementErrorSourceFrontSide: + return UnmarshalInputPassportElementErrorSourceFrontSide(data) - case TypeMessageFileTypeGroup: - return UnmarshalMessageFileTypeGroup(data) + case TypeInputPassportElementErrorSourceReverseSide: + return UnmarshalInputPassportElementErrorSourceReverseSide(data) - case TypeMessageFileTypeUnknown: - return UnmarshalMessageFileTypeUnknown(data) + case TypeInputPassportElementErrorSourceSelfie: + return UnmarshalInputPassportElementErrorSourceSelfie(data) - case TypePushMessageContentHidden: - return UnmarshalPushMessageContentHidden(data) + case TypeInputPassportElementErrorSourceTranslationFile: + return UnmarshalInputPassportElementErrorSourceTranslationFile(data) - case TypePushMessageContentAnimation: - return UnmarshalPushMessageContentAnimation(data) + case TypeInputPassportElementErrorSourceTranslationFiles: + return UnmarshalInputPassportElementErrorSourceTranslationFiles(data) - case TypePushMessageContentAudio: - return UnmarshalPushMessageContentAudio(data) + case TypeInputPassportElementErrorSourceFile: + return UnmarshalInputPassportElementErrorSourceFile(data) - case TypePushMessageContentContact: - return UnmarshalPushMessageContentContact(data) + case TypeInputPassportElementErrorSourceFiles: + return UnmarshalInputPassportElementErrorSourceFiles(data) - case TypePushMessageContentContactRegistered: - return UnmarshalPushMessageContentContactRegistered(data) + case TypeInputPassportElementError: + return UnmarshalInputPassportElementError(data) - case TypePushMessageContentDocument: - return UnmarshalPushMessageContentDocument(data) + case TypeMessageText: + return UnmarshalMessageText(data) - case TypePushMessageContentGame: - return UnmarshalPushMessageContentGame(data) + case TypeMessageAnimation: + return UnmarshalMessageAnimation(data) - case TypePushMessageContentGameScore: - return UnmarshalPushMessageContentGameScore(data) + case TypeMessageAudio: + return UnmarshalMessageAudio(data) - case TypePushMessageContentInvoice: - return UnmarshalPushMessageContentInvoice(data) + case TypeMessageDocument: + return UnmarshalMessageDocument(data) - case TypePushMessageContentLocation: - return UnmarshalPushMessageContentLocation(data) + case TypeMessagePaidMedia: + return UnmarshalMessagePaidMedia(data) - case TypePushMessageContentPhoto: - return UnmarshalPushMessageContentPhoto(data) + case TypeMessagePhoto: + return UnmarshalMessagePhoto(data) - case TypePushMessageContentPoll: - return UnmarshalPushMessageContentPoll(data) + case TypeMessageSticker: + return UnmarshalMessageSticker(data) - case TypePushMessageContentScreenshotTaken: - return UnmarshalPushMessageContentScreenshotTaken(data) + case TypeMessageVideo: + return UnmarshalMessageVideo(data) - case TypePushMessageContentSticker: - return UnmarshalPushMessageContentSticker(data) + case TypeMessageVideoNote: + return UnmarshalMessageVideoNote(data) - case TypePushMessageContentText: - return UnmarshalPushMessageContentText(data) + case TypeMessageVoiceNote: + return UnmarshalMessageVoiceNote(data) - case TypePushMessageContentVideo: - return UnmarshalPushMessageContentVideo(data) + case TypeMessageExpiredPhoto: + return UnmarshalMessageExpiredPhoto(data) - case TypePushMessageContentVideoNote: - return UnmarshalPushMessageContentVideoNote(data) + case TypeMessageExpiredVideo: + return UnmarshalMessageExpiredVideo(data) - case TypePushMessageContentVoiceNote: - return UnmarshalPushMessageContentVoiceNote(data) + case TypeMessageExpiredVideoNote: + return UnmarshalMessageExpiredVideoNote(data) - case TypePushMessageContentBasicGroupChatCreate: - return UnmarshalPushMessageContentBasicGroupChatCreate(data) + case TypeMessageExpiredVoiceNote: + return UnmarshalMessageExpiredVoiceNote(data) - case TypePushMessageContentChatAddMembers: - return UnmarshalPushMessageContentChatAddMembers(data) + case TypeMessageLocation: + return UnmarshalMessageLocation(data) - case TypePushMessageContentChatChangePhoto: - return UnmarshalPushMessageContentChatChangePhoto(data) + case TypeMessageVenue: + return UnmarshalMessageVenue(data) - case TypePushMessageContentChatChangeTitle: - return UnmarshalPushMessageContentChatChangeTitle(data) + case TypeMessageContact: + return UnmarshalMessageContact(data) - case TypePushMessageContentChatSetTheme: - return UnmarshalPushMessageContentChatSetTheme(data) + case TypeMessageAnimatedEmoji: + return UnmarshalMessageAnimatedEmoji(data) - case TypePushMessageContentChatDeleteMember: - return UnmarshalPushMessageContentChatDeleteMember(data) + case TypeMessageDice: + return UnmarshalMessageDice(data) - case TypePushMessageContentChatJoinByLink: - return UnmarshalPushMessageContentChatJoinByLink(data) + case TypeMessageGame: + return UnmarshalMessageGame(data) - case TypePushMessageContentChatJoinByRequest: - return UnmarshalPushMessageContentChatJoinByRequest(data) + case TypeMessagePoll: + return UnmarshalMessagePoll(data) - case TypePushMessageContentRecurringPayment: - return UnmarshalPushMessageContentRecurringPayment(data) + case TypeMessageStakeDice: + return UnmarshalMessageStakeDice(data) - case TypePushMessageContentSuggestProfilePhoto: - return UnmarshalPushMessageContentSuggestProfilePhoto(data) + case TypeMessageStory: + return UnmarshalMessageStory(data) - case TypePushMessageContentMessageForwards: - return UnmarshalPushMessageContentMessageForwards(data) + case TypeMessageChecklist: + return UnmarshalMessageChecklist(data) - case TypePushMessageContentMediaAlbum: - return UnmarshalPushMessageContentMediaAlbum(data) + case TypeMessageInvoice: + return UnmarshalMessageInvoice(data) - case TypeNotificationTypeNewMessage: - return UnmarshalNotificationTypeNewMessage(data) + case TypeMessageCall: + return UnmarshalMessageCall(data) - case TypeNotificationTypeNewSecretChat: - return UnmarshalNotificationTypeNewSecretChat(data) + case TypeMessageGroupCall: + return UnmarshalMessageGroupCall(data) - case TypeNotificationTypeNewCall: - return UnmarshalNotificationTypeNewCall(data) + case TypeMessageVideoChatScheduled: + return UnmarshalMessageVideoChatScheduled(data) - case TypeNotificationTypeNewPushMessage: - return UnmarshalNotificationTypeNewPushMessage(data) + case TypeMessageVideoChatStarted: + return UnmarshalMessageVideoChatStarted(data) - case TypeNotificationGroupTypeMessages: - return UnmarshalNotificationGroupTypeMessages(data) + case TypeMessageVideoChatEnded: + return UnmarshalMessageVideoChatEnded(data) - case TypeNotificationGroupTypeMentions: - return UnmarshalNotificationGroupTypeMentions(data) + case TypeMessageInviteVideoChatParticipants: + return UnmarshalMessageInviteVideoChatParticipants(data) - case TypeNotificationGroupTypeSecretChat: - return UnmarshalNotificationGroupTypeSecretChat(data) + case TypeMessageBasicGroupChatCreate: + return UnmarshalMessageBasicGroupChatCreate(data) - case TypeNotificationGroupTypeCalls: - return UnmarshalNotificationGroupTypeCalls(data) + case TypeMessageSupergroupChatCreate: + return UnmarshalMessageSupergroupChatCreate(data) - case TypeNotificationSound: - return UnmarshalNotificationSound(data) + case TypeMessageChatChangeTitle: + return UnmarshalMessageChatChangeTitle(data) - case TypeNotificationSounds: - return UnmarshalNotificationSounds(data) + case TypeMessageChatChangePhoto: + return UnmarshalMessageChatChangePhoto(data) - case TypeNotification: - return UnmarshalNotification(data) + case TypeMessageChatDeletePhoto: + return UnmarshalMessageChatDeletePhoto(data) - case TypeNotificationGroup: - return UnmarshalNotificationGroup(data) + case TypeMessageChatOwnerLeft: + return UnmarshalMessageChatOwnerLeft(data) - case TypeOptionValueBoolean: - return UnmarshalOptionValueBoolean(data) + case TypeMessageChatOwnerChanged: + return UnmarshalMessageChatOwnerChanged(data) - case TypeOptionValueEmpty: - return UnmarshalOptionValueEmpty(data) + case TypeMessageChatAddMembers: + return UnmarshalMessageChatAddMembers(data) - case TypeOptionValueInteger: - return UnmarshalOptionValueInteger(data) + case TypeMessageChatJoinByLink: + return UnmarshalMessageChatJoinByLink(data) - case TypeOptionValueString: - return UnmarshalOptionValueString(data) + case TypeMessageChatJoinByRequest: + return UnmarshalMessageChatJoinByRequest(data) - case TypeJsonObjectMember: - return UnmarshalJsonObjectMember(data) + case TypeMessageChatDeleteMember: + return UnmarshalMessageChatDeleteMember(data) - case TypeJsonValueNull: - return UnmarshalJsonValueNull(data) + case TypeMessageChatUpgradeTo: + return UnmarshalMessageChatUpgradeTo(data) - case TypeJsonValueBoolean: - return UnmarshalJsonValueBoolean(data) + case TypeMessageChatUpgradeFrom: + return UnmarshalMessageChatUpgradeFrom(data) - case TypeJsonValueNumber: - return UnmarshalJsonValueNumber(data) + case TypeMessagePinMessage: + return UnmarshalMessagePinMessage(data) - case TypeJsonValueString: - return UnmarshalJsonValueString(data) + case TypeMessageScreenshotTaken: + return UnmarshalMessageScreenshotTaken(data) - case TypeJsonValueArray: - return UnmarshalJsonValueArray(data) + case TypeMessageChatSetBackground: + return UnmarshalMessageChatSetBackground(data) - case TypeJsonValueObject: - return UnmarshalJsonValueObject(data) + case TypeMessageChatSetTheme: + return UnmarshalMessageChatSetTheme(data) - case TypeUserPrivacySettingRuleAllowAll: - return UnmarshalUserPrivacySettingRuleAllowAll(data) + case TypeMessageChatSetMessageAutoDeleteTime: + return UnmarshalMessageChatSetMessageAutoDeleteTime(data) - case TypeUserPrivacySettingRuleAllowContacts: - return UnmarshalUserPrivacySettingRuleAllowContacts(data) + case TypeMessageChatBoost: + return UnmarshalMessageChatBoost(data) - case TypeUserPrivacySettingRuleAllowUsers: - return UnmarshalUserPrivacySettingRuleAllowUsers(data) + case TypeMessageForumTopicCreated: + return UnmarshalMessageForumTopicCreated(data) - case TypeUserPrivacySettingRuleAllowChatMembers: - return UnmarshalUserPrivacySettingRuleAllowChatMembers(data) + case TypeMessageForumTopicEdited: + return UnmarshalMessageForumTopicEdited(data) - case TypeUserPrivacySettingRuleRestrictAll: - return UnmarshalUserPrivacySettingRuleRestrictAll(data) + case TypeMessageForumTopicIsClosedToggled: + return UnmarshalMessageForumTopicIsClosedToggled(data) - case TypeUserPrivacySettingRuleRestrictContacts: - return UnmarshalUserPrivacySettingRuleRestrictContacts(data) + case TypeMessageForumTopicIsHiddenToggled: + return UnmarshalMessageForumTopicIsHiddenToggled(data) - case TypeUserPrivacySettingRuleRestrictUsers: - return UnmarshalUserPrivacySettingRuleRestrictUsers(data) + case TypeMessageSuggestProfilePhoto: + return UnmarshalMessageSuggestProfilePhoto(data) - case TypeUserPrivacySettingRuleRestrictChatMembers: - return UnmarshalUserPrivacySettingRuleRestrictChatMembers(data) + case TypeMessageSuggestBirthdate: + return UnmarshalMessageSuggestBirthdate(data) - case TypeUserPrivacySettingRules: - return UnmarshalUserPrivacySettingRules(data) + case TypeMessageCustomServiceAction: + return UnmarshalMessageCustomServiceAction(data) - case TypeUserPrivacySettingShowStatus: - return UnmarshalUserPrivacySettingShowStatus(data) + case TypeMessageGameScore: + return UnmarshalMessageGameScore(data) - case TypeUserPrivacySettingShowProfilePhoto: - return UnmarshalUserPrivacySettingShowProfilePhoto(data) + case TypeMessagePaymentSuccessful: + return UnmarshalMessagePaymentSuccessful(data) - case TypeUserPrivacySettingShowLinkInForwardedMessages: - return UnmarshalUserPrivacySettingShowLinkInForwardedMessages(data) + case TypeMessagePaymentSuccessfulBot: + return UnmarshalMessagePaymentSuccessfulBot(data) - case TypeUserPrivacySettingShowPhoneNumber: - return UnmarshalUserPrivacySettingShowPhoneNumber(data) + case TypeMessagePaymentRefunded: + return UnmarshalMessagePaymentRefunded(data) - case TypeUserPrivacySettingAllowChatInvites: - return UnmarshalUserPrivacySettingAllowChatInvites(data) + case TypeMessageGiftedPremium: + return UnmarshalMessageGiftedPremium(data) - case TypeUserPrivacySettingAllowCalls: - return UnmarshalUserPrivacySettingAllowCalls(data) + case TypeMessagePremiumGiftCode: + return UnmarshalMessagePremiumGiftCode(data) - case TypeUserPrivacySettingAllowPeerToPeerCalls: - return UnmarshalUserPrivacySettingAllowPeerToPeerCalls(data) + case TypeMessageGiveawayCreated: + return UnmarshalMessageGiveawayCreated(data) - case TypeUserPrivacySettingAllowFindingByPhoneNumber: - return UnmarshalUserPrivacySettingAllowFindingByPhoneNumber(data) + case TypeMessageGiveaway: + return UnmarshalMessageGiveaway(data) - case TypeUserPrivacySettingAllowPrivateVoiceAndVideoNoteMessages: - return UnmarshalUserPrivacySettingAllowPrivateVoiceAndVideoNoteMessages(data) + case TypeMessageGiveawayCompleted: + return UnmarshalMessageGiveawayCompleted(data) - case TypeAccountTtl: - return UnmarshalAccountTtl(data) + case TypeMessageGiveawayWinners: + return UnmarshalMessageGiveawayWinners(data) - case TypeMessageAutoDeleteTime: - return UnmarshalMessageAutoDeleteTime(data) + case TypeMessageGiftedStars: + return UnmarshalMessageGiftedStars(data) - case TypeSessionTypeAndroid: - return UnmarshalSessionTypeAndroid(data) + case TypeMessageGiftedTon: + return UnmarshalMessageGiftedTon(data) - case TypeSessionTypeApple: - return UnmarshalSessionTypeApple(data) + case TypeMessageGiveawayPrizeStars: + return UnmarshalMessageGiveawayPrizeStars(data) - case TypeSessionTypeBrave: - return UnmarshalSessionTypeBrave(data) + case TypeMessageGift: + return UnmarshalMessageGift(data) - case TypeSessionTypeChrome: - return UnmarshalSessionTypeChrome(data) + case TypeMessageUpgradedGift: + return UnmarshalMessageUpgradedGift(data) - case TypeSessionTypeEdge: - return UnmarshalSessionTypeEdge(data) + case TypeMessageRefundedUpgradedGift: + return UnmarshalMessageRefundedUpgradedGift(data) - case TypeSessionTypeFirefox: - return UnmarshalSessionTypeFirefox(data) + case TypeMessageUpgradedGiftPurchaseOffer: + return UnmarshalMessageUpgradedGiftPurchaseOffer(data) - case TypeSessionTypeIpad: - return UnmarshalSessionTypeIpad(data) + case TypeMessageUpgradedGiftPurchaseOfferRejected: + return UnmarshalMessageUpgradedGiftPurchaseOfferRejected(data) - case TypeSessionTypeIphone: - return UnmarshalSessionTypeIphone(data) + case TypeMessagePaidMessagesRefunded: + return UnmarshalMessagePaidMessagesRefunded(data) - case TypeSessionTypeLinux: - return UnmarshalSessionTypeLinux(data) + case TypeMessagePaidMessagePriceChanged: + return UnmarshalMessagePaidMessagePriceChanged(data) - case TypeSessionTypeMac: - return UnmarshalSessionTypeMac(data) + case TypeMessageDirectMessagePriceChanged: + return UnmarshalMessageDirectMessagePriceChanged(data) - case TypeSessionTypeOpera: - return UnmarshalSessionTypeOpera(data) + case TypeMessageChecklistTasksDone: + return UnmarshalMessageChecklistTasksDone(data) - case TypeSessionTypeSafari: - return UnmarshalSessionTypeSafari(data) + case TypeMessageChecklistTasksAdded: + return UnmarshalMessageChecklistTasksAdded(data) - case TypeSessionTypeUbuntu: - return UnmarshalSessionTypeUbuntu(data) + case TypeMessageSuggestedPostApprovalFailed: + return UnmarshalMessageSuggestedPostApprovalFailed(data) - case TypeSessionTypeUnknown: - return UnmarshalSessionTypeUnknown(data) + case TypeMessageSuggestedPostApproved: + return UnmarshalMessageSuggestedPostApproved(data) - case TypeSessionTypeVivaldi: - return UnmarshalSessionTypeVivaldi(data) + case TypeMessageSuggestedPostDeclined: + return UnmarshalMessageSuggestedPostDeclined(data) - case TypeSessionTypeWindows: - return UnmarshalSessionTypeWindows(data) + case TypeMessageSuggestedPostPaid: + return UnmarshalMessageSuggestedPostPaid(data) - case TypeSessionTypeXbox: - return UnmarshalSessionTypeXbox(data) + case TypeMessageSuggestedPostRefunded: + return UnmarshalMessageSuggestedPostRefunded(data) - case TypeSession: - return UnmarshalSession(data) + case TypeMessageContactRegistered: + return UnmarshalMessageContactRegistered(data) - case TypeSessions: - return UnmarshalSessions(data) + case TypeMessageUsersShared: + return UnmarshalMessageUsersShared(data) - case TypeConnectedWebsite: - return UnmarshalConnectedWebsite(data) + case TypeMessageChatShared: + return UnmarshalMessageChatShared(data) - case TypeConnectedWebsites: - return UnmarshalConnectedWebsites(data) + case TypeMessageBotWriteAccessAllowed: + return UnmarshalMessageBotWriteAccessAllowed(data) - case TypeChatReportReasonSpam: - return UnmarshalChatReportReasonSpam(data) + case TypeMessageWebAppDataSent: + return UnmarshalMessageWebAppDataSent(data) - case TypeChatReportReasonViolence: - return UnmarshalChatReportReasonViolence(data) + case TypeMessageWebAppDataReceived: + return UnmarshalMessageWebAppDataReceived(data) - case TypeChatReportReasonPornography: - return UnmarshalChatReportReasonPornography(data) + case TypeMessagePassportDataSent: + return UnmarshalMessagePassportDataSent(data) - case TypeChatReportReasonChildAbuse: - return UnmarshalChatReportReasonChildAbuse(data) + case TypeMessagePassportDataReceived: + return UnmarshalMessagePassportDataReceived(data) - case TypeChatReportReasonCopyright: - return UnmarshalChatReportReasonCopyright(data) + case TypeMessageProximityAlertTriggered: + return UnmarshalMessageProximityAlertTriggered(data) - case TypeChatReportReasonUnrelatedLocation: - return UnmarshalChatReportReasonUnrelatedLocation(data) + case TypeMessageUnsupported: + return UnmarshalMessageUnsupported(data) - case TypeChatReportReasonFake: - return UnmarshalChatReportReasonFake(data) + case TypeTextEntityTypeMention: + return UnmarshalTextEntityTypeMention(data) - case TypeChatReportReasonIllegalDrugs: - return UnmarshalChatReportReasonIllegalDrugs(data) + case TypeTextEntityTypeHashtag: + return UnmarshalTextEntityTypeHashtag(data) - case TypeChatReportReasonPersonalDetails: - return UnmarshalChatReportReasonPersonalDetails(data) + case TypeTextEntityTypeCashtag: + return UnmarshalTextEntityTypeCashtag(data) - case TypeChatReportReasonCustom: - return UnmarshalChatReportReasonCustom(data) + case TypeTextEntityTypeBotCommand: + return UnmarshalTextEntityTypeBotCommand(data) - case TypeTargetChatCurrent: - return UnmarshalTargetChatCurrent(data) + case TypeTextEntityTypeUrl: + return UnmarshalTextEntityTypeUrl(data) - case TypeTargetChatChosen: - return UnmarshalTargetChatChosen(data) + case TypeTextEntityTypeEmailAddress: + return UnmarshalTextEntityTypeEmailAddress(data) - case TypeTargetChatInternalLink: - return UnmarshalTargetChatInternalLink(data) + case TypeTextEntityTypePhoneNumber: + return UnmarshalTextEntityTypePhoneNumber(data) - case TypeInternalLinkTypeActiveSessions: - return UnmarshalInternalLinkTypeActiveSessions(data) + case TypeTextEntityTypeBankCardNumber: + return UnmarshalTextEntityTypeBankCardNumber(data) - case TypeInternalLinkTypeAttachmentMenuBot: - return UnmarshalInternalLinkTypeAttachmentMenuBot(data) + case TypeTextEntityTypeBold: + return UnmarshalTextEntityTypeBold(data) - case TypeInternalLinkTypeAuthenticationCode: - return UnmarshalInternalLinkTypeAuthenticationCode(data) + case TypeTextEntityTypeItalic: + return UnmarshalTextEntityTypeItalic(data) - case TypeInternalLinkTypeBackground: - return UnmarshalInternalLinkTypeBackground(data) + case TypeTextEntityTypeUnderline: + return UnmarshalTextEntityTypeUnderline(data) - case TypeInternalLinkTypeBotAddToChannel: - return UnmarshalInternalLinkTypeBotAddToChannel(data) + case TypeTextEntityTypeStrikethrough: + return UnmarshalTextEntityTypeStrikethrough(data) - case TypeInternalLinkTypeBotStart: - return UnmarshalInternalLinkTypeBotStart(data) + case TypeTextEntityTypeSpoiler: + return UnmarshalTextEntityTypeSpoiler(data) - case TypeInternalLinkTypeBotStartInGroup: - return UnmarshalInternalLinkTypeBotStartInGroup(data) + case TypeTextEntityTypeCode: + return UnmarshalTextEntityTypeCode(data) - case TypeInternalLinkTypeChangePhoneNumber: - return UnmarshalInternalLinkTypeChangePhoneNumber(data) + case TypeTextEntityTypePre: + return UnmarshalTextEntityTypePre(data) - case TypeInternalLinkTypeChatInvite: - return UnmarshalInternalLinkTypeChatInvite(data) + case TypeTextEntityTypePreCode: + return UnmarshalTextEntityTypePreCode(data) - case TypeInternalLinkTypeDefaultMessageAutoDeleteTimerSettings: - return UnmarshalInternalLinkTypeDefaultMessageAutoDeleteTimerSettings(data) + case TypeTextEntityTypeBlockQuote: + return UnmarshalTextEntityTypeBlockQuote(data) - case TypeInternalLinkTypeEditProfileSettings: - return UnmarshalInternalLinkTypeEditProfileSettings(data) + case TypeTextEntityTypeExpandableBlockQuote: + return UnmarshalTextEntityTypeExpandableBlockQuote(data) - case TypeInternalLinkTypeFilterSettings: - return UnmarshalInternalLinkTypeFilterSettings(data) + case TypeTextEntityTypeTextUrl: + return UnmarshalTextEntityTypeTextUrl(data) - case TypeInternalLinkTypeGame: - return UnmarshalInternalLinkTypeGame(data) + case TypeTextEntityTypeMentionName: + return UnmarshalTextEntityTypeMentionName(data) - case TypeInternalLinkTypeInstantView: - return UnmarshalInternalLinkTypeInstantView(data) + case TypeTextEntityTypeCustomEmoji: + return UnmarshalTextEntityTypeCustomEmoji(data) - case TypeInternalLinkTypeInvoice: - return UnmarshalInternalLinkTypeInvoice(data) + case TypeTextEntityTypeMediaTimestamp: + return UnmarshalTextEntityTypeMediaTimestamp(data) - case TypeInternalLinkTypeLanguagePack: - return UnmarshalInternalLinkTypeLanguagePack(data) + case TypeInputThumbnail: + return UnmarshalInputThumbnail(data) - case TypeInternalLinkTypeLanguageSettings: - return UnmarshalInternalLinkTypeLanguageSettings(data) + case TypeInputPaidMediaTypePhoto: + return UnmarshalInputPaidMediaTypePhoto(data) - case TypeInternalLinkTypeMessage: - return UnmarshalInternalLinkTypeMessage(data) + case TypeInputPaidMediaTypeVideo: + return UnmarshalInputPaidMediaTypeVideo(data) - case TypeInternalLinkTypeMessageDraft: - return UnmarshalInternalLinkTypeMessageDraft(data) + case TypeInputPaidMedia: + return UnmarshalInputPaidMedia(data) - case TypeInternalLinkTypePassportDataRequest: - return UnmarshalInternalLinkTypePassportDataRequest(data) + case TypeMessageSchedulingStateSendAtDate: + return UnmarshalMessageSchedulingStateSendAtDate(data) - case TypeInternalLinkTypePhoneNumberConfirmation: - return UnmarshalInternalLinkTypePhoneNumberConfirmation(data) + case TypeMessageSchedulingStateSendWhenOnline: + return UnmarshalMessageSchedulingStateSendWhenOnline(data) - case TypeInternalLinkTypePremiumFeatures: - return UnmarshalInternalLinkTypePremiumFeatures(data) + case TypeMessageSchedulingStateSendWhenVideoProcessed: + return UnmarshalMessageSchedulingStateSendWhenVideoProcessed(data) - case TypeInternalLinkTypePrivacyAndSecuritySettings: - return UnmarshalInternalLinkTypePrivacyAndSecuritySettings(data) + case TypeMessageSelfDestructTypeTimer: + return UnmarshalMessageSelfDestructTypeTimer(data) - case TypeInternalLinkTypeProxy: - return UnmarshalInternalLinkTypeProxy(data) + case TypeMessageSelfDestructTypeImmediately: + return UnmarshalMessageSelfDestructTypeImmediately(data) - case TypeInternalLinkTypePublicChat: - return UnmarshalInternalLinkTypePublicChat(data) + case TypeMessageSendOptions: + return UnmarshalMessageSendOptions(data) - case TypeInternalLinkTypeQrCodeAuthentication: - return UnmarshalInternalLinkTypeQrCodeAuthentication(data) + case TypeMessageCopyOptions: + return UnmarshalMessageCopyOptions(data) - case TypeInternalLinkTypeRestorePurchases: - return UnmarshalInternalLinkTypeRestorePurchases(data) + case TypeInputMessageText: + return UnmarshalInputMessageText(data) - case TypeInternalLinkTypeSettings: - return UnmarshalInternalLinkTypeSettings(data) + case TypeInputMessageAnimation: + return UnmarshalInputMessageAnimation(data) - case TypeInternalLinkTypeStickerSet: - return UnmarshalInternalLinkTypeStickerSet(data) + case TypeInputMessageAudio: + return UnmarshalInputMessageAudio(data) - case TypeInternalLinkTypeTheme: - return UnmarshalInternalLinkTypeTheme(data) + case TypeInputMessageDocument: + return UnmarshalInputMessageDocument(data) - case TypeInternalLinkTypeThemeSettings: - return UnmarshalInternalLinkTypeThemeSettings(data) + case TypeInputMessagePaidMedia: + return UnmarshalInputMessagePaidMedia(data) - case TypeInternalLinkTypeUnknownDeepLink: - return UnmarshalInternalLinkTypeUnknownDeepLink(data) + case TypeInputMessagePhoto: + return UnmarshalInputMessagePhoto(data) - case TypeInternalLinkTypeUnsupportedProxy: - return UnmarshalInternalLinkTypeUnsupportedProxy(data) + case TypeInputMessageSticker: + return UnmarshalInputMessageSticker(data) - case TypeInternalLinkTypeUserPhoneNumber: - return UnmarshalInternalLinkTypeUserPhoneNumber(data) + case TypeInputMessageVideo: + return UnmarshalInputMessageVideo(data) - case TypeInternalLinkTypeUserToken: - return UnmarshalInternalLinkTypeUserToken(data) + case TypeInputMessageVideoNote: + return UnmarshalInputMessageVideoNote(data) - case TypeInternalLinkTypeVideoChat: - return UnmarshalInternalLinkTypeVideoChat(data) + case TypeInputMessageVoiceNote: + return UnmarshalInputMessageVoiceNote(data) - case TypeInternalLinkTypeWebApp: - return UnmarshalInternalLinkTypeWebApp(data) + case TypeInputMessageLocation: + return UnmarshalInputMessageLocation(data) - case TypeMessageLink: - return UnmarshalMessageLink(data) + case TypeInputMessageVenue: + return UnmarshalInputMessageVenue(data) - case TypeMessageLinkInfo: - return UnmarshalMessageLinkInfo(data) + case TypeInputMessageContact: + return UnmarshalInputMessageContact(data) - case TypeFilePart: - return UnmarshalFilePart(data) + case TypeInputMessageDice: + return UnmarshalInputMessageDice(data) - case TypeFileTypeNone: - return UnmarshalFileTypeNone(data) + case TypeInputMessageGame: + return UnmarshalInputMessageGame(data) - case TypeFileTypeAnimation: - return UnmarshalFileTypeAnimation(data) + case TypeInputMessageInvoice: + return UnmarshalInputMessageInvoice(data) - case TypeFileTypeAudio: - return UnmarshalFileTypeAudio(data) + case TypeInputMessagePoll: + return UnmarshalInputMessagePoll(data) - case TypeFileTypeDocument: - return UnmarshalFileTypeDocument(data) + case TypeInputMessageStakeDice: + return UnmarshalInputMessageStakeDice(data) - case TypeFileTypeNotificationSound: - return UnmarshalFileTypeNotificationSound(data) + case TypeInputMessageStory: + return UnmarshalInputMessageStory(data) - case TypeFileTypePhoto: - return UnmarshalFileTypePhoto(data) + case TypeInputMessageChecklist: + return UnmarshalInputMessageChecklist(data) - case TypeFileTypeProfilePhoto: - return UnmarshalFileTypeProfilePhoto(data) + case TypeInputMessageForwarded: + return UnmarshalInputMessageForwarded(data) - case TypeFileTypeSecret: - return UnmarshalFileTypeSecret(data) + case TypeMessageProperties: + return UnmarshalMessageProperties(data) - case TypeFileTypeSecretThumbnail: - return UnmarshalFileTypeSecretThumbnail(data) + case TypeSearchMessagesFilterEmpty: + return UnmarshalSearchMessagesFilterEmpty(data) - case TypeFileTypeSecure: - return UnmarshalFileTypeSecure(data) + case TypeSearchMessagesFilterAnimation: + return UnmarshalSearchMessagesFilterAnimation(data) - case TypeFileTypeSticker: - return UnmarshalFileTypeSticker(data) + case TypeSearchMessagesFilterAudio: + return UnmarshalSearchMessagesFilterAudio(data) - case TypeFileTypeThumbnail: - return UnmarshalFileTypeThumbnail(data) + case TypeSearchMessagesFilterDocument: + return UnmarshalSearchMessagesFilterDocument(data) - case TypeFileTypeUnknown: - return UnmarshalFileTypeUnknown(data) + case TypeSearchMessagesFilterPhoto: + return UnmarshalSearchMessagesFilterPhoto(data) - case TypeFileTypeVideo: - return UnmarshalFileTypeVideo(data) + case TypeSearchMessagesFilterVideo: + return UnmarshalSearchMessagesFilterVideo(data) - case TypeFileTypeVideoNote: - return UnmarshalFileTypeVideoNote(data) + case TypeSearchMessagesFilterVoiceNote: + return UnmarshalSearchMessagesFilterVoiceNote(data) - case TypeFileTypeVoiceNote: - return UnmarshalFileTypeVoiceNote(data) + case TypeSearchMessagesFilterPhotoAndVideo: + return UnmarshalSearchMessagesFilterPhotoAndVideo(data) - case TypeFileTypeWallpaper: - return UnmarshalFileTypeWallpaper(data) + case TypeSearchMessagesFilterUrl: + return UnmarshalSearchMessagesFilterUrl(data) - case TypeStorageStatisticsByFileType: - return UnmarshalStorageStatisticsByFileType(data) + case TypeSearchMessagesFilterChatPhoto: + return UnmarshalSearchMessagesFilterChatPhoto(data) - case TypeStorageStatisticsByChat: - return UnmarshalStorageStatisticsByChat(data) + case TypeSearchMessagesFilterVideoNote: + return UnmarshalSearchMessagesFilterVideoNote(data) - case TypeStorageStatistics: - return UnmarshalStorageStatistics(data) + case TypeSearchMessagesFilterVoiceAndVideoNote: + return UnmarshalSearchMessagesFilterVoiceAndVideoNote(data) - case TypeStorageStatisticsFast: - return UnmarshalStorageStatisticsFast(data) + case TypeSearchMessagesFilterMention: + return UnmarshalSearchMessagesFilterMention(data) - case TypeDatabaseStatistics: - return UnmarshalDatabaseStatistics(data) + case TypeSearchMessagesFilterUnreadMention: + return UnmarshalSearchMessagesFilterUnreadMention(data) - case TypeNetworkTypeNone: - return UnmarshalNetworkTypeNone(data) + case TypeSearchMessagesFilterUnreadReaction: + return UnmarshalSearchMessagesFilterUnreadReaction(data) - case TypeNetworkTypeMobile: - return UnmarshalNetworkTypeMobile(data) + case TypeSearchMessagesFilterFailedToSend: + return UnmarshalSearchMessagesFilterFailedToSend(data) - case TypeNetworkTypeMobileRoaming: - return UnmarshalNetworkTypeMobileRoaming(data) + case TypeSearchMessagesFilterPinned: + return UnmarshalSearchMessagesFilterPinned(data) - case TypeNetworkTypeWiFi: - return UnmarshalNetworkTypeWiFi(data) + case TypeSearchMessagesChatTypeFilterPrivate: + return UnmarshalSearchMessagesChatTypeFilterPrivate(data) - case TypeNetworkTypeOther: - return UnmarshalNetworkTypeOther(data) + case TypeSearchMessagesChatTypeFilterGroup: + return UnmarshalSearchMessagesChatTypeFilterGroup(data) - case TypeNetworkStatisticsEntryFile: - return UnmarshalNetworkStatisticsEntryFile(data) + case TypeSearchMessagesChatTypeFilterChannel: + return UnmarshalSearchMessagesChatTypeFilterChannel(data) - case TypeNetworkStatisticsEntryCall: - return UnmarshalNetworkStatisticsEntryCall(data) + case TypeChatActionTyping: + return UnmarshalChatActionTyping(data) - case TypeNetworkStatistics: - return UnmarshalNetworkStatistics(data) + case TypeChatActionRecordingVideo: + return UnmarshalChatActionRecordingVideo(data) - case TypeAutoDownloadSettings: - return UnmarshalAutoDownloadSettings(data) + case TypeChatActionUploadingVideo: + return UnmarshalChatActionUploadingVideo(data) - case TypeAutoDownloadSettingsPresets: - return UnmarshalAutoDownloadSettingsPresets(data) + case TypeChatActionRecordingVoiceNote: + return UnmarshalChatActionRecordingVoiceNote(data) - case TypeAutosaveSettingsScopePrivateChats: - return UnmarshalAutosaveSettingsScopePrivateChats(data) + case TypeChatActionUploadingVoiceNote: + return UnmarshalChatActionUploadingVoiceNote(data) - case TypeAutosaveSettingsScopeGroupChats: - return UnmarshalAutosaveSettingsScopeGroupChats(data) + case TypeChatActionUploadingPhoto: + return UnmarshalChatActionUploadingPhoto(data) - case TypeAutosaveSettingsScopeChannelChats: - return UnmarshalAutosaveSettingsScopeChannelChats(data) + case TypeChatActionUploadingDocument: + return UnmarshalChatActionUploadingDocument(data) - case TypeAutosaveSettingsScopeChat: - return UnmarshalAutosaveSettingsScopeChat(data) + case TypeChatActionChoosingSticker: + return UnmarshalChatActionChoosingSticker(data) - case TypeScopeAutosaveSettings: - return UnmarshalScopeAutosaveSettings(data) + case TypeChatActionChoosingLocation: + return UnmarshalChatActionChoosingLocation(data) - case TypeAutosaveSettingsException: - return UnmarshalAutosaveSettingsException(data) + case TypeChatActionChoosingContact: + return UnmarshalChatActionChoosingContact(data) - case TypeAutosaveSettings: - return UnmarshalAutosaveSettings(data) + case TypeChatActionStartPlayingGame: + return UnmarshalChatActionStartPlayingGame(data) - case TypeConnectionStateWaitingForNetwork: - return UnmarshalConnectionStateWaitingForNetwork(data) + case TypeChatActionRecordingVideoNote: + return UnmarshalChatActionRecordingVideoNote(data) - case TypeConnectionStateConnectingToProxy: - return UnmarshalConnectionStateConnectingToProxy(data) + case TypeChatActionUploadingVideoNote: + return UnmarshalChatActionUploadingVideoNote(data) - case TypeConnectionStateConnecting: - return UnmarshalConnectionStateConnecting(data) + case TypeChatActionWatchingAnimations: + return UnmarshalChatActionWatchingAnimations(data) - case TypeConnectionStateUpdating: - return UnmarshalConnectionStateUpdating(data) + case TypeChatActionCancel: + return UnmarshalChatActionCancel(data) - case TypeConnectionStateReady: - return UnmarshalConnectionStateReady(data) + case TypeUserStatusEmpty: + return UnmarshalUserStatusEmpty(data) - case TypeTopChatCategoryUsers: - return UnmarshalTopChatCategoryUsers(data) + case TypeUserStatusOnline: + return UnmarshalUserStatusOnline(data) - case TypeTopChatCategoryBots: - return UnmarshalTopChatCategoryBots(data) + case TypeUserStatusOffline: + return UnmarshalUserStatusOffline(data) - case TypeTopChatCategoryGroups: - return UnmarshalTopChatCategoryGroups(data) + case TypeUserStatusRecently: + return UnmarshalUserStatusRecently(data) - case TypeTopChatCategoryChannels: - return UnmarshalTopChatCategoryChannels(data) + case TypeUserStatusLastWeek: + return UnmarshalUserStatusLastWeek(data) - case TypeTopChatCategoryInlineBots: - return UnmarshalTopChatCategoryInlineBots(data) + case TypeUserStatusLastMonth: + return UnmarshalUserStatusLastMonth(data) - case TypeTopChatCategoryCalls: - return UnmarshalTopChatCategoryCalls(data) + case TypeEmojiKeyword: + return UnmarshalEmojiKeyword(data) - case TypeTopChatCategoryForwardChats: - return UnmarshalTopChatCategoryForwardChats(data) + case TypeEmojiKeywords: + return UnmarshalEmojiKeywords(data) - case TypeTMeUrlTypeUser: - return UnmarshalTMeUrlTypeUser(data) + case TypeStickers: + return UnmarshalStickers(data) - case TypeTMeUrlTypeSupergroup: - return UnmarshalTMeUrlTypeSupergroup(data) + case TypeEmojis: + return UnmarshalEmojis(data) - case TypeTMeUrlTypeChatInvite: - return UnmarshalTMeUrlTypeChatInvite(data) + case TypeStickerSet: + return UnmarshalStickerSet(data) - case TypeTMeUrlTypeStickerSet: - return UnmarshalTMeUrlTypeStickerSet(data) + case TypeStickerSetInfo: + return UnmarshalStickerSetInfo(data) - case TypeTMeUrl: - return UnmarshalTMeUrl(data) + case TypeStickerSets: + return UnmarshalStickerSets(data) - case TypeTMeUrls: - return UnmarshalTMeUrls(data) + case TypeTrendingStickerSets: + return UnmarshalTrendingStickerSets(data) - case TypeSuggestedActionEnableArchiveAndMuteNewChats: - return UnmarshalSuggestedActionEnableArchiveAndMuteNewChats(data) + case TypeEmojiCategorySourceSearch: + return UnmarshalEmojiCategorySourceSearch(data) - case TypeSuggestedActionCheckPassword: - return UnmarshalSuggestedActionCheckPassword(data) + case TypeEmojiCategorySourcePremium: + return UnmarshalEmojiCategorySourcePremium(data) - case TypeSuggestedActionCheckPhoneNumber: - return UnmarshalSuggestedActionCheckPhoneNumber(data) + case TypeEmojiCategory: + return UnmarshalEmojiCategory(data) - case TypeSuggestedActionViewChecksHint: - return UnmarshalSuggestedActionViewChecksHint(data) + case TypeEmojiCategories: + return UnmarshalEmojiCategories(data) - case TypeSuggestedActionConvertToBroadcastGroup: - return UnmarshalSuggestedActionConvertToBroadcastGroup(data) + case TypeEmojiCategoryTypeDefault: + return UnmarshalEmojiCategoryTypeDefault(data) - case TypeSuggestedActionSetPassword: - return UnmarshalSuggestedActionSetPassword(data) + case TypeEmojiCategoryTypeRegularStickers: + return UnmarshalEmojiCategoryTypeRegularStickers(data) - case TypeSuggestedActionUpgradePremium: - return UnmarshalSuggestedActionUpgradePremium(data) + case TypeEmojiCategoryTypeEmojiStatus: + return UnmarshalEmojiCategoryTypeEmojiStatus(data) - case TypeSuggestedActionSubscribeToAnnualPremium: - return UnmarshalSuggestedActionSubscribeToAnnualPremium(data) + case TypeEmojiCategoryTypeChatPhoto: + return UnmarshalEmojiCategoryTypeChatPhoto(data) - case TypeCount: - return UnmarshalCount(data) + case TypeCurrentWeather: + return UnmarshalCurrentWeather(data) - case TypeText: - return UnmarshalText(data) + case TypeStoryAreaPosition: + return UnmarshalStoryAreaPosition(data) - case TypeSeconds: - return UnmarshalSeconds(data) + case TypeStoryAreaTypeLocation: + return UnmarshalStoryAreaTypeLocation(data) - case TypeFileDownloadedPrefixSize: - return UnmarshalFileDownloadedPrefixSize(data) + case TypeStoryAreaTypeVenue: + return UnmarshalStoryAreaTypeVenue(data) - case TypeDeepLinkInfo: - return UnmarshalDeepLinkInfo(data) + case TypeStoryAreaTypeSuggestedReaction: + return UnmarshalStoryAreaTypeSuggestedReaction(data) - case TypeTextParseModeMarkdown: - return UnmarshalTextParseModeMarkdown(data) + case TypeStoryAreaTypeMessage: + return UnmarshalStoryAreaTypeMessage(data) - case TypeTextParseModeHTML: - return UnmarshalTextParseModeHTML(data) + case TypeStoryAreaTypeLink: + return UnmarshalStoryAreaTypeLink(data) - case TypeProxyTypeSocks5: - return UnmarshalProxyTypeSocks5(data) + case TypeStoryAreaTypeWeather: + return UnmarshalStoryAreaTypeWeather(data) - case TypeProxyTypeHttp: - return UnmarshalProxyTypeHttp(data) + case TypeStoryAreaTypeUpgradedGift: + return UnmarshalStoryAreaTypeUpgradedGift(data) - case TypeProxyTypeMtproto: - return UnmarshalProxyTypeMtproto(data) + case TypeStoryArea: + return UnmarshalStoryArea(data) - case TypeProxy: - return UnmarshalProxy(data) + case TypeInputStoryAreaTypeLocation: + return UnmarshalInputStoryAreaTypeLocation(data) - case TypeProxies: - return UnmarshalProxies(data) + case TypeInputStoryAreaTypeFoundVenue: + return UnmarshalInputStoryAreaTypeFoundVenue(data) - case TypeInputSticker: - return UnmarshalInputSticker(data) + case TypeInputStoryAreaTypePreviousVenue: + return UnmarshalInputStoryAreaTypePreviousVenue(data) - case TypeDateRange: - return UnmarshalDateRange(data) + case TypeInputStoryAreaTypeSuggestedReaction: + return UnmarshalInputStoryAreaTypeSuggestedReaction(data) - case TypeStatisticalValue: - return UnmarshalStatisticalValue(data) + case TypeInputStoryAreaTypeMessage: + return UnmarshalInputStoryAreaTypeMessage(data) - case TypeStatisticalGraphData: - return UnmarshalStatisticalGraphData(data) + case TypeInputStoryAreaTypeLink: + return UnmarshalInputStoryAreaTypeLink(data) - case TypeStatisticalGraphAsync: - return UnmarshalStatisticalGraphAsync(data) + case TypeInputStoryAreaTypeWeather: + return UnmarshalInputStoryAreaTypeWeather(data) - case TypeStatisticalGraphError: - return UnmarshalStatisticalGraphError(data) + case TypeInputStoryAreaTypeUpgradedGift: + return UnmarshalInputStoryAreaTypeUpgradedGift(data) - case TypeChatStatisticsMessageInteractionInfo: - return UnmarshalChatStatisticsMessageInteractionInfo(data) + case TypeInputStoryArea: + return UnmarshalInputStoryArea(data) - case TypeChatStatisticsMessageSenderInfo: - return UnmarshalChatStatisticsMessageSenderInfo(data) + case TypeInputStoryAreas: + return UnmarshalInputStoryAreas(data) - case TypeChatStatisticsAdministratorActionsInfo: - return UnmarshalChatStatisticsAdministratorActionsInfo(data) + case TypeStoryVideo: + return UnmarshalStoryVideo(data) - case TypeChatStatisticsInviterInfo: - return UnmarshalChatStatisticsInviterInfo(data) + case TypeStoryContentTypePhoto: + return UnmarshalStoryContentTypePhoto(data) - case TypeChatStatisticsSupergroup: - return UnmarshalChatStatisticsSupergroup(data) + case TypeStoryContentTypeVideo: + return UnmarshalStoryContentTypeVideo(data) - case TypeChatStatisticsChannel: - return UnmarshalChatStatisticsChannel(data) + case TypeStoryContentTypeLive: + return UnmarshalStoryContentTypeLive(data) - case TypeMessageStatistics: - return UnmarshalMessageStatistics(data) + case TypeStoryContentTypeUnsupported: + return UnmarshalStoryContentTypeUnsupported(data) - case TypePoint: - return UnmarshalPoint(data) + case TypeStoryContentPhoto: + return UnmarshalStoryContentPhoto(data) - case TypeVectorPathCommandLine: - return UnmarshalVectorPathCommandLine(data) + case TypeStoryContentVideo: + return UnmarshalStoryContentVideo(data) - case TypeVectorPathCommandCubicBezierCurve: - return UnmarshalVectorPathCommandCubicBezierCurve(data) + case TypeStoryContentLive: + return UnmarshalStoryContentLive(data) - case TypeBotCommandScopeDefault: - return UnmarshalBotCommandScopeDefault(data) + case TypeStoryContentUnsupported: + return UnmarshalStoryContentUnsupported(data) - case TypeBotCommandScopeAllPrivateChats: - return UnmarshalBotCommandScopeAllPrivateChats(data) + case TypeInputStoryContentPhoto: + return UnmarshalInputStoryContentPhoto(data) - case TypeBotCommandScopeAllGroupChats: - return UnmarshalBotCommandScopeAllGroupChats(data) + case TypeInputStoryContentVideo: + return UnmarshalInputStoryContentVideo(data) - case TypeBotCommandScopeAllChatAdministrators: - return UnmarshalBotCommandScopeAllChatAdministrators(data) + case TypeStoryListMain: + return UnmarshalStoryListMain(data) - case TypeBotCommandScopeChat: - return UnmarshalBotCommandScopeChat(data) + case TypeStoryListArchive: + return UnmarshalStoryListArchive(data) - case TypeBotCommandScopeChatAdministrators: - return UnmarshalBotCommandScopeChatAdministrators(data) + case TypeStoryOriginPublicStory: + return UnmarshalStoryOriginPublicStory(data) - case TypeBotCommandScopeChatMember: - return UnmarshalBotCommandScopeChatMember(data) + case TypeStoryOriginHiddenUser: + return UnmarshalStoryOriginHiddenUser(data) - case TypeUpdateAuthorizationState: - return UnmarshalUpdateAuthorizationState(data) + case TypeStoryRepostInfo: + return UnmarshalStoryRepostInfo(data) - case TypeUpdateNewMessage: - return UnmarshalUpdateNewMessage(data) + case TypeStoryInteractionInfo: + return UnmarshalStoryInteractionInfo(data) - case TypeUpdateMessageSendAcknowledged: - return UnmarshalUpdateMessageSendAcknowledged(data) + case TypeStory: + return UnmarshalStory(data) - case TypeUpdateMessageSendSucceeded: - return UnmarshalUpdateMessageSendSucceeded(data) + case TypeStories: + return UnmarshalStories(data) - case TypeUpdateMessageSendFailed: - return UnmarshalUpdateMessageSendFailed(data) + case TypeFoundStories: + return UnmarshalFoundStories(data) - case TypeUpdateMessageContent: - return UnmarshalUpdateMessageContent(data) + case TypeStoryAlbum: + return UnmarshalStoryAlbum(data) - case TypeUpdateMessageEdited: - return UnmarshalUpdateMessageEdited(data) + case TypeStoryAlbums: + return UnmarshalStoryAlbums(data) - case TypeUpdateMessageIsPinned: - return UnmarshalUpdateMessageIsPinned(data) + case TypeStoryFullId: + return UnmarshalStoryFullId(data) - case TypeUpdateMessageInteractionInfo: - return UnmarshalUpdateMessageInteractionInfo(data) + case TypeStoryInfo: + return UnmarshalStoryInfo(data) - case TypeUpdateMessageContentOpened: - return UnmarshalUpdateMessageContentOpened(data) + case TypeChatActiveStories: + return UnmarshalChatActiveStories(data) - case TypeUpdateMessageMentionRead: - return UnmarshalUpdateMessageMentionRead(data) + case TypeStoryInteractionTypeView: + return UnmarshalStoryInteractionTypeView(data) - case TypeUpdateMessageUnreadReactions: - return UnmarshalUpdateMessageUnreadReactions(data) + case TypeStoryInteractionTypeForward: + return UnmarshalStoryInteractionTypeForward(data) - case TypeUpdateMessageLiveLocationViewed: - return UnmarshalUpdateMessageLiveLocationViewed(data) + case TypeStoryInteractionTypeRepost: + return UnmarshalStoryInteractionTypeRepost(data) - case TypeUpdateNewChat: - return UnmarshalUpdateNewChat(data) + case TypeStoryInteraction: + return UnmarshalStoryInteraction(data) - case TypeUpdateChatTitle: - return UnmarshalUpdateChatTitle(data) + case TypeStoryInteractions: + return UnmarshalStoryInteractions(data) - case TypeUpdateChatPhoto: - return UnmarshalUpdateChatPhoto(data) + case TypeQuickReplyMessage: + return UnmarshalQuickReplyMessage(data) - case TypeUpdateChatPermissions: - return UnmarshalUpdateChatPermissions(data) + case TypeQuickReplyMessages: + return UnmarshalQuickReplyMessages(data) - case TypeUpdateChatLastMessage: - return UnmarshalUpdateChatLastMessage(data) + case TypeQuickReplyShortcut: + return UnmarshalQuickReplyShortcut(data) - case TypeUpdateChatPosition: - return UnmarshalUpdateChatPosition(data) + case TypePublicForwardMessage: + return UnmarshalPublicForwardMessage(data) - case TypeUpdateChatReadInbox: - return UnmarshalUpdateChatReadInbox(data) + case TypePublicForwardStory: + return UnmarshalPublicForwardStory(data) - case TypeUpdateChatReadOutbox: - return UnmarshalUpdateChatReadOutbox(data) + case TypePublicForwards: + return UnmarshalPublicForwards(data) - case TypeUpdateChatActionBar: - return UnmarshalUpdateChatActionBar(data) + case TypeBotMediaPreview: + return UnmarshalBotMediaPreview(data) - case TypeUpdateChatAvailableReactions: - return UnmarshalUpdateChatAvailableReactions(data) + case TypeBotMediaPreviews: + return UnmarshalBotMediaPreviews(data) - case TypeUpdateChatDraftMessage: - return UnmarshalUpdateChatDraftMessage(data) + case TypeBotMediaPreviewInfo: + return UnmarshalBotMediaPreviewInfo(data) - case TypeUpdateChatMessageSender: - return UnmarshalUpdateChatMessageSender(data) + case TypeChatBoostLevelFeatures: + return UnmarshalChatBoostLevelFeatures(data) - case TypeUpdateChatMessageAutoDeleteTime: - return UnmarshalUpdateChatMessageAutoDeleteTime(data) + case TypeChatBoostFeatures: + return UnmarshalChatBoostFeatures(data) - case TypeUpdateChatNotificationSettings: - return UnmarshalUpdateChatNotificationSettings(data) + case TypeChatBoostSourceGiftCode: + return UnmarshalChatBoostSourceGiftCode(data) - case TypeUpdateChatPendingJoinRequests: - return UnmarshalUpdateChatPendingJoinRequests(data) + case TypeChatBoostSourceGiveaway: + return UnmarshalChatBoostSourceGiveaway(data) - case TypeUpdateChatReplyMarkup: - return UnmarshalUpdateChatReplyMarkup(data) + case TypeChatBoostSourcePremium: + return UnmarshalChatBoostSourcePremium(data) - case TypeUpdateChatTheme: - return UnmarshalUpdateChatTheme(data) + case TypePrepaidGiveaway: + return UnmarshalPrepaidGiveaway(data) - case TypeUpdateChatUnreadMentionCount: - return UnmarshalUpdateChatUnreadMentionCount(data) + case TypeChatBoostStatus: + return UnmarshalChatBoostStatus(data) - case TypeUpdateChatUnreadReactionCount: - return UnmarshalUpdateChatUnreadReactionCount(data) + case TypeChatBoost: + return UnmarshalChatBoost(data) - case TypeUpdateChatVideoChat: - return UnmarshalUpdateChatVideoChat(data) + case TypeFoundChatBoosts: + return UnmarshalFoundChatBoosts(data) - case TypeUpdateChatDefaultDisableNotification: - return UnmarshalUpdateChatDefaultDisableNotification(data) + case TypeChatBoostSlot: + return UnmarshalChatBoostSlot(data) - case TypeUpdateChatHasProtectedContent: - return UnmarshalUpdateChatHasProtectedContent(data) + case TypeChatBoostSlots: + return UnmarshalChatBoostSlots(data) - case TypeUpdateChatIsTranslatable: - return UnmarshalUpdateChatIsTranslatable(data) + case TypeResendCodeReasonUserRequest: + return UnmarshalResendCodeReasonUserRequest(data) - case TypeUpdateChatIsMarkedAsUnread: - return UnmarshalUpdateChatIsMarkedAsUnread(data) + case TypeResendCodeReasonVerificationFailed: + return UnmarshalResendCodeReasonVerificationFailed(data) - case TypeUpdateChatIsBlocked: - return UnmarshalUpdateChatIsBlocked(data) + case TypeCallDiscardReasonEmpty: + return UnmarshalCallDiscardReasonEmpty(data) - case TypeUpdateChatHasScheduledMessages: - return UnmarshalUpdateChatHasScheduledMessages(data) + case TypeCallDiscardReasonMissed: + return UnmarshalCallDiscardReasonMissed(data) - case TypeUpdateChatFilters: - return UnmarshalUpdateChatFilters(data) + case TypeCallDiscardReasonDeclined: + return UnmarshalCallDiscardReasonDeclined(data) - case TypeUpdateChatOnlineMemberCount: - return UnmarshalUpdateChatOnlineMemberCount(data) + case TypeCallDiscardReasonDisconnected: + return UnmarshalCallDiscardReasonDisconnected(data) - case TypeUpdateForumTopicInfo: - return UnmarshalUpdateForumTopicInfo(data) + case TypeCallDiscardReasonHungUp: + return UnmarshalCallDiscardReasonHungUp(data) - case TypeUpdateScopeNotificationSettings: - return UnmarshalUpdateScopeNotificationSettings(data) + case TypeCallDiscardReasonUpgradeToGroupCall: + return UnmarshalCallDiscardReasonUpgradeToGroupCall(data) - case TypeUpdateNotification: - return UnmarshalUpdateNotification(data) + case TypeCallProtocol: + return UnmarshalCallProtocol(data) - case TypeUpdateNotificationGroup: - return UnmarshalUpdateNotificationGroup(data) + case TypeCallServerTypeTelegramReflector: + return UnmarshalCallServerTypeTelegramReflector(data) - case TypeUpdateActiveNotifications: - return UnmarshalUpdateActiveNotifications(data) + case TypeCallServerTypeWebrtc: + return UnmarshalCallServerTypeWebrtc(data) - case TypeUpdateHavePendingNotifications: - return UnmarshalUpdateHavePendingNotifications(data) + case TypeCallServer: + return UnmarshalCallServer(data) - case TypeUpdateDeleteMessages: - return UnmarshalUpdateDeleteMessages(data) + case TypeCallId: + return UnmarshalCallId(data) - case TypeUpdateChatAction: - return UnmarshalUpdateChatAction(data) + case TypeGroupCallId: + return UnmarshalGroupCallId(data) - case TypeUpdateUserStatus: - return UnmarshalUpdateUserStatus(data) + case TypeCallStatePending: + return UnmarshalCallStatePending(data) - case TypeUpdateUser: - return UnmarshalUpdateUser(data) + case TypeCallStateExchangingKeys: + return UnmarshalCallStateExchangingKeys(data) - case TypeUpdateBasicGroup: - return UnmarshalUpdateBasicGroup(data) + case TypeCallStateReady: + return UnmarshalCallStateReady(data) - case TypeUpdateSupergroup: - return UnmarshalUpdateSupergroup(data) + case TypeCallStateHangingUp: + return UnmarshalCallStateHangingUp(data) - case TypeUpdateSecretChat: - return UnmarshalUpdateSecretChat(data) + case TypeCallStateDiscarded: + return UnmarshalCallStateDiscarded(data) - case TypeUpdateUserFullInfo: - return UnmarshalUpdateUserFullInfo(data) + case TypeCallStateError: + return UnmarshalCallStateError(data) - case TypeUpdateBasicGroupFullInfo: - return UnmarshalUpdateBasicGroupFullInfo(data) + case TypeGroupCallJoinParameters: + return UnmarshalGroupCallJoinParameters(data) - case TypeUpdateSupergroupFullInfo: - return UnmarshalUpdateSupergroupFullInfo(data) + case TypeGroupCallVideoQualityThumbnail: + return UnmarshalGroupCallVideoQualityThumbnail(data) - case TypeUpdateServiceNotification: - return UnmarshalUpdateServiceNotification(data) + case TypeGroupCallVideoQualityMedium: + return UnmarshalGroupCallVideoQualityMedium(data) - case TypeUpdateFile: - return UnmarshalUpdateFile(data) + case TypeGroupCallVideoQualityFull: + return UnmarshalGroupCallVideoQualityFull(data) - case TypeUpdateFileGenerationStart: - return UnmarshalUpdateFileGenerationStart(data) + case TypeGroupCallStream: + return UnmarshalGroupCallStream(data) - case TypeUpdateFileGenerationStop: - return UnmarshalUpdateFileGenerationStop(data) + case TypeGroupCallStreams: + return UnmarshalGroupCallStreams(data) - case TypeUpdateFileDownloads: - return UnmarshalUpdateFileDownloads(data) + case TypeRtmpUrl: + return UnmarshalRtmpUrl(data) - case TypeUpdateFileAddedToDownloads: - return UnmarshalUpdateFileAddedToDownloads(data) + case TypeGroupCallRecentSpeaker: + return UnmarshalGroupCallRecentSpeaker(data) - case TypeUpdateFileDownload: - return UnmarshalUpdateFileDownload(data) + case TypeGroupCall: + return UnmarshalGroupCall(data) - case TypeUpdateFileRemovedFromDownloads: - return UnmarshalUpdateFileRemovedFromDownloads(data) + case TypeGroupCallVideoSourceGroup: + return UnmarshalGroupCallVideoSourceGroup(data) - case TypeUpdateCall: - return UnmarshalUpdateCall(data) + case TypeGroupCallParticipantVideoInfo: + return UnmarshalGroupCallParticipantVideoInfo(data) - case TypeUpdateGroupCall: - return UnmarshalUpdateGroupCall(data) + case TypeGroupCallParticipant: + return UnmarshalGroupCallParticipant(data) - case TypeUpdateGroupCallParticipant: - return UnmarshalUpdateGroupCallParticipant(data) + case TypeGroupCallParticipants: + return UnmarshalGroupCallParticipants(data) - case TypeUpdateNewCallSignalingData: - return UnmarshalUpdateNewCallSignalingData(data) + case TypeGroupCallInfo: + return UnmarshalGroupCallInfo(data) - case TypeUpdateUserPrivacySettingRules: - return UnmarshalUpdateUserPrivacySettingRules(data) + case TypeGroupCallMessage: + return UnmarshalGroupCallMessage(data) - case TypeUpdateUnreadMessageCount: - return UnmarshalUpdateUnreadMessageCount(data) + case TypeGroupCallMessageLevel: + return UnmarshalGroupCallMessageLevel(data) - case TypeUpdateUnreadChatCount: - return UnmarshalUpdateUnreadChatCount(data) + case TypeInviteGroupCallParticipantResultUserPrivacyRestricted: + return UnmarshalInviteGroupCallParticipantResultUserPrivacyRestricted(data) - case TypeUpdateOption: - return UnmarshalUpdateOption(data) + case TypeInviteGroupCallParticipantResultUserAlreadyParticipant: + return UnmarshalInviteGroupCallParticipantResultUserAlreadyParticipant(data) - case TypeUpdateStickerSet: - return UnmarshalUpdateStickerSet(data) + case TypeInviteGroupCallParticipantResultUserWasBanned: + return UnmarshalInviteGroupCallParticipantResultUserWasBanned(data) - case TypeUpdateInstalledStickerSets: - return UnmarshalUpdateInstalledStickerSets(data) + case TypeInviteGroupCallParticipantResultSuccess: + return UnmarshalInviteGroupCallParticipantResultSuccess(data) - case TypeUpdateTrendingStickerSets: - return UnmarshalUpdateTrendingStickerSets(data) + case TypeGroupCallDataChannelMain: + return UnmarshalGroupCallDataChannelMain(data) - case TypeUpdateRecentStickers: - return UnmarshalUpdateRecentStickers(data) + case TypeGroupCallDataChannelScreenSharing: + return UnmarshalGroupCallDataChannelScreenSharing(data) - case TypeUpdateFavoriteStickers: - return UnmarshalUpdateFavoriteStickers(data) + case TypeInputGroupCallLink: + return UnmarshalInputGroupCallLink(data) - case TypeUpdateSavedAnimations: - return UnmarshalUpdateSavedAnimations(data) + case TypeInputGroupCallMessage: + return UnmarshalInputGroupCallMessage(data) - case TypeUpdateSavedNotificationSounds: - return UnmarshalUpdateSavedNotificationSounds(data) + case TypeCallProblemEcho: + return UnmarshalCallProblemEcho(data) - case TypeUpdateSelectedBackground: - return UnmarshalUpdateSelectedBackground(data) + case TypeCallProblemNoise: + return UnmarshalCallProblemNoise(data) - case TypeUpdateChatThemes: - return UnmarshalUpdateChatThemes(data) + case TypeCallProblemInterruptions: + return UnmarshalCallProblemInterruptions(data) - case TypeUpdateLanguagePackStrings: - return UnmarshalUpdateLanguagePackStrings(data) + case TypeCallProblemDistortedSpeech: + return UnmarshalCallProblemDistortedSpeech(data) - case TypeUpdateConnectionState: - return UnmarshalUpdateConnectionState(data) + case TypeCallProblemSilentLocal: + return UnmarshalCallProblemSilentLocal(data) - case TypeUpdateTermsOfService: - return UnmarshalUpdateTermsOfService(data) + case TypeCallProblemSilentRemote: + return UnmarshalCallProblemSilentRemote(data) - case TypeUpdateUsersNearby: - return UnmarshalUpdateUsersNearby(data) + case TypeCallProblemDropped: + return UnmarshalCallProblemDropped(data) - case TypeUpdateAttachmentMenuBots: - return UnmarshalUpdateAttachmentMenuBots(data) + case TypeCallProblemDistortedVideo: + return UnmarshalCallProblemDistortedVideo(data) - case TypeUpdateWebAppMessageSent: - return UnmarshalUpdateWebAppMessageSent(data) + case TypeCallProblemPixelatedVideo: + return UnmarshalCallProblemPixelatedVideo(data) - case TypeUpdateActiveEmojiReactions: - return UnmarshalUpdateActiveEmojiReactions(data) + case TypeCall: + return UnmarshalCall(data) - case TypeUpdateDefaultReactionType: - return UnmarshalUpdateDefaultReactionType(data) + case TypeFirebaseAuthenticationSettingsAndroid: + return UnmarshalFirebaseAuthenticationSettingsAndroid(data) - case TypeUpdateDiceEmojis: - return UnmarshalUpdateDiceEmojis(data) + case TypeFirebaseAuthenticationSettingsIos: + return UnmarshalFirebaseAuthenticationSettingsIos(data) - case TypeUpdateAnimatedEmojiMessageClicked: - return UnmarshalUpdateAnimatedEmojiMessageClicked(data) + case TypePhoneNumberAuthenticationSettings: + return UnmarshalPhoneNumberAuthenticationSettings(data) - case TypeUpdateAnimationSearchParameters: - return UnmarshalUpdateAnimationSearchParameters(data) + case TypeAddedReaction: + return UnmarshalAddedReaction(data) - case TypeUpdateSuggestedActions: - return UnmarshalUpdateSuggestedActions(data) + case TypeAddedReactions: + return UnmarshalAddedReactions(data) - case TypeUpdateAddChatMembersPrivacyForbidden: - return UnmarshalUpdateAddChatMembersPrivacyForbidden(data) + case TypeAvailableReaction: + return UnmarshalAvailableReaction(data) - case TypeUpdateAutosaveSettings: - return UnmarshalUpdateAutosaveSettings(data) + case TypeAvailableReactions: + return UnmarshalAvailableReactions(data) - case TypeUpdateNewInlineQuery: - return UnmarshalUpdateNewInlineQuery(data) + case TypeEmojiReaction: + return UnmarshalEmojiReaction(data) - case TypeUpdateNewChosenInlineResult: - return UnmarshalUpdateNewChosenInlineResult(data) + case TypeReactionUnavailabilityReasonAnonymousAdministrator: + return UnmarshalReactionUnavailabilityReasonAnonymousAdministrator(data) - case TypeUpdateNewCallbackQuery: - return UnmarshalUpdateNewCallbackQuery(data) + case TypeReactionUnavailabilityReasonGuest: + return UnmarshalReactionUnavailabilityReasonGuest(data) - case TypeUpdateNewInlineCallbackQuery: - return UnmarshalUpdateNewInlineCallbackQuery(data) + case TypeAnimations: + return UnmarshalAnimations(data) - case TypeUpdateNewShippingQuery: - return UnmarshalUpdateNewShippingQuery(data) + case TypeDiceStickersRegular: + return UnmarshalDiceStickersRegular(data) - case TypeUpdateNewPreCheckoutQuery: - return UnmarshalUpdateNewPreCheckoutQuery(data) + case TypeDiceStickersSlotMachine: + return UnmarshalDiceStickersSlotMachine(data) - case TypeUpdateNewCustomEvent: - return UnmarshalUpdateNewCustomEvent(data) + case TypeImportedContact: + return UnmarshalImportedContact(data) - case TypeUpdateNewCustomQuery: - return UnmarshalUpdateNewCustomQuery(data) + case TypeImportedContacts: + return UnmarshalImportedContacts(data) - case TypeUpdatePoll: - return UnmarshalUpdatePoll(data) + case TypeSpeechRecognitionResultPending: + return UnmarshalSpeechRecognitionResultPending(data) - case TypeUpdatePollAnswer: - return UnmarshalUpdatePollAnswer(data) + case TypeSpeechRecognitionResultText: + return UnmarshalSpeechRecognitionResultText(data) - case TypeUpdateChatMember: - return UnmarshalUpdateChatMember(data) + case TypeSpeechRecognitionResultError: + return UnmarshalSpeechRecognitionResultError(data) - case TypeUpdateNewChatJoinRequest: - return UnmarshalUpdateNewChatJoinRequest(data) + case TypeBusinessConnection: + return UnmarshalBusinessConnection(data) - case TypeUpdates: - return UnmarshalUpdates(data) + case TypeAttachmentMenuBotColor: + return UnmarshalAttachmentMenuBotColor(data) - case TypeLogStreamDefault: - return UnmarshalLogStreamDefault(data) + case TypeAttachmentMenuBot: + return UnmarshalAttachmentMenuBot(data) - case TypeLogStreamFile: - return UnmarshalLogStreamFile(data) + case TypeSentWebAppMessage: + return UnmarshalSentWebAppMessage(data) - case TypeLogStreamEmpty: - return UnmarshalLogStreamEmpty(data) + case TypeBotWriteAccessAllowReasonConnectedWebsite: + return UnmarshalBotWriteAccessAllowReasonConnectedWebsite(data) - case TypeLogVerbosityLevel: - return UnmarshalLogVerbosityLevel(data) + case TypeBotWriteAccessAllowReasonAddedToAttachmentMenu: + return UnmarshalBotWriteAccessAllowReasonAddedToAttachmentMenu(data) - case TypeLogTags: - return UnmarshalLogTags(data) + case TypeBotWriteAccessAllowReasonLaunchedWebApp: + return UnmarshalBotWriteAccessAllowReasonLaunchedWebApp(data) - case TypeUserSupportInfo: - return UnmarshalUserSupportInfo(data) + case TypeBotWriteAccessAllowReasonAcceptedRequest: + return UnmarshalBotWriteAccessAllowReasonAcceptedRequest(data) - case TypeTestInt: - return UnmarshalTestInt(data) + case TypeHttpUrl: + return UnmarshalHttpUrl(data) - case TypeTestString: - return UnmarshalTestString(data) + case TypeUserLink: + return UnmarshalUserLink(data) - case TypeTestBytes: - return UnmarshalTestBytes(data) + case TypeTargetChatTypes: + return UnmarshalTargetChatTypes(data) - case TypeTestVectorInt: - return UnmarshalTestVectorInt(data) + case TypeTargetChatCurrent: + return UnmarshalTargetChatCurrent(data) - case TypeTestVectorIntObject: - return UnmarshalTestVectorIntObject(data) + case TypeTargetChatChosen: + return UnmarshalTargetChatChosen(data) - case TypeTestVectorString: - return UnmarshalTestVectorString(data) + case TypeTargetChatInternalLink: + return UnmarshalTargetChatInternalLink(data) - case TypeTestVectorStringObject: - return UnmarshalTestVectorStringObject(data) + case TypeInputInlineQueryResultAnimation: + return UnmarshalInputInlineQueryResultAnimation(data) - default: - return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) - } + case TypeInputInlineQueryResultArticle: + return UnmarshalInputInlineQueryResultArticle(data) + + case TypeInputInlineQueryResultAudio: + return UnmarshalInputInlineQueryResultAudio(data) + + case TypeInputInlineQueryResultContact: + return UnmarshalInputInlineQueryResultContact(data) + + case TypeInputInlineQueryResultDocument: + return UnmarshalInputInlineQueryResultDocument(data) + + case TypeInputInlineQueryResultGame: + return UnmarshalInputInlineQueryResultGame(data) + + case TypeInputInlineQueryResultLocation: + return UnmarshalInputInlineQueryResultLocation(data) + + case TypeInputInlineQueryResultPhoto: + return UnmarshalInputInlineQueryResultPhoto(data) + + case TypeInputInlineQueryResultSticker: + return UnmarshalInputInlineQueryResultSticker(data) + + case TypeInputInlineQueryResultVenue: + return UnmarshalInputInlineQueryResultVenue(data) + + case TypeInputInlineQueryResultVideo: + return UnmarshalInputInlineQueryResultVideo(data) + + case TypeInputInlineQueryResultVoiceNote: + return UnmarshalInputInlineQueryResultVoiceNote(data) + + case TypeInlineQueryResultArticle: + return UnmarshalInlineQueryResultArticle(data) + + case TypeInlineQueryResultContact: + return UnmarshalInlineQueryResultContact(data) + + case TypeInlineQueryResultLocation: + return UnmarshalInlineQueryResultLocation(data) + + case TypeInlineQueryResultVenue: + return UnmarshalInlineQueryResultVenue(data) + + case TypeInlineQueryResultGame: + return UnmarshalInlineQueryResultGame(data) + + case TypeInlineQueryResultAnimation: + return UnmarshalInlineQueryResultAnimation(data) + + case TypeInlineQueryResultAudio: + return UnmarshalInlineQueryResultAudio(data) + + case TypeInlineQueryResultDocument: + return UnmarshalInlineQueryResultDocument(data) + + case TypeInlineQueryResultPhoto: + return UnmarshalInlineQueryResultPhoto(data) + + case TypeInlineQueryResultSticker: + return UnmarshalInlineQueryResultSticker(data) + + case TypeInlineQueryResultVideo: + return UnmarshalInlineQueryResultVideo(data) + + case TypeInlineQueryResultVoiceNote: + return UnmarshalInlineQueryResultVoiceNote(data) + + case TypeInlineQueryResultsButtonTypeStartBot: + return UnmarshalInlineQueryResultsButtonTypeStartBot(data) + + case TypeInlineQueryResultsButtonTypeWebApp: + return UnmarshalInlineQueryResultsButtonTypeWebApp(data) + + case TypeInlineQueryResultsButton: + return UnmarshalInlineQueryResultsButton(data) + + case TypeInlineQueryResults: + return UnmarshalInlineQueryResults(data) + + case TypePreparedInlineMessageId: + return UnmarshalPreparedInlineMessageId(data) + + case TypePreparedInlineMessage: + return UnmarshalPreparedInlineMessage(data) + + case TypeCallbackQueryPayloadData: + return UnmarshalCallbackQueryPayloadData(data) + + case TypeCallbackQueryPayloadDataWithPassword: + return UnmarshalCallbackQueryPayloadDataWithPassword(data) + + case TypeCallbackQueryPayloadGame: + return UnmarshalCallbackQueryPayloadGame(data) + + case TypeCallbackQueryAnswer: + return UnmarshalCallbackQueryAnswer(data) + + case TypeCustomRequestResult: + return UnmarshalCustomRequestResult(data) + + case TypeGameHighScore: + return UnmarshalGameHighScore(data) + + case TypeGameHighScores: + return UnmarshalGameHighScores(data) + + case TypeChatEventMessageEdited: + return UnmarshalChatEventMessageEdited(data) + + case TypeChatEventMessageDeleted: + return UnmarshalChatEventMessageDeleted(data) + + case TypeChatEventMessagePinned: + return UnmarshalChatEventMessagePinned(data) + + case TypeChatEventMessageUnpinned: + return UnmarshalChatEventMessageUnpinned(data) + + case TypeChatEventPollStopped: + return UnmarshalChatEventPollStopped(data) + + case TypeChatEventMemberJoined: + return UnmarshalChatEventMemberJoined(data) + + case TypeChatEventMemberJoinedByInviteLink: + return UnmarshalChatEventMemberJoinedByInviteLink(data) + + case TypeChatEventMemberJoinedByRequest: + return UnmarshalChatEventMemberJoinedByRequest(data) + + case TypeChatEventMemberInvited: + return UnmarshalChatEventMemberInvited(data) + + case TypeChatEventMemberLeft: + return UnmarshalChatEventMemberLeft(data) + + case TypeChatEventMemberPromoted: + return UnmarshalChatEventMemberPromoted(data) + + case TypeChatEventMemberRestricted: + return UnmarshalChatEventMemberRestricted(data) + + case TypeChatEventMemberSubscriptionExtended: + return UnmarshalChatEventMemberSubscriptionExtended(data) + + case TypeChatEventAvailableReactionsChanged: + return UnmarshalChatEventAvailableReactionsChanged(data) + + case TypeChatEventBackgroundChanged: + return UnmarshalChatEventBackgroundChanged(data) + + case TypeChatEventDescriptionChanged: + return UnmarshalChatEventDescriptionChanged(data) + + case TypeChatEventEmojiStatusChanged: + return UnmarshalChatEventEmojiStatusChanged(data) + + case TypeChatEventLinkedChatChanged: + return UnmarshalChatEventLinkedChatChanged(data) + + case TypeChatEventLocationChanged: + return UnmarshalChatEventLocationChanged(data) + + case TypeChatEventMessageAutoDeleteTimeChanged: + return UnmarshalChatEventMessageAutoDeleteTimeChanged(data) + + case TypeChatEventPermissionsChanged: + return UnmarshalChatEventPermissionsChanged(data) + + case TypeChatEventPhotoChanged: + return UnmarshalChatEventPhotoChanged(data) + + case TypeChatEventSlowModeDelayChanged: + return UnmarshalChatEventSlowModeDelayChanged(data) + + case TypeChatEventStickerSetChanged: + return UnmarshalChatEventStickerSetChanged(data) + + case TypeChatEventCustomEmojiStickerSetChanged: + return UnmarshalChatEventCustomEmojiStickerSetChanged(data) + + case TypeChatEventTitleChanged: + return UnmarshalChatEventTitleChanged(data) + + case TypeChatEventUsernameChanged: + return UnmarshalChatEventUsernameChanged(data) + + case TypeChatEventActiveUsernamesChanged: + return UnmarshalChatEventActiveUsernamesChanged(data) + + case TypeChatEventAccentColorChanged: + return UnmarshalChatEventAccentColorChanged(data) + + case TypeChatEventProfileAccentColorChanged: + return UnmarshalChatEventProfileAccentColorChanged(data) + + case TypeChatEventHasProtectedContentToggled: + return UnmarshalChatEventHasProtectedContentToggled(data) + + case TypeChatEventInvitesToggled: + return UnmarshalChatEventInvitesToggled(data) + + case TypeChatEventIsAllHistoryAvailableToggled: + return UnmarshalChatEventIsAllHistoryAvailableToggled(data) + + case TypeChatEventHasAggressiveAntiSpamEnabledToggled: + return UnmarshalChatEventHasAggressiveAntiSpamEnabledToggled(data) + + case TypeChatEventSignMessagesToggled: + return UnmarshalChatEventSignMessagesToggled(data) + + case TypeChatEventShowMessageSenderToggled: + return UnmarshalChatEventShowMessageSenderToggled(data) + + case TypeChatEventAutomaticTranslationToggled: + return UnmarshalChatEventAutomaticTranslationToggled(data) + + case TypeChatEventInviteLinkEdited: + return UnmarshalChatEventInviteLinkEdited(data) + + case TypeChatEventInviteLinkRevoked: + return UnmarshalChatEventInviteLinkRevoked(data) + + case TypeChatEventInviteLinkDeleted: + return UnmarshalChatEventInviteLinkDeleted(data) + + case TypeChatEventVideoChatCreated: + return UnmarshalChatEventVideoChatCreated(data) + + case TypeChatEventVideoChatEnded: + return UnmarshalChatEventVideoChatEnded(data) + + case TypeChatEventVideoChatMuteNewParticipantsToggled: + return UnmarshalChatEventVideoChatMuteNewParticipantsToggled(data) + + case TypeChatEventVideoChatParticipantIsMutedToggled: + return UnmarshalChatEventVideoChatParticipantIsMutedToggled(data) + + case TypeChatEventVideoChatParticipantVolumeLevelChanged: + return UnmarshalChatEventVideoChatParticipantVolumeLevelChanged(data) + + case TypeChatEventIsForumToggled: + return UnmarshalChatEventIsForumToggled(data) + + case TypeChatEventForumTopicCreated: + return UnmarshalChatEventForumTopicCreated(data) + + case TypeChatEventForumTopicEdited: + return UnmarshalChatEventForumTopicEdited(data) + + case TypeChatEventForumTopicToggleIsClosed: + return UnmarshalChatEventForumTopicToggleIsClosed(data) + + case TypeChatEventForumTopicToggleIsHidden: + return UnmarshalChatEventForumTopicToggleIsHidden(data) + + case TypeChatEventForumTopicDeleted: + return UnmarshalChatEventForumTopicDeleted(data) + + case TypeChatEventForumTopicPinned: + return UnmarshalChatEventForumTopicPinned(data) + + case TypeChatEvent: + return UnmarshalChatEvent(data) + + case TypeChatEvents: + return UnmarshalChatEvents(data) + + case TypeChatEventLogFilters: + return UnmarshalChatEventLogFilters(data) + + case TypeLanguagePackStringValueOrdinary: + return UnmarshalLanguagePackStringValueOrdinary(data) + + case TypeLanguagePackStringValuePluralized: + return UnmarshalLanguagePackStringValuePluralized(data) + + case TypeLanguagePackStringValueDeleted: + return UnmarshalLanguagePackStringValueDeleted(data) + + case TypeLanguagePackString: + return UnmarshalLanguagePackString(data) + + case TypeLanguagePackStrings: + return UnmarshalLanguagePackStrings(data) + + case TypeLanguagePackInfo: + return UnmarshalLanguagePackInfo(data) + + case TypeLocalizationTargetInfo: + return UnmarshalLocalizationTargetInfo(data) + + case TypePremiumLimitTypeSupergroupCount: + return UnmarshalPremiumLimitTypeSupergroupCount(data) + + case TypePremiumLimitTypePinnedChatCount: + return UnmarshalPremiumLimitTypePinnedChatCount(data) + + case TypePremiumLimitTypeCreatedPublicChatCount: + return UnmarshalPremiumLimitTypeCreatedPublicChatCount(data) + + case TypePremiumLimitTypeSavedAnimationCount: + return UnmarshalPremiumLimitTypeSavedAnimationCount(data) + + case TypePremiumLimitTypeFavoriteStickerCount: + return UnmarshalPremiumLimitTypeFavoriteStickerCount(data) + + case TypePremiumLimitTypeChatFolderCount: + return UnmarshalPremiumLimitTypeChatFolderCount(data) + + case TypePremiumLimitTypeChatFolderChosenChatCount: + return UnmarshalPremiumLimitTypeChatFolderChosenChatCount(data) + + case TypePremiumLimitTypePinnedArchivedChatCount: + return UnmarshalPremiumLimitTypePinnedArchivedChatCount(data) + + case TypePremiumLimitTypePinnedSavedMessagesTopicCount: + return UnmarshalPremiumLimitTypePinnedSavedMessagesTopicCount(data) + + case TypePremiumLimitTypeCaptionLength: + return UnmarshalPremiumLimitTypeCaptionLength(data) + + case TypePremiumLimitTypeBioLength: + return UnmarshalPremiumLimitTypeBioLength(data) + + case TypePremiumLimitTypeChatFolderInviteLinkCount: + return UnmarshalPremiumLimitTypeChatFolderInviteLinkCount(data) + + case TypePremiumLimitTypeShareableChatFolderCount: + return UnmarshalPremiumLimitTypeShareableChatFolderCount(data) + + case TypePremiumLimitTypeActiveStoryCount: + return UnmarshalPremiumLimitTypeActiveStoryCount(data) + + case TypePremiumLimitTypeWeeklyPostedStoryCount: + return UnmarshalPremiumLimitTypeWeeklyPostedStoryCount(data) + + case TypePremiumLimitTypeMonthlyPostedStoryCount: + return UnmarshalPremiumLimitTypeMonthlyPostedStoryCount(data) + + case TypePremiumLimitTypeStoryCaptionLength: + return UnmarshalPremiumLimitTypeStoryCaptionLength(data) + + case TypePremiumLimitTypeStorySuggestedReactionAreaCount: + return UnmarshalPremiumLimitTypeStorySuggestedReactionAreaCount(data) + + case TypePremiumLimitTypeSimilarChatCount: + return UnmarshalPremiumLimitTypeSimilarChatCount(data) + + case TypePremiumFeatureIncreasedLimits: + return UnmarshalPremiumFeatureIncreasedLimits(data) + + case TypePremiumFeatureIncreasedUploadFileSize: + return UnmarshalPremiumFeatureIncreasedUploadFileSize(data) + + case TypePremiumFeatureImprovedDownloadSpeed: + return UnmarshalPremiumFeatureImprovedDownloadSpeed(data) + + case TypePremiumFeatureVoiceRecognition: + return UnmarshalPremiumFeatureVoiceRecognition(data) + + case TypePremiumFeatureDisabledAds: + return UnmarshalPremiumFeatureDisabledAds(data) + + case TypePremiumFeatureUniqueReactions: + return UnmarshalPremiumFeatureUniqueReactions(data) + + case TypePremiumFeatureUniqueStickers: + return UnmarshalPremiumFeatureUniqueStickers(data) + + case TypePremiumFeatureCustomEmoji: + return UnmarshalPremiumFeatureCustomEmoji(data) + + case TypePremiumFeatureAdvancedChatManagement: + return UnmarshalPremiumFeatureAdvancedChatManagement(data) + + case TypePremiumFeatureProfileBadge: + return UnmarshalPremiumFeatureProfileBadge(data) + + case TypePremiumFeatureEmojiStatus: + return UnmarshalPremiumFeatureEmojiStatus(data) + + case TypePremiumFeatureAnimatedProfilePhoto: + return UnmarshalPremiumFeatureAnimatedProfilePhoto(data) + + case TypePremiumFeatureForumTopicIcon: + return UnmarshalPremiumFeatureForumTopicIcon(data) + + case TypePremiumFeatureAppIcons: + return UnmarshalPremiumFeatureAppIcons(data) + + case TypePremiumFeatureRealTimeChatTranslation: + return UnmarshalPremiumFeatureRealTimeChatTranslation(data) + + case TypePremiumFeatureUpgradedStories: + return UnmarshalPremiumFeatureUpgradedStories(data) + + case TypePremiumFeatureChatBoost: + return UnmarshalPremiumFeatureChatBoost(data) + + case TypePremiumFeatureAccentColor: + return UnmarshalPremiumFeatureAccentColor(data) + + case TypePremiumFeatureBackgroundForBoth: + return UnmarshalPremiumFeatureBackgroundForBoth(data) + + case TypePremiumFeatureSavedMessagesTags: + return UnmarshalPremiumFeatureSavedMessagesTags(data) + + case TypePremiumFeatureMessagePrivacy: + return UnmarshalPremiumFeatureMessagePrivacy(data) + + case TypePremiumFeatureLastSeenTimes: + return UnmarshalPremiumFeatureLastSeenTimes(data) + + case TypePremiumFeatureBusiness: + return UnmarshalPremiumFeatureBusiness(data) + + case TypePremiumFeatureMessageEffects: + return UnmarshalPremiumFeatureMessageEffects(data) + + case TypePremiumFeatureChecklists: + return UnmarshalPremiumFeatureChecklists(data) + + case TypePremiumFeaturePaidMessages: + return UnmarshalPremiumFeaturePaidMessages(data) + + case TypeBusinessFeatureLocation: + return UnmarshalBusinessFeatureLocation(data) + + case TypeBusinessFeatureOpeningHours: + return UnmarshalBusinessFeatureOpeningHours(data) + + case TypeBusinessFeatureQuickReplies: + return UnmarshalBusinessFeatureQuickReplies(data) + + case TypeBusinessFeatureGreetingMessage: + return UnmarshalBusinessFeatureGreetingMessage(data) + + case TypeBusinessFeatureAwayMessage: + return UnmarshalBusinessFeatureAwayMessage(data) + + case TypeBusinessFeatureAccountLinks: + return UnmarshalBusinessFeatureAccountLinks(data) + + case TypeBusinessFeatureStartPage: + return UnmarshalBusinessFeatureStartPage(data) + + case TypeBusinessFeatureBots: + return UnmarshalBusinessFeatureBots(data) + + case TypeBusinessFeatureEmojiStatus: + return UnmarshalBusinessFeatureEmojiStatus(data) + + case TypeBusinessFeatureChatFolderTags: + return UnmarshalBusinessFeatureChatFolderTags(data) + + case TypeBusinessFeatureUpgradedStories: + return UnmarshalBusinessFeatureUpgradedStories(data) + + case TypePremiumStoryFeaturePriorityOrder: + return UnmarshalPremiumStoryFeaturePriorityOrder(data) + + case TypePremiumStoryFeatureStealthMode: + return UnmarshalPremiumStoryFeatureStealthMode(data) + + case TypePremiumStoryFeaturePermanentViewsHistory: + return UnmarshalPremiumStoryFeaturePermanentViewsHistory(data) + + case TypePremiumStoryFeatureCustomExpirationDuration: + return UnmarshalPremiumStoryFeatureCustomExpirationDuration(data) + + case TypePremiumStoryFeatureSaveStories: + return UnmarshalPremiumStoryFeatureSaveStories(data) + + case TypePremiumStoryFeatureLinksAndFormatting: + return UnmarshalPremiumStoryFeatureLinksAndFormatting(data) + + case TypePremiumStoryFeatureVideoQuality: + return UnmarshalPremiumStoryFeatureVideoQuality(data) + + case TypePremiumLimit: + return UnmarshalPremiumLimit(data) + + case TypePremiumFeatures: + return UnmarshalPremiumFeatures(data) + + case TypeBusinessFeatures: + return UnmarshalBusinessFeatures(data) + + case TypePremiumSourceLimitExceeded: + return UnmarshalPremiumSourceLimitExceeded(data) + + case TypePremiumSourceFeature: + return UnmarshalPremiumSourceFeature(data) + + case TypePremiumSourceBusinessFeature: + return UnmarshalPremiumSourceBusinessFeature(data) + + case TypePremiumSourceStoryFeature: + return UnmarshalPremiumSourceStoryFeature(data) + + case TypePremiumSourceLink: + return UnmarshalPremiumSourceLink(data) + + case TypePremiumSourceSettings: + return UnmarshalPremiumSourceSettings(data) + + case TypePremiumFeaturePromotionAnimation: + return UnmarshalPremiumFeaturePromotionAnimation(data) + + case TypeBusinessFeaturePromotionAnimation: + return UnmarshalBusinessFeaturePromotionAnimation(data) + + case TypePremiumState: + return UnmarshalPremiumState(data) + + case TypeStorePaymentPurposePremiumSubscription: + return UnmarshalStorePaymentPurposePremiumSubscription(data) + + case TypeStorePaymentPurposePremiumGift: + return UnmarshalStorePaymentPurposePremiumGift(data) + + case TypeStorePaymentPurposePremiumGiftCodes: + return UnmarshalStorePaymentPurposePremiumGiftCodes(data) + + case TypeStorePaymentPurposePremiumGiveaway: + return UnmarshalStorePaymentPurposePremiumGiveaway(data) + + case TypeStorePaymentPurposeStarGiveaway: + return UnmarshalStorePaymentPurposeStarGiveaway(data) + + case TypeStorePaymentPurposeStars: + return UnmarshalStorePaymentPurposeStars(data) + + case TypeStorePaymentPurposeGiftedStars: + return UnmarshalStorePaymentPurposeGiftedStars(data) + + case TypeStoreTransactionAppStore: + return UnmarshalStoreTransactionAppStore(data) + + case TypeStoreTransactionGooglePlay: + return UnmarshalStoreTransactionGooglePlay(data) + + case TypeTelegramPaymentPurposePremiumGift: + return UnmarshalTelegramPaymentPurposePremiumGift(data) + + case TypeTelegramPaymentPurposePremiumGiftCodes: + return UnmarshalTelegramPaymentPurposePremiumGiftCodes(data) + + case TypeTelegramPaymentPurposePremiumGiveaway: + return UnmarshalTelegramPaymentPurposePremiumGiveaway(data) + + case TypeTelegramPaymentPurposeStars: + return UnmarshalTelegramPaymentPurposeStars(data) + + case TypeTelegramPaymentPurposeGiftedStars: + return UnmarshalTelegramPaymentPurposeGiftedStars(data) + + case TypeTelegramPaymentPurposeStarGiveaway: + return UnmarshalTelegramPaymentPurposeStarGiveaway(data) + + case TypeTelegramPaymentPurposeJoinChat: + return UnmarshalTelegramPaymentPurposeJoinChat(data) + + case TypeDeviceTokenFirebaseCloudMessaging: + return UnmarshalDeviceTokenFirebaseCloudMessaging(data) + + case TypeDeviceTokenApplePush: + return UnmarshalDeviceTokenApplePush(data) + + case TypeDeviceTokenApplePushVoIP: + return UnmarshalDeviceTokenApplePushVoIP(data) + + case TypeDeviceTokenWindowsPush: + return UnmarshalDeviceTokenWindowsPush(data) + + case TypeDeviceTokenMicrosoftPush: + return UnmarshalDeviceTokenMicrosoftPush(data) + + case TypeDeviceTokenMicrosoftPushVoIP: + return UnmarshalDeviceTokenMicrosoftPushVoIP(data) + + case TypeDeviceTokenWebPush: + return UnmarshalDeviceTokenWebPush(data) + + case TypeDeviceTokenSimplePush: + return UnmarshalDeviceTokenSimplePush(data) + + case TypeDeviceTokenUbuntuPush: + return UnmarshalDeviceTokenUbuntuPush(data) + + case TypeDeviceTokenBlackBerryPush: + return UnmarshalDeviceTokenBlackBerryPush(data) + + case TypeDeviceTokenTizenPush: + return UnmarshalDeviceTokenTizenPush(data) + + case TypeDeviceTokenHuaweiPush: + return UnmarshalDeviceTokenHuaweiPush(data) + + case TypePushReceiverId: + return UnmarshalPushReceiverId(data) + + case TypeBackgroundFillSolid: + return UnmarshalBackgroundFillSolid(data) + + case TypeBackgroundFillGradient: + return UnmarshalBackgroundFillGradient(data) + + case TypeBackgroundFillFreeformGradient: + return UnmarshalBackgroundFillFreeformGradient(data) + + case TypeBackgroundTypeWallpaper: + return UnmarshalBackgroundTypeWallpaper(data) + + case TypeBackgroundTypePattern: + return UnmarshalBackgroundTypePattern(data) + + case TypeBackgroundTypeFill: + return UnmarshalBackgroundTypeFill(data) + + case TypeBackgroundTypeChatTheme: + return UnmarshalBackgroundTypeChatTheme(data) + + case TypeInputBackgroundLocal: + return UnmarshalInputBackgroundLocal(data) + + case TypeInputBackgroundRemote: + return UnmarshalInputBackgroundRemote(data) + + case TypeInputBackgroundPrevious: + return UnmarshalInputBackgroundPrevious(data) + + case TypeEmojiChatTheme: + return UnmarshalEmojiChatTheme(data) + + case TypeGiftChatTheme: + return UnmarshalGiftChatTheme(data) + + case TypeGiftChatThemes: + return UnmarshalGiftChatThemes(data) + + case TypeChatThemeEmoji: + return UnmarshalChatThemeEmoji(data) + + case TypeChatThemeGift: + return UnmarshalChatThemeGift(data) + + case TypeInputChatThemeEmoji: + return UnmarshalInputChatThemeEmoji(data) + + case TypeInputChatThemeGift: + return UnmarshalInputChatThemeGift(data) + + case TypeTimeZone: + return UnmarshalTimeZone(data) + + case TypeTimeZones: + return UnmarshalTimeZones(data) + + case TypeHashtags: + return UnmarshalHashtags(data) + + case TypeCanPostStoryResultOk: + return UnmarshalCanPostStoryResultOk(data) + + case TypeCanPostStoryResultPremiumNeeded: + return UnmarshalCanPostStoryResultPremiumNeeded(data) + + case TypeCanPostStoryResultBoostNeeded: + return UnmarshalCanPostStoryResultBoostNeeded(data) + + case TypeCanPostStoryResultActiveStoryLimitExceeded: + return UnmarshalCanPostStoryResultActiveStoryLimitExceeded(data) + + case TypeCanPostStoryResultWeeklyLimitExceeded: + return UnmarshalCanPostStoryResultWeeklyLimitExceeded(data) + + case TypeCanPostStoryResultMonthlyLimitExceeded: + return UnmarshalCanPostStoryResultMonthlyLimitExceeded(data) + + case TypeCanPostStoryResultLiveStoryIsActive: + return UnmarshalCanPostStoryResultLiveStoryIsActive(data) + + case TypeStartLiveStoryResultOk: + return UnmarshalStartLiveStoryResultOk(data) + + case TypeStartLiveStoryResultFail: + return UnmarshalStartLiveStoryResultFail(data) + + case TypeCanTransferOwnershipResultOk: + return UnmarshalCanTransferOwnershipResultOk(data) + + case TypeCanTransferOwnershipResultPasswordNeeded: + return UnmarshalCanTransferOwnershipResultPasswordNeeded(data) + + case TypeCanTransferOwnershipResultPasswordTooFresh: + return UnmarshalCanTransferOwnershipResultPasswordTooFresh(data) + + case TypeCanTransferOwnershipResultSessionTooFresh: + return UnmarshalCanTransferOwnershipResultSessionTooFresh(data) + + case TypeCheckChatUsernameResultOk: + return UnmarshalCheckChatUsernameResultOk(data) + + case TypeCheckChatUsernameResultUsernameInvalid: + return UnmarshalCheckChatUsernameResultUsernameInvalid(data) + + case TypeCheckChatUsernameResultUsernameOccupied: + return UnmarshalCheckChatUsernameResultUsernameOccupied(data) + + case TypeCheckChatUsernameResultUsernamePurchasable: + return UnmarshalCheckChatUsernameResultUsernamePurchasable(data) + + case TypeCheckChatUsernameResultPublicChatsTooMany: + return UnmarshalCheckChatUsernameResultPublicChatsTooMany(data) + + case TypeCheckChatUsernameResultPublicGroupsUnavailable: + return UnmarshalCheckChatUsernameResultPublicGroupsUnavailable(data) + + case TypeCheckStickerSetNameResultOk: + return UnmarshalCheckStickerSetNameResultOk(data) + + case TypeCheckStickerSetNameResultNameInvalid: + return UnmarshalCheckStickerSetNameResultNameInvalid(data) + + case TypeCheckStickerSetNameResultNameOccupied: + return UnmarshalCheckStickerSetNameResultNameOccupied(data) + + case TypeResetPasswordResultOk: + return UnmarshalResetPasswordResultOk(data) + + case TypeResetPasswordResultPending: + return UnmarshalResetPasswordResultPending(data) + + case TypeResetPasswordResultDeclined: + return UnmarshalResetPasswordResultDeclined(data) + + case TypeMessageFileTypePrivate: + return UnmarshalMessageFileTypePrivate(data) + + case TypeMessageFileTypeGroup: + return UnmarshalMessageFileTypeGroup(data) + + case TypeMessageFileTypeUnknown: + return UnmarshalMessageFileTypeUnknown(data) + + case TypePushMessageContentHidden: + return UnmarshalPushMessageContentHidden(data) + + case TypePushMessageContentAnimation: + return UnmarshalPushMessageContentAnimation(data) + + case TypePushMessageContentAudio: + return UnmarshalPushMessageContentAudio(data) + + case TypePushMessageContentContact: + return UnmarshalPushMessageContentContact(data) + + case TypePushMessageContentContactRegistered: + return UnmarshalPushMessageContentContactRegistered(data) + + case TypePushMessageContentDocument: + return UnmarshalPushMessageContentDocument(data) + + case TypePushMessageContentGame: + return UnmarshalPushMessageContentGame(data) + + case TypePushMessageContentGameScore: + return UnmarshalPushMessageContentGameScore(data) + + case TypePushMessageContentInvoice: + return UnmarshalPushMessageContentInvoice(data) + + case TypePushMessageContentLocation: + return UnmarshalPushMessageContentLocation(data) + + case TypePushMessageContentPaidMedia: + return UnmarshalPushMessageContentPaidMedia(data) + + case TypePushMessageContentPhoto: + return UnmarshalPushMessageContentPhoto(data) + + case TypePushMessageContentPoll: + return UnmarshalPushMessageContentPoll(data) + + case TypePushMessageContentPremiumGiftCode: + return UnmarshalPushMessageContentPremiumGiftCode(data) + + case TypePushMessageContentGiveaway: + return UnmarshalPushMessageContentGiveaway(data) + + case TypePushMessageContentGift: + return UnmarshalPushMessageContentGift(data) + + case TypePushMessageContentUpgradedGift: + return UnmarshalPushMessageContentUpgradedGift(data) + + case TypePushMessageContentScreenshotTaken: + return UnmarshalPushMessageContentScreenshotTaken(data) + + case TypePushMessageContentSticker: + return UnmarshalPushMessageContentSticker(data) + + case TypePushMessageContentStory: + return UnmarshalPushMessageContentStory(data) + + case TypePushMessageContentText: + return UnmarshalPushMessageContentText(data) + + case TypePushMessageContentChecklist: + return UnmarshalPushMessageContentChecklist(data) + + case TypePushMessageContentVideo: + return UnmarshalPushMessageContentVideo(data) + + case TypePushMessageContentVideoNote: + return UnmarshalPushMessageContentVideoNote(data) + + case TypePushMessageContentVoiceNote: + return UnmarshalPushMessageContentVoiceNote(data) + + case TypePushMessageContentBasicGroupChatCreate: + return UnmarshalPushMessageContentBasicGroupChatCreate(data) + + case TypePushMessageContentVideoChatStarted: + return UnmarshalPushMessageContentVideoChatStarted(data) + + case TypePushMessageContentVideoChatEnded: + return UnmarshalPushMessageContentVideoChatEnded(data) + + case TypePushMessageContentInviteVideoChatParticipants: + return UnmarshalPushMessageContentInviteVideoChatParticipants(data) + + case TypePushMessageContentChatAddMembers: + return UnmarshalPushMessageContentChatAddMembers(data) + + case TypePushMessageContentChatChangePhoto: + return UnmarshalPushMessageContentChatChangePhoto(data) + + case TypePushMessageContentChatChangeTitle: + return UnmarshalPushMessageContentChatChangeTitle(data) + + case TypePushMessageContentChatSetBackground: + return UnmarshalPushMessageContentChatSetBackground(data) + + case TypePushMessageContentChatSetTheme: + return UnmarshalPushMessageContentChatSetTheme(data) + + case TypePushMessageContentChatDeleteMember: + return UnmarshalPushMessageContentChatDeleteMember(data) + + case TypePushMessageContentChatJoinByLink: + return UnmarshalPushMessageContentChatJoinByLink(data) + + case TypePushMessageContentChatJoinByRequest: + return UnmarshalPushMessageContentChatJoinByRequest(data) + + case TypePushMessageContentRecurringPayment: + return UnmarshalPushMessageContentRecurringPayment(data) + + case TypePushMessageContentSuggestProfilePhoto: + return UnmarshalPushMessageContentSuggestProfilePhoto(data) + + case TypePushMessageContentSuggestBirthdate: + return UnmarshalPushMessageContentSuggestBirthdate(data) + + case TypePushMessageContentProximityAlertTriggered: + return UnmarshalPushMessageContentProximityAlertTriggered(data) + + case TypePushMessageContentChecklistTasksAdded: + return UnmarshalPushMessageContentChecklistTasksAdded(data) + + case TypePushMessageContentChecklistTasksDone: + return UnmarshalPushMessageContentChecklistTasksDone(data) + + case TypePushMessageContentMessageForwards: + return UnmarshalPushMessageContentMessageForwards(data) + + case TypePushMessageContentMediaAlbum: + return UnmarshalPushMessageContentMediaAlbum(data) + + case TypeNotificationTypeNewMessage: + return UnmarshalNotificationTypeNewMessage(data) + + case TypeNotificationTypeNewSecretChat: + return UnmarshalNotificationTypeNewSecretChat(data) + + case TypeNotificationTypeNewCall: + return UnmarshalNotificationTypeNewCall(data) + + case TypeNotificationTypeNewPushMessage: + return UnmarshalNotificationTypeNewPushMessage(data) + + case TypeNotificationGroupTypeMessages: + return UnmarshalNotificationGroupTypeMessages(data) + + case TypeNotificationGroupTypeMentions: + return UnmarshalNotificationGroupTypeMentions(data) + + case TypeNotificationGroupTypeSecretChat: + return UnmarshalNotificationGroupTypeSecretChat(data) + + case TypeNotificationGroupTypeCalls: + return UnmarshalNotificationGroupTypeCalls(data) + + case TypeNotificationSound: + return UnmarshalNotificationSound(data) + + case TypeNotificationSounds: + return UnmarshalNotificationSounds(data) + + case TypeNotification: + return UnmarshalNotification(data) + + case TypeNotificationGroup: + return UnmarshalNotificationGroup(data) + + case TypeProxy: + return UnmarshalProxy(data) + + case TypeOptionValueBoolean: + return UnmarshalOptionValueBoolean(data) + + case TypeOptionValueEmpty: + return UnmarshalOptionValueEmpty(data) + + case TypeOptionValueInteger: + return UnmarshalOptionValueInteger(data) + + case TypeOptionValueString: + return UnmarshalOptionValueString(data) + + case TypeJsonObjectMember: + return UnmarshalJsonObjectMember(data) + + case TypeJsonValueNull: + return UnmarshalJsonValueNull(data) + + case TypeJsonValueBoolean: + return UnmarshalJsonValueBoolean(data) + + case TypeJsonValueNumber: + return UnmarshalJsonValueNumber(data) + + case TypeJsonValueString: + return UnmarshalJsonValueString(data) + + case TypeJsonValueArray: + return UnmarshalJsonValueArray(data) + + case TypeJsonValueObject: + return UnmarshalJsonValueObject(data) + + case TypeStoryPrivacySettingsEveryone: + return UnmarshalStoryPrivacySettingsEveryone(data) + + case TypeStoryPrivacySettingsContacts: + return UnmarshalStoryPrivacySettingsContacts(data) + + case TypeStoryPrivacySettingsCloseFriends: + return UnmarshalStoryPrivacySettingsCloseFriends(data) + + case TypeStoryPrivacySettingsSelectedUsers: + return UnmarshalStoryPrivacySettingsSelectedUsers(data) + + case TypeUserPrivacySettingRuleAllowAll: + return UnmarshalUserPrivacySettingRuleAllowAll(data) + + case TypeUserPrivacySettingRuleAllowContacts: + return UnmarshalUserPrivacySettingRuleAllowContacts(data) + + case TypeUserPrivacySettingRuleAllowBots: + return UnmarshalUserPrivacySettingRuleAllowBots(data) + + case TypeUserPrivacySettingRuleAllowPremiumUsers: + return UnmarshalUserPrivacySettingRuleAllowPremiumUsers(data) + + case TypeUserPrivacySettingRuleAllowUsers: + return UnmarshalUserPrivacySettingRuleAllowUsers(data) + + case TypeUserPrivacySettingRuleAllowChatMembers: + return UnmarshalUserPrivacySettingRuleAllowChatMembers(data) + + case TypeUserPrivacySettingRuleRestrictAll: + return UnmarshalUserPrivacySettingRuleRestrictAll(data) + + case TypeUserPrivacySettingRuleRestrictContacts: + return UnmarshalUserPrivacySettingRuleRestrictContacts(data) + + case TypeUserPrivacySettingRuleRestrictBots: + return UnmarshalUserPrivacySettingRuleRestrictBots(data) + + case TypeUserPrivacySettingRuleRestrictUsers: + return UnmarshalUserPrivacySettingRuleRestrictUsers(data) + + case TypeUserPrivacySettingRuleRestrictChatMembers: + return UnmarshalUserPrivacySettingRuleRestrictChatMembers(data) + + case TypeUserPrivacySettingRules: + return UnmarshalUserPrivacySettingRules(data) + + case TypeUserPrivacySettingShowStatus: + return UnmarshalUserPrivacySettingShowStatus(data) + + case TypeUserPrivacySettingShowProfilePhoto: + return UnmarshalUserPrivacySettingShowProfilePhoto(data) + + case TypeUserPrivacySettingShowLinkInForwardedMessages: + return UnmarshalUserPrivacySettingShowLinkInForwardedMessages(data) + + case TypeUserPrivacySettingShowPhoneNumber: + return UnmarshalUserPrivacySettingShowPhoneNumber(data) + + case TypeUserPrivacySettingShowBio: + return UnmarshalUserPrivacySettingShowBio(data) + + case TypeUserPrivacySettingShowBirthdate: + return UnmarshalUserPrivacySettingShowBirthdate(data) + + case TypeUserPrivacySettingShowProfileAudio: + return UnmarshalUserPrivacySettingShowProfileAudio(data) + + case TypeUserPrivacySettingAllowChatInvites: + return UnmarshalUserPrivacySettingAllowChatInvites(data) + + case TypeUserPrivacySettingAllowCalls: + return UnmarshalUserPrivacySettingAllowCalls(data) + + case TypeUserPrivacySettingAllowPeerToPeerCalls: + return UnmarshalUserPrivacySettingAllowPeerToPeerCalls(data) + + case TypeUserPrivacySettingAllowFindingByPhoneNumber: + return UnmarshalUserPrivacySettingAllowFindingByPhoneNumber(data) + + case TypeUserPrivacySettingAllowPrivateVoiceAndVideoNoteMessages: + return UnmarshalUserPrivacySettingAllowPrivateVoiceAndVideoNoteMessages(data) + + case TypeUserPrivacySettingAutosaveGifts: + return UnmarshalUserPrivacySettingAutosaveGifts(data) + + case TypeUserPrivacySettingAllowUnpaidMessages: + return UnmarshalUserPrivacySettingAllowUnpaidMessages(data) + + case TypeReadDatePrivacySettings: + return UnmarshalReadDatePrivacySettings(data) + + case TypeNewChatPrivacySettings: + return UnmarshalNewChatPrivacySettings(data) + + case TypeCanSendMessageToUserResultOk: + return UnmarshalCanSendMessageToUserResultOk(data) + + case TypeCanSendMessageToUserResultUserHasPaidMessages: + return UnmarshalCanSendMessageToUserResultUserHasPaidMessages(data) + + case TypeCanSendMessageToUserResultUserIsDeleted: + return UnmarshalCanSendMessageToUserResultUserIsDeleted(data) + + case TypeCanSendMessageToUserResultUserRestrictsNewChats: + return UnmarshalCanSendMessageToUserResultUserRestrictsNewChats(data) + + case TypeAccountTtl: + return UnmarshalAccountTtl(data) + + case TypeMessageAutoDeleteTime: + return UnmarshalMessageAutoDeleteTime(data) + + case TypeSessionTypeAndroid: + return UnmarshalSessionTypeAndroid(data) + + case TypeSessionTypeApple: + return UnmarshalSessionTypeApple(data) + + case TypeSessionTypeBrave: + return UnmarshalSessionTypeBrave(data) + + case TypeSessionTypeChrome: + return UnmarshalSessionTypeChrome(data) + + case TypeSessionTypeEdge: + return UnmarshalSessionTypeEdge(data) + + case TypeSessionTypeFirefox: + return UnmarshalSessionTypeFirefox(data) + + case TypeSessionTypeIpad: + return UnmarshalSessionTypeIpad(data) + + case TypeSessionTypeIphone: + return UnmarshalSessionTypeIphone(data) + + case TypeSessionTypeLinux: + return UnmarshalSessionTypeLinux(data) + + case TypeSessionTypeMac: + return UnmarshalSessionTypeMac(data) + + case TypeSessionTypeOpera: + return UnmarshalSessionTypeOpera(data) + + case TypeSessionTypeSafari: + return UnmarshalSessionTypeSafari(data) + + case TypeSessionTypeUbuntu: + return UnmarshalSessionTypeUbuntu(data) + + case TypeSessionTypeUnknown: + return UnmarshalSessionTypeUnknown(data) + + case TypeSessionTypeVivaldi: + return UnmarshalSessionTypeVivaldi(data) + + case TypeSessionTypeWindows: + return UnmarshalSessionTypeWindows(data) + + case TypeSessionTypeXbox: + return UnmarshalSessionTypeXbox(data) + + case TypeSession: + return UnmarshalSession(data) + + case TypeSessions: + return UnmarshalSessions(data) + + case TypeUnconfirmedSession: + return UnmarshalUnconfirmedSession(data) + + case TypeConnectedWebsite: + return UnmarshalConnectedWebsite(data) + + case TypeConnectedWebsites: + return UnmarshalConnectedWebsites(data) + + case TypeReportReasonSpam: + return UnmarshalReportReasonSpam(data) + + case TypeReportReasonViolence: + return UnmarshalReportReasonViolence(data) + + case TypeReportReasonPornography: + return UnmarshalReportReasonPornography(data) + + case TypeReportReasonChildAbuse: + return UnmarshalReportReasonChildAbuse(data) + + case TypeReportReasonCopyright: + return UnmarshalReportReasonCopyright(data) + + case TypeReportReasonUnrelatedLocation: + return UnmarshalReportReasonUnrelatedLocation(data) + + case TypeReportReasonFake: + return UnmarshalReportReasonFake(data) + + case TypeReportReasonIllegalDrugs: + return UnmarshalReportReasonIllegalDrugs(data) + + case TypeReportReasonPersonalDetails: + return UnmarshalReportReasonPersonalDetails(data) + + case TypeReportReasonCustom: + return UnmarshalReportReasonCustom(data) + + case TypeReportChatResultOk: + return UnmarshalReportChatResultOk(data) + + case TypeReportChatResultOptionRequired: + return UnmarshalReportChatResultOptionRequired(data) + + case TypeReportChatResultTextRequired: + return UnmarshalReportChatResultTextRequired(data) + + case TypeReportChatResultMessagesRequired: + return UnmarshalReportChatResultMessagesRequired(data) + + case TypeReportStoryResultOk: + return UnmarshalReportStoryResultOk(data) + + case TypeReportStoryResultOptionRequired: + return UnmarshalReportStoryResultOptionRequired(data) + + case TypeReportStoryResultTextRequired: + return UnmarshalReportStoryResultTextRequired(data) + + case TypeSettingsSectionAppearance: + return UnmarshalSettingsSectionAppearance(data) + + case TypeSettingsSectionAskQuestion: + return UnmarshalSettingsSectionAskQuestion(data) + + case TypeSettingsSectionBusiness: + return UnmarshalSettingsSectionBusiness(data) + + case TypeSettingsSectionChatFolders: + return UnmarshalSettingsSectionChatFolders(data) + + case TypeSettingsSectionDataAndStorage: + return UnmarshalSettingsSectionDataAndStorage(data) + + case TypeSettingsSectionDevices: + return UnmarshalSettingsSectionDevices(data) + + case TypeSettingsSectionEditProfile: + return UnmarshalSettingsSectionEditProfile(data) + + case TypeSettingsSectionFaq: + return UnmarshalSettingsSectionFaq(data) + + case TypeSettingsSectionFeatures: + return UnmarshalSettingsSectionFeatures(data) + + case TypeSettingsSectionInAppBrowser: + return UnmarshalSettingsSectionInAppBrowser(data) + + case TypeSettingsSectionLanguage: + return UnmarshalSettingsSectionLanguage(data) + + case TypeSettingsSectionMyStars: + return UnmarshalSettingsSectionMyStars(data) + + case TypeSettingsSectionMyToncoins: + return UnmarshalSettingsSectionMyToncoins(data) + + case TypeSettingsSectionNotifications: + return UnmarshalSettingsSectionNotifications(data) + + case TypeSettingsSectionPowerSaving: + return UnmarshalSettingsSectionPowerSaving(data) + + case TypeSettingsSectionPremium: + return UnmarshalSettingsSectionPremium(data) + + case TypeSettingsSectionPrivacyAndSecurity: + return UnmarshalSettingsSectionPrivacyAndSecurity(data) + + case TypeSettingsSectionPrivacyPolicy: + return UnmarshalSettingsSectionPrivacyPolicy(data) + + case TypeSettingsSectionQrCode: + return UnmarshalSettingsSectionQrCode(data) + + case TypeSettingsSectionSearch: + return UnmarshalSettingsSectionSearch(data) + + case TypeSettingsSectionSendGift: + return UnmarshalSettingsSectionSendGift(data) + + case TypeInternalLinkTypeAttachmentMenuBot: + return UnmarshalInternalLinkTypeAttachmentMenuBot(data) + + case TypeInternalLinkTypeAuthenticationCode: + return UnmarshalInternalLinkTypeAuthenticationCode(data) + + case TypeInternalLinkTypeBackground: + return UnmarshalInternalLinkTypeBackground(data) + + case TypeInternalLinkTypeBotAddToChannel: + return UnmarshalInternalLinkTypeBotAddToChannel(data) + + case TypeInternalLinkTypeBotStart: + return UnmarshalInternalLinkTypeBotStart(data) + + case TypeInternalLinkTypeBotStartInGroup: + return UnmarshalInternalLinkTypeBotStartInGroup(data) + + case TypeInternalLinkTypeBusinessChat: + return UnmarshalInternalLinkTypeBusinessChat(data) + + case TypeInternalLinkTypeCallsPage: + return UnmarshalInternalLinkTypeCallsPage(data) + + case TypeInternalLinkTypeChatAffiliateProgram: + return UnmarshalInternalLinkTypeChatAffiliateProgram(data) + + case TypeInternalLinkTypeChatBoost: + return UnmarshalInternalLinkTypeChatBoost(data) + + case TypeInternalLinkTypeChatFolderInvite: + return UnmarshalInternalLinkTypeChatFolderInvite(data) + + case TypeInternalLinkTypeChatInvite: + return UnmarshalInternalLinkTypeChatInvite(data) + + case TypeInternalLinkTypeChatSelection: + return UnmarshalInternalLinkTypeChatSelection(data) + + case TypeInternalLinkTypeContactsPage: + return UnmarshalInternalLinkTypeContactsPage(data) + + case TypeInternalLinkTypeDirectMessagesChat: + return UnmarshalInternalLinkTypeDirectMessagesChat(data) + + case TypeInternalLinkTypeGame: + return UnmarshalInternalLinkTypeGame(data) + + case TypeInternalLinkTypeGiftAuction: + return UnmarshalInternalLinkTypeGiftAuction(data) + + case TypeInternalLinkTypeGiftCollection: + return UnmarshalInternalLinkTypeGiftCollection(data) + + case TypeInternalLinkTypeGroupCall: + return UnmarshalInternalLinkTypeGroupCall(data) + + case TypeInternalLinkTypeInstantView: + return UnmarshalInternalLinkTypeInstantView(data) + + case TypeInternalLinkTypeInvoice: + return UnmarshalInternalLinkTypeInvoice(data) + + case TypeInternalLinkTypeLanguagePack: + return UnmarshalInternalLinkTypeLanguagePack(data) + + case TypeInternalLinkTypeLiveStory: + return UnmarshalInternalLinkTypeLiveStory(data) + + case TypeInternalLinkTypeMainWebApp: + return UnmarshalInternalLinkTypeMainWebApp(data) + + case TypeInternalLinkTypeMessage: + return UnmarshalInternalLinkTypeMessage(data) + + case TypeInternalLinkTypeMessageDraft: + return UnmarshalInternalLinkTypeMessageDraft(data) + + case TypeInternalLinkTypeMyProfilePage: + return UnmarshalInternalLinkTypeMyProfilePage(data) + + case TypeInternalLinkTypeNewChannelChat: + return UnmarshalInternalLinkTypeNewChannelChat(data) + + case TypeInternalLinkTypeNewGroupChat: + return UnmarshalInternalLinkTypeNewGroupChat(data) + + case TypeInternalLinkTypeNewPrivateChat: + return UnmarshalInternalLinkTypeNewPrivateChat(data) + + case TypeInternalLinkTypeNewStory: + return UnmarshalInternalLinkTypeNewStory(data) + + case TypeInternalLinkTypePassportDataRequest: + return UnmarshalInternalLinkTypePassportDataRequest(data) + + case TypeInternalLinkTypePhoneNumberConfirmation: + return UnmarshalInternalLinkTypePhoneNumberConfirmation(data) + + case TypeInternalLinkTypePremiumFeaturesPage: + return UnmarshalInternalLinkTypePremiumFeaturesPage(data) + + case TypeInternalLinkTypePremiumGiftCode: + return UnmarshalInternalLinkTypePremiumGiftCode(data) + + case TypeInternalLinkTypePremiumGiftPurchase: + return UnmarshalInternalLinkTypePremiumGiftPurchase(data) + + case TypeInternalLinkTypeProxy: + return UnmarshalInternalLinkTypeProxy(data) + + case TypeInternalLinkTypePublicChat: + return UnmarshalInternalLinkTypePublicChat(data) + + case TypeInternalLinkTypeQrCodeAuthentication: + return UnmarshalInternalLinkTypeQrCodeAuthentication(data) + + case TypeInternalLinkTypeRestorePurchases: + return UnmarshalInternalLinkTypeRestorePurchases(data) + + case TypeInternalLinkTypeSavedMessages: + return UnmarshalInternalLinkTypeSavedMessages(data) + + case TypeInternalLinkTypeSearch: + return UnmarshalInternalLinkTypeSearch(data) + + case TypeInternalLinkTypeSettings: + return UnmarshalInternalLinkTypeSettings(data) + + case TypeInternalLinkTypeStarPurchase: + return UnmarshalInternalLinkTypeStarPurchase(data) + + case TypeInternalLinkTypeStickerSet: + return UnmarshalInternalLinkTypeStickerSet(data) + + case TypeInternalLinkTypeStory: + return UnmarshalInternalLinkTypeStory(data) + + case TypeInternalLinkTypeStoryAlbum: + return UnmarshalInternalLinkTypeStoryAlbum(data) + + case TypeInternalLinkTypeTheme: + return UnmarshalInternalLinkTypeTheme(data) + + case TypeInternalLinkTypeUnknownDeepLink: + return UnmarshalInternalLinkTypeUnknownDeepLink(data) + + case TypeInternalLinkTypeUpgradedGift: + return UnmarshalInternalLinkTypeUpgradedGift(data) + + case TypeInternalLinkTypeUserPhoneNumber: + return UnmarshalInternalLinkTypeUserPhoneNumber(data) + + case TypeInternalLinkTypeUserToken: + return UnmarshalInternalLinkTypeUserToken(data) + + case TypeInternalLinkTypeVideoChat: + return UnmarshalInternalLinkTypeVideoChat(data) + + case TypeInternalLinkTypeWebApp: + return UnmarshalInternalLinkTypeWebApp(data) + + case TypeMessageLink: + return UnmarshalMessageLink(data) + + case TypeMessageLinkInfo: + return UnmarshalMessageLinkInfo(data) + + case TypeChatBoostLink: + return UnmarshalChatBoostLink(data) + + case TypeChatBoostLinkInfo: + return UnmarshalChatBoostLinkInfo(data) + + case TypeBlockListMain: + return UnmarshalBlockListMain(data) + + case TypeBlockListStories: + return UnmarshalBlockListStories(data) + + case TypeFileTypeNone: + return UnmarshalFileTypeNone(data) + + case TypeFileTypeAnimation: + return UnmarshalFileTypeAnimation(data) + + case TypeFileTypeAudio: + return UnmarshalFileTypeAudio(data) + + case TypeFileTypeDocument: + return UnmarshalFileTypeDocument(data) + + case TypeFileTypeNotificationSound: + return UnmarshalFileTypeNotificationSound(data) + + case TypeFileTypePhoto: + return UnmarshalFileTypePhoto(data) + + case TypeFileTypePhotoStory: + return UnmarshalFileTypePhotoStory(data) + + case TypeFileTypeProfilePhoto: + return UnmarshalFileTypeProfilePhoto(data) + + case TypeFileTypeSecret: + return UnmarshalFileTypeSecret(data) + + case TypeFileTypeSecretThumbnail: + return UnmarshalFileTypeSecretThumbnail(data) + + case TypeFileTypeSecure: + return UnmarshalFileTypeSecure(data) + + case TypeFileTypeSelfDestructingPhoto: + return UnmarshalFileTypeSelfDestructingPhoto(data) + + case TypeFileTypeSelfDestructingVideo: + return UnmarshalFileTypeSelfDestructingVideo(data) + + case TypeFileTypeSelfDestructingVideoNote: + return UnmarshalFileTypeSelfDestructingVideoNote(data) + + case TypeFileTypeSelfDestructingVoiceNote: + return UnmarshalFileTypeSelfDestructingVoiceNote(data) + + case TypeFileTypeSticker: + return UnmarshalFileTypeSticker(data) + + case TypeFileTypeThumbnail: + return UnmarshalFileTypeThumbnail(data) + + case TypeFileTypeUnknown: + return UnmarshalFileTypeUnknown(data) + + case TypeFileTypeVideo: + return UnmarshalFileTypeVideo(data) + + case TypeFileTypeVideoNote: + return UnmarshalFileTypeVideoNote(data) + + case TypeFileTypeVideoStory: + return UnmarshalFileTypeVideoStory(data) + + case TypeFileTypeVoiceNote: + return UnmarshalFileTypeVoiceNote(data) + + case TypeFileTypeWallpaper: + return UnmarshalFileTypeWallpaper(data) + + case TypeStorageStatisticsByFileType: + return UnmarshalStorageStatisticsByFileType(data) + + case TypeStorageStatisticsByChat: + return UnmarshalStorageStatisticsByChat(data) + + case TypeStorageStatistics: + return UnmarshalStorageStatistics(data) + + case TypeStorageStatisticsFast: + return UnmarshalStorageStatisticsFast(data) + + case TypeDatabaseStatistics: + return UnmarshalDatabaseStatistics(data) + + case TypeNetworkTypeNone: + return UnmarshalNetworkTypeNone(data) + + case TypeNetworkTypeMobile: + return UnmarshalNetworkTypeMobile(data) + + case TypeNetworkTypeMobileRoaming: + return UnmarshalNetworkTypeMobileRoaming(data) + + case TypeNetworkTypeWiFi: + return UnmarshalNetworkTypeWiFi(data) + + case TypeNetworkTypeOther: + return UnmarshalNetworkTypeOther(data) + + case TypeNetworkStatisticsEntryFile: + return UnmarshalNetworkStatisticsEntryFile(data) + + case TypeNetworkStatisticsEntryCall: + return UnmarshalNetworkStatisticsEntryCall(data) + + case TypeNetworkStatistics: + return UnmarshalNetworkStatistics(data) + + case TypeAutoDownloadSettings: + return UnmarshalAutoDownloadSettings(data) + + case TypeAutoDownloadSettingsPresets: + return UnmarshalAutoDownloadSettingsPresets(data) + + case TypeAutosaveSettingsScopePrivateChats: + return UnmarshalAutosaveSettingsScopePrivateChats(data) + + case TypeAutosaveSettingsScopeGroupChats: + return UnmarshalAutosaveSettingsScopeGroupChats(data) + + case TypeAutosaveSettingsScopeChannelChats: + return UnmarshalAutosaveSettingsScopeChannelChats(data) + + case TypeAutosaveSettingsScopeChat: + return UnmarshalAutosaveSettingsScopeChat(data) + + case TypeScopeAutosaveSettings: + return UnmarshalScopeAutosaveSettings(data) + + case TypeAutosaveSettingsException: + return UnmarshalAutosaveSettingsException(data) + + case TypeAutosaveSettings: + return UnmarshalAutosaveSettings(data) + + case TypeConnectionStateWaitingForNetwork: + return UnmarshalConnectionStateWaitingForNetwork(data) + + case TypeConnectionStateConnectingToProxy: + return UnmarshalConnectionStateConnectingToProxy(data) + + case TypeConnectionStateConnecting: + return UnmarshalConnectionStateConnecting(data) + + case TypeConnectionStateUpdating: + return UnmarshalConnectionStateUpdating(data) + + case TypeConnectionStateReady: + return UnmarshalConnectionStateReady(data) + + case TypeAgeVerificationParameters: + return UnmarshalAgeVerificationParameters(data) + + case TypeTopChatCategoryUsers: + return UnmarshalTopChatCategoryUsers(data) + + case TypeTopChatCategoryBots: + return UnmarshalTopChatCategoryBots(data) + + case TypeTopChatCategoryGroups: + return UnmarshalTopChatCategoryGroups(data) + + case TypeTopChatCategoryChannels: + return UnmarshalTopChatCategoryChannels(data) + + case TypeTopChatCategoryInlineBots: + return UnmarshalTopChatCategoryInlineBots(data) + + case TypeTopChatCategoryWebAppBots: + return UnmarshalTopChatCategoryWebAppBots(data) + + case TypeTopChatCategoryCalls: + return UnmarshalTopChatCategoryCalls(data) + + case TypeTopChatCategoryForwardChats: + return UnmarshalTopChatCategoryForwardChats(data) + + case TypeFoundPosition: + return UnmarshalFoundPosition(data) + + case TypeFoundPositions: + return UnmarshalFoundPositions(data) + + case TypeTMeUrlTypeUser: + return UnmarshalTMeUrlTypeUser(data) + + case TypeTMeUrlTypeSupergroup: + return UnmarshalTMeUrlTypeSupergroup(data) + + case TypeTMeUrlTypeChatInvite: + return UnmarshalTMeUrlTypeChatInvite(data) + + case TypeTMeUrlTypeStickerSet: + return UnmarshalTMeUrlTypeStickerSet(data) + + case TypeTMeUrl: + return UnmarshalTMeUrl(data) + + case TypeTMeUrls: + return UnmarshalTMeUrls(data) + + case TypeSuggestedActionEnableArchiveAndMuteNewChats: + return UnmarshalSuggestedActionEnableArchiveAndMuteNewChats(data) + + case TypeSuggestedActionCheckPassword: + return UnmarshalSuggestedActionCheckPassword(data) + + case TypeSuggestedActionCheckPhoneNumber: + return UnmarshalSuggestedActionCheckPhoneNumber(data) + + case TypeSuggestedActionViewChecksHint: + return UnmarshalSuggestedActionViewChecksHint(data) + + case TypeSuggestedActionConvertToBroadcastGroup: + return UnmarshalSuggestedActionConvertToBroadcastGroup(data) + + case TypeSuggestedActionSetPassword: + return UnmarshalSuggestedActionSetPassword(data) + + case TypeSuggestedActionUpgradePremium: + return UnmarshalSuggestedActionUpgradePremium(data) + + case TypeSuggestedActionRestorePremium: + return UnmarshalSuggestedActionRestorePremium(data) + + case TypeSuggestedActionSubscribeToAnnualPremium: + return UnmarshalSuggestedActionSubscribeToAnnualPremium(data) + + case TypeSuggestedActionGiftPremiumForChristmas: + return UnmarshalSuggestedActionGiftPremiumForChristmas(data) + + case TypeSuggestedActionSetBirthdate: + return UnmarshalSuggestedActionSetBirthdate(data) + + case TypeSuggestedActionSetProfilePhoto: + return UnmarshalSuggestedActionSetProfilePhoto(data) + + case TypeSuggestedActionExtendPremium: + return UnmarshalSuggestedActionExtendPremium(data) + + case TypeSuggestedActionExtendStarSubscriptions: + return UnmarshalSuggestedActionExtendStarSubscriptions(data) + + case TypeSuggestedActionCustom: + return UnmarshalSuggestedActionCustom(data) + + case TypeSuggestedActionSetLoginEmailAddress: + return UnmarshalSuggestedActionSetLoginEmailAddress(data) + + case TypeSuggestedActionAddLoginPasskey: + return UnmarshalSuggestedActionAddLoginPasskey(data) + + case TypeCount: + return UnmarshalCount(data) + + case TypeText: + return UnmarshalText(data) + + case TypeData: + return UnmarshalData(data) + + case TypeSeconds: + return UnmarshalSeconds(data) + + case TypeFileDownloadedPrefixSize: + return UnmarshalFileDownloadedPrefixSize(data) + + case TypeStarCount: + return UnmarshalStarCount(data) + + case TypeDeepLinkInfo: + return UnmarshalDeepLinkInfo(data) + + case TypeTextParseModeMarkdown: + return UnmarshalTextParseModeMarkdown(data) + + case TypeTextParseModeHTML: + return UnmarshalTextParseModeHTML(data) + + case TypeProxyTypeSocks5: + return UnmarshalProxyTypeSocks5(data) + + case TypeProxyTypeHttp: + return UnmarshalProxyTypeHttp(data) + + case TypeProxyTypeMtproto: + return UnmarshalProxyTypeMtproto(data) + + case TypeAddedProxy: + return UnmarshalAddedProxy(data) + + case TypeAddedProxies: + return UnmarshalAddedProxies(data) + + case TypeInputSticker: + return UnmarshalInputSticker(data) + + case TypeDateRange: + return UnmarshalDateRange(data) + + case TypeStatisticalValue: + return UnmarshalStatisticalValue(data) + + case TypeStatisticalGraphData: + return UnmarshalStatisticalGraphData(data) + + case TypeStatisticalGraphAsync: + return UnmarshalStatisticalGraphAsync(data) + + case TypeStatisticalGraphError: + return UnmarshalStatisticalGraphError(data) + + case TypeChatStatisticsObjectTypeMessage: + return UnmarshalChatStatisticsObjectTypeMessage(data) + + case TypeChatStatisticsObjectTypeStory: + return UnmarshalChatStatisticsObjectTypeStory(data) + + case TypeChatStatisticsInteractionInfo: + return UnmarshalChatStatisticsInteractionInfo(data) + + case TypeChatStatisticsMessageSenderInfo: + return UnmarshalChatStatisticsMessageSenderInfo(data) + + case TypeChatStatisticsAdministratorActionsInfo: + return UnmarshalChatStatisticsAdministratorActionsInfo(data) + + case TypeChatStatisticsInviterInfo: + return UnmarshalChatStatisticsInviterInfo(data) + + case TypeChatStatisticsSupergroup: + return UnmarshalChatStatisticsSupergroup(data) + + case TypeChatStatisticsChannel: + return UnmarshalChatStatisticsChannel(data) + + case TypeChatRevenueAmount: + return UnmarshalChatRevenueAmount(data) + + case TypeChatRevenueStatistics: + return UnmarshalChatRevenueStatistics(data) + + case TypeMessageStatistics: + return UnmarshalMessageStatistics(data) + + case TypeStoryStatistics: + return UnmarshalStoryStatistics(data) + + case TypeRevenueWithdrawalStatePending: + return UnmarshalRevenueWithdrawalStatePending(data) + + case TypeRevenueWithdrawalStateSucceeded: + return UnmarshalRevenueWithdrawalStateSucceeded(data) + + case TypeRevenueWithdrawalStateFailed: + return UnmarshalRevenueWithdrawalStateFailed(data) + + case TypeChatRevenueTransactionTypeUnsupported: + return UnmarshalChatRevenueTransactionTypeUnsupported(data) + + case TypeChatRevenueTransactionTypeSponsoredMessageEarnings: + return UnmarshalChatRevenueTransactionTypeSponsoredMessageEarnings(data) + + case TypeChatRevenueTransactionTypeSuggestedPostEarnings: + return UnmarshalChatRevenueTransactionTypeSuggestedPostEarnings(data) + + case TypeChatRevenueTransactionTypeFragmentWithdrawal: + return UnmarshalChatRevenueTransactionTypeFragmentWithdrawal(data) + + case TypeChatRevenueTransactionTypeFragmentRefund: + return UnmarshalChatRevenueTransactionTypeFragmentRefund(data) + + case TypeChatRevenueTransaction: + return UnmarshalChatRevenueTransaction(data) + + case TypeChatRevenueTransactions: + return UnmarshalChatRevenueTransactions(data) + + case TypeStarRevenueStatus: + return UnmarshalStarRevenueStatus(data) + + case TypeStarRevenueStatistics: + return UnmarshalStarRevenueStatistics(data) + + case TypeTonRevenueStatus: + return UnmarshalTonRevenueStatus(data) + + case TypeTonRevenueStatistics: + return UnmarshalTonRevenueStatistics(data) + + case TypePoint: + return UnmarshalPoint(data) + + case TypeVectorPathCommandLine: + return UnmarshalVectorPathCommandLine(data) + + case TypeVectorPathCommandCubicBezierCurve: + return UnmarshalVectorPathCommandCubicBezierCurve(data) + + case TypeBotCommandScopeDefault: + return UnmarshalBotCommandScopeDefault(data) + + case TypeBotCommandScopeAllPrivateChats: + return UnmarshalBotCommandScopeAllPrivateChats(data) + + case TypeBotCommandScopeAllGroupChats: + return UnmarshalBotCommandScopeAllGroupChats(data) + + case TypeBotCommandScopeAllChatAdministrators: + return UnmarshalBotCommandScopeAllChatAdministrators(data) + + case TypeBotCommandScopeChat: + return UnmarshalBotCommandScopeChat(data) + + case TypeBotCommandScopeChatAdministrators: + return UnmarshalBotCommandScopeChatAdministrators(data) + + case TypeBotCommandScopeChatMember: + return UnmarshalBotCommandScopeChatMember(data) + + case TypePhoneNumberCodeTypeChange: + return UnmarshalPhoneNumberCodeTypeChange(data) + + case TypePhoneNumberCodeTypeVerify: + return UnmarshalPhoneNumberCodeTypeVerify(data) + + case TypePhoneNumberCodeTypeConfirmOwnership: + return UnmarshalPhoneNumberCodeTypeConfirmOwnership(data) + + case TypeUpdateAuthorizationState: + return UnmarshalUpdateAuthorizationState(data) + + case TypeUpdateNewMessage: + return UnmarshalUpdateNewMessage(data) + + case TypeUpdateMessageSendAcknowledged: + return UnmarshalUpdateMessageSendAcknowledged(data) + + case TypeUpdateMessageSendSucceeded: + return UnmarshalUpdateMessageSendSucceeded(data) + + case TypeUpdateMessageSendFailed: + return UnmarshalUpdateMessageSendFailed(data) + + case TypeUpdateMessageContent: + return UnmarshalUpdateMessageContent(data) + + case TypeUpdateMessageEdited: + return UnmarshalUpdateMessageEdited(data) + + case TypeUpdateMessageIsPinned: + return UnmarshalUpdateMessageIsPinned(data) + + case TypeUpdateMessageInteractionInfo: + return UnmarshalUpdateMessageInteractionInfo(data) + + case TypeUpdateMessageContentOpened: + return UnmarshalUpdateMessageContentOpened(data) + + case TypeUpdateMessageMentionRead: + return UnmarshalUpdateMessageMentionRead(data) + + case TypeUpdateMessageUnreadReactions: + return UnmarshalUpdateMessageUnreadReactions(data) + + case TypeUpdateMessageFactCheck: + return UnmarshalUpdateMessageFactCheck(data) + + case TypeUpdateMessageSuggestedPostInfo: + return UnmarshalUpdateMessageSuggestedPostInfo(data) + + case TypeUpdateMessageLiveLocationViewed: + return UnmarshalUpdateMessageLiveLocationViewed(data) + + case TypeUpdateVideoPublished: + return UnmarshalUpdateVideoPublished(data) + + case TypeUpdateNewChat: + return UnmarshalUpdateNewChat(data) + + case TypeUpdateChatTitle: + return UnmarshalUpdateChatTitle(data) + + case TypeUpdateChatPhoto: + return UnmarshalUpdateChatPhoto(data) + + case TypeUpdateChatAccentColors: + return UnmarshalUpdateChatAccentColors(data) + + case TypeUpdateChatPermissions: + return UnmarshalUpdateChatPermissions(data) + + case TypeUpdateChatLastMessage: + return UnmarshalUpdateChatLastMessage(data) + + case TypeUpdateChatPosition: + return UnmarshalUpdateChatPosition(data) + + case TypeUpdateChatAddedToList: + return UnmarshalUpdateChatAddedToList(data) + + case TypeUpdateChatRemovedFromList: + return UnmarshalUpdateChatRemovedFromList(data) + + case TypeUpdateChatReadInbox: + return UnmarshalUpdateChatReadInbox(data) + + case TypeUpdateChatReadOutbox: + return UnmarshalUpdateChatReadOutbox(data) + + case TypeUpdateChatActionBar: + return UnmarshalUpdateChatActionBar(data) + + case TypeUpdateChatBusinessBotManageBar: + return UnmarshalUpdateChatBusinessBotManageBar(data) + + case TypeUpdateChatAvailableReactions: + return UnmarshalUpdateChatAvailableReactions(data) + + case TypeUpdateChatDraftMessage: + return UnmarshalUpdateChatDraftMessage(data) + + case TypeUpdateChatEmojiStatus: + return UnmarshalUpdateChatEmojiStatus(data) + + case TypeUpdateChatMessageSender: + return UnmarshalUpdateChatMessageSender(data) + + case TypeUpdateChatMessageAutoDeleteTime: + return UnmarshalUpdateChatMessageAutoDeleteTime(data) + + case TypeUpdateChatNotificationSettings: + return UnmarshalUpdateChatNotificationSettings(data) + + case TypeUpdateChatPendingJoinRequests: + return UnmarshalUpdateChatPendingJoinRequests(data) + + case TypeUpdateChatReplyMarkup: + return UnmarshalUpdateChatReplyMarkup(data) + + case TypeUpdateChatBackground: + return UnmarshalUpdateChatBackground(data) + + case TypeUpdateChatTheme: + return UnmarshalUpdateChatTheme(data) + + case TypeUpdateChatUnreadMentionCount: + return UnmarshalUpdateChatUnreadMentionCount(data) + + case TypeUpdateChatUnreadReactionCount: + return UnmarshalUpdateChatUnreadReactionCount(data) + + case TypeUpdateChatVideoChat: + return UnmarshalUpdateChatVideoChat(data) + + case TypeUpdateChatDefaultDisableNotification: + return UnmarshalUpdateChatDefaultDisableNotification(data) + + case TypeUpdateChatHasProtectedContent: + return UnmarshalUpdateChatHasProtectedContent(data) + + case TypeUpdateChatIsTranslatable: + return UnmarshalUpdateChatIsTranslatable(data) + + case TypeUpdateChatIsMarkedAsUnread: + return UnmarshalUpdateChatIsMarkedAsUnread(data) + + case TypeUpdateChatViewAsTopics: + return UnmarshalUpdateChatViewAsTopics(data) + + case TypeUpdateChatBlockList: + return UnmarshalUpdateChatBlockList(data) + + case TypeUpdateChatHasScheduledMessages: + return UnmarshalUpdateChatHasScheduledMessages(data) + + case TypeUpdateChatFolders: + return UnmarshalUpdateChatFolders(data) + + case TypeUpdateChatOnlineMemberCount: + return UnmarshalUpdateChatOnlineMemberCount(data) + + case TypeUpdateSavedMessagesTopic: + return UnmarshalUpdateSavedMessagesTopic(data) + + case TypeUpdateSavedMessagesTopicCount: + return UnmarshalUpdateSavedMessagesTopicCount(data) + + case TypeUpdateDirectMessagesChatTopic: + return UnmarshalUpdateDirectMessagesChatTopic(data) + + case TypeUpdateTopicMessageCount: + return UnmarshalUpdateTopicMessageCount(data) + + case TypeUpdateQuickReplyShortcut: + return UnmarshalUpdateQuickReplyShortcut(data) + + case TypeUpdateQuickReplyShortcutDeleted: + return UnmarshalUpdateQuickReplyShortcutDeleted(data) + + case TypeUpdateQuickReplyShortcuts: + return UnmarshalUpdateQuickReplyShortcuts(data) + + case TypeUpdateQuickReplyShortcutMessages: + return UnmarshalUpdateQuickReplyShortcutMessages(data) + + case TypeUpdateForumTopicInfo: + return UnmarshalUpdateForumTopicInfo(data) + + case TypeUpdateForumTopic: + return UnmarshalUpdateForumTopic(data) + + case TypeUpdateScopeNotificationSettings: + return UnmarshalUpdateScopeNotificationSettings(data) + + case TypeUpdateReactionNotificationSettings: + return UnmarshalUpdateReactionNotificationSettings(data) + + case TypeUpdateNotification: + return UnmarshalUpdateNotification(data) + + case TypeUpdateNotificationGroup: + return UnmarshalUpdateNotificationGroup(data) + + case TypeUpdateActiveNotifications: + return UnmarshalUpdateActiveNotifications(data) + + case TypeUpdateHavePendingNotifications: + return UnmarshalUpdateHavePendingNotifications(data) + + case TypeUpdateDeleteMessages: + return UnmarshalUpdateDeleteMessages(data) + + case TypeUpdateChatAction: + return UnmarshalUpdateChatAction(data) + + case TypeUpdatePendingTextMessage: + return UnmarshalUpdatePendingTextMessage(data) + + case TypeUpdateUserStatus: + return UnmarshalUpdateUserStatus(data) + + case TypeUpdateUser: + return UnmarshalUpdateUser(data) + + case TypeUpdateBasicGroup: + return UnmarshalUpdateBasicGroup(data) + + case TypeUpdateSupergroup: + return UnmarshalUpdateSupergroup(data) + + case TypeUpdateSecretChat: + return UnmarshalUpdateSecretChat(data) + + case TypeUpdateUserFullInfo: + return UnmarshalUpdateUserFullInfo(data) + + case TypeUpdateBasicGroupFullInfo: + return UnmarshalUpdateBasicGroupFullInfo(data) + + case TypeUpdateSupergroupFullInfo: + return UnmarshalUpdateSupergroupFullInfo(data) + + case TypeUpdateServiceNotification: + return UnmarshalUpdateServiceNotification(data) + + case TypeUpdateFile: + return UnmarshalUpdateFile(data) + + case TypeUpdateFileGenerationStart: + return UnmarshalUpdateFileGenerationStart(data) + + case TypeUpdateFileGenerationStop: + return UnmarshalUpdateFileGenerationStop(data) + + case TypeUpdateFileDownloads: + return UnmarshalUpdateFileDownloads(data) + + case TypeUpdateFileAddedToDownloads: + return UnmarshalUpdateFileAddedToDownloads(data) + + case TypeUpdateFileDownload: + return UnmarshalUpdateFileDownload(data) + + case TypeUpdateFileRemovedFromDownloads: + return UnmarshalUpdateFileRemovedFromDownloads(data) + + case TypeUpdateApplicationVerificationRequired: + return UnmarshalUpdateApplicationVerificationRequired(data) + + case TypeUpdateApplicationRecaptchaVerificationRequired: + return UnmarshalUpdateApplicationRecaptchaVerificationRequired(data) + + case TypeUpdateCall: + return UnmarshalUpdateCall(data) + + case TypeUpdateGroupCall: + return UnmarshalUpdateGroupCall(data) + + case TypeUpdateGroupCallParticipant: + return UnmarshalUpdateGroupCallParticipant(data) + + case TypeUpdateGroupCallParticipants: + return UnmarshalUpdateGroupCallParticipants(data) + + case TypeUpdateGroupCallVerificationState: + return UnmarshalUpdateGroupCallVerificationState(data) + + case TypeUpdateNewGroupCallMessage: + return UnmarshalUpdateNewGroupCallMessage(data) + + case TypeUpdateNewGroupCallPaidReaction: + return UnmarshalUpdateNewGroupCallPaidReaction(data) + + case TypeUpdateGroupCallMessageSendFailed: + return UnmarshalUpdateGroupCallMessageSendFailed(data) + + case TypeUpdateGroupCallMessagesDeleted: + return UnmarshalUpdateGroupCallMessagesDeleted(data) + + case TypeUpdateLiveStoryTopDonors: + return UnmarshalUpdateLiveStoryTopDonors(data) + + case TypeUpdateNewCallSignalingData: + return UnmarshalUpdateNewCallSignalingData(data) + + case TypeUpdateGiftAuctionState: + return UnmarshalUpdateGiftAuctionState(data) + + case TypeUpdateActiveGiftAuctions: + return UnmarshalUpdateActiveGiftAuctions(data) + + case TypeUpdateUserPrivacySettingRules: + return UnmarshalUpdateUserPrivacySettingRules(data) + + case TypeUpdateUnreadMessageCount: + return UnmarshalUpdateUnreadMessageCount(data) + + case TypeUpdateUnreadChatCount: + return UnmarshalUpdateUnreadChatCount(data) + + case TypeUpdateStory: + return UnmarshalUpdateStory(data) + + case TypeUpdateStoryDeleted: + return UnmarshalUpdateStoryDeleted(data) + + case TypeUpdateStoryPostSucceeded: + return UnmarshalUpdateStoryPostSucceeded(data) + + case TypeUpdateStoryPostFailed: + return UnmarshalUpdateStoryPostFailed(data) + + case TypeUpdateChatActiveStories: + return UnmarshalUpdateChatActiveStories(data) + + case TypeUpdateStoryListChatCount: + return UnmarshalUpdateStoryListChatCount(data) + + case TypeUpdateStoryStealthMode: + return UnmarshalUpdateStoryStealthMode(data) + + case TypeUpdateTrustedMiniAppBots: + return UnmarshalUpdateTrustedMiniAppBots(data) + + case TypeUpdateOption: + return UnmarshalUpdateOption(data) + + case TypeUpdateStickerSet: + return UnmarshalUpdateStickerSet(data) + + case TypeUpdateInstalledStickerSets: + return UnmarshalUpdateInstalledStickerSets(data) + + case TypeUpdateTrendingStickerSets: + return UnmarshalUpdateTrendingStickerSets(data) + + case TypeUpdateRecentStickers: + return UnmarshalUpdateRecentStickers(data) + + case TypeUpdateFavoriteStickers: + return UnmarshalUpdateFavoriteStickers(data) + + case TypeUpdateSavedAnimations: + return UnmarshalUpdateSavedAnimations(data) + + case TypeUpdateSavedNotificationSounds: + return UnmarshalUpdateSavedNotificationSounds(data) + + case TypeUpdateDefaultBackground: + return UnmarshalUpdateDefaultBackground(data) + + case TypeUpdateEmojiChatThemes: + return UnmarshalUpdateEmojiChatThemes(data) + + case TypeUpdateAccentColors: + return UnmarshalUpdateAccentColors(data) + + case TypeUpdateProfileAccentColors: + return UnmarshalUpdateProfileAccentColors(data) + + case TypeUpdateLanguagePackStrings: + return UnmarshalUpdateLanguagePackStrings(data) + + case TypeUpdateConnectionState: + return UnmarshalUpdateConnectionState(data) + + case TypeUpdateFreezeState: + return UnmarshalUpdateFreezeState(data) + + case TypeUpdateAgeVerificationParameters: + return UnmarshalUpdateAgeVerificationParameters(data) + + case TypeUpdateTermsOfService: + return UnmarshalUpdateTermsOfService(data) + + case TypeUpdateUnconfirmedSession: + return UnmarshalUpdateUnconfirmedSession(data) + + case TypeUpdateAttachmentMenuBots: + return UnmarshalUpdateAttachmentMenuBots(data) + + case TypeUpdateWebAppMessageSent: + return UnmarshalUpdateWebAppMessageSent(data) + + case TypeUpdateActiveEmojiReactions: + return UnmarshalUpdateActiveEmojiReactions(data) + + case TypeUpdateAvailableMessageEffects: + return UnmarshalUpdateAvailableMessageEffects(data) + + case TypeUpdateDefaultReactionType: + return UnmarshalUpdateDefaultReactionType(data) + + case TypeUpdateDefaultPaidReactionType: + return UnmarshalUpdateDefaultPaidReactionType(data) + + case TypeUpdateSavedMessagesTags: + return UnmarshalUpdateSavedMessagesTags(data) + + case TypeUpdateActiveLiveLocationMessages: + return UnmarshalUpdateActiveLiveLocationMessages(data) + + case TypeUpdateOwnedStarCount: + return UnmarshalUpdateOwnedStarCount(data) + + case TypeUpdateOwnedTonCount: + return UnmarshalUpdateOwnedTonCount(data) + + case TypeUpdateChatRevenueAmount: + return UnmarshalUpdateChatRevenueAmount(data) + + case TypeUpdateStarRevenueStatus: + return UnmarshalUpdateStarRevenueStatus(data) + + case TypeUpdateTonRevenueStatus: + return UnmarshalUpdateTonRevenueStatus(data) + + case TypeUpdateSpeechRecognitionTrial: + return UnmarshalUpdateSpeechRecognitionTrial(data) + + case TypeUpdateGroupCallMessageLevels: + return UnmarshalUpdateGroupCallMessageLevels(data) + + case TypeUpdateDiceEmojis: + return UnmarshalUpdateDiceEmojis(data) + + case TypeUpdateStakeDiceState: + return UnmarshalUpdateStakeDiceState(data) + + case TypeUpdateAnimatedEmojiMessageClicked: + return UnmarshalUpdateAnimatedEmojiMessageClicked(data) + + case TypeUpdateAnimationSearchParameters: + return UnmarshalUpdateAnimationSearchParameters(data) + + case TypeUpdateSuggestedActions: + return UnmarshalUpdateSuggestedActions(data) + + case TypeUpdateSpeedLimitNotification: + return UnmarshalUpdateSpeedLimitNotification(data) + + case TypeUpdateContactCloseBirthdays: + return UnmarshalUpdateContactCloseBirthdays(data) + + case TypeUpdateAutosaveSettings: + return UnmarshalUpdateAutosaveSettings(data) + + case TypeUpdateBusinessConnection: + return UnmarshalUpdateBusinessConnection(data) + + case TypeUpdateNewBusinessMessage: + return UnmarshalUpdateNewBusinessMessage(data) + + case TypeUpdateBusinessMessageEdited: + return UnmarshalUpdateBusinessMessageEdited(data) + + case TypeUpdateBusinessMessagesDeleted: + return UnmarshalUpdateBusinessMessagesDeleted(data) + + case TypeUpdateNewInlineQuery: + return UnmarshalUpdateNewInlineQuery(data) + + case TypeUpdateNewChosenInlineResult: + return UnmarshalUpdateNewChosenInlineResult(data) + + case TypeUpdateNewCallbackQuery: + return UnmarshalUpdateNewCallbackQuery(data) + + case TypeUpdateNewInlineCallbackQuery: + return UnmarshalUpdateNewInlineCallbackQuery(data) + + case TypeUpdateNewBusinessCallbackQuery: + return UnmarshalUpdateNewBusinessCallbackQuery(data) + + case TypeUpdateNewShippingQuery: + return UnmarshalUpdateNewShippingQuery(data) + + case TypeUpdateNewPreCheckoutQuery: + return UnmarshalUpdateNewPreCheckoutQuery(data) + + case TypeUpdateNewCustomEvent: + return UnmarshalUpdateNewCustomEvent(data) + + case TypeUpdateNewCustomQuery: + return UnmarshalUpdateNewCustomQuery(data) + + case TypeUpdatePoll: + return UnmarshalUpdatePoll(data) + + case TypeUpdatePollAnswer: + return UnmarshalUpdatePollAnswer(data) + + case TypeUpdateChatMember: + return UnmarshalUpdateChatMember(data) + + case TypeUpdateNewChatJoinRequest: + return UnmarshalUpdateNewChatJoinRequest(data) + + case TypeUpdateChatBoost: + return UnmarshalUpdateChatBoost(data) + + case TypeUpdateMessageReaction: + return UnmarshalUpdateMessageReaction(data) + + case TypeUpdateMessageReactions: + return UnmarshalUpdateMessageReactions(data) + + case TypeUpdatePaidMediaPurchased: + return UnmarshalUpdatePaidMediaPurchased(data) + + case TypeUpdates: + return UnmarshalUpdates(data) + + case TypeLogStreamDefault: + return UnmarshalLogStreamDefault(data) + + case TypeLogStreamFile: + return UnmarshalLogStreamFile(data) + + case TypeLogStreamEmpty: + return UnmarshalLogStreamEmpty(data) + + case TypeLogVerbosityLevel: + return UnmarshalLogVerbosityLevel(data) + + case TypeLogTags: + return UnmarshalLogTags(data) + + case TypeUserSupportInfo: + return UnmarshalUserSupportInfo(data) + + case TypeTestInt: + return UnmarshalTestInt(data) + + case TypeTestString: + return UnmarshalTestString(data) + + case TypeTestBytes: + return UnmarshalTestBytes(data) + + case TypeTestVectorInt: + return UnmarshalTestVectorInt(data) + + case TypeTestVectorIntObject: + return UnmarshalTestVectorIntObject(data) + + case TypeTestVectorString: + return UnmarshalTestVectorString(data) + + case TypeTestVectorStringObject: + return UnmarshalTestVectorStringObject(data) + + default: + return nil, fmt.Errorf("Error unmarshaling. Unknown type: " + meta.Type) + } } diff --git a/data/td_api.tl b/data/td_api.tl index f637859..1423dab 100644 --- a/data/td_api.tl +++ b/data/td_api.tl @@ -24,15 +24,23 @@ ok = Ok; //@class AuthenticationCodeType @description Provides information about the method by which an authentication code is delivered to the user -//@description An authentication code is delivered via a private Telegram message, which can be viewed from another active session +//@description A digit-only authentication code is delivered via a private Telegram message, which can be viewed from another active session //@length Length of the code authenticationCodeTypeTelegramMessage length:int32 = AuthenticationCodeType; -//@description An authentication code is delivered via an SMS message to the specified phone number +//@description A digit-only authentication code is delivered via an SMS message to the specified phone number; non-official applications may not receive this type of code //@length Length of the code authenticationCodeTypeSms length:int32 = AuthenticationCodeType; -//@description An authentication code is delivered via a phone call to the specified phone number +//@description An authentication code is a word delivered via an SMS message to the specified phone number; non-official applications may not receive this type of code +//@first_letter The first letters of the word if known +authenticationCodeTypeSmsWord first_letter:string = AuthenticationCodeType; + +//@description An authentication code is a phrase from multiple words delivered via an SMS message to the specified phone number; non-official applications may not receive this type of code +//@first_word The first word of the phrase if known +authenticationCodeTypeSmsPhrase first_word:string = AuthenticationCodeType; + +//@description A digit-only authentication code is delivered via a phone call to the specified phone number //@length Length of the code authenticationCodeTypeCall length:int32 = AuthenticationCodeType; @@ -45,19 +53,19 @@ authenticationCodeTypeFlashCall pattern:string = AuthenticationCodeType; //@length Number of digits in the code, excluding the prefix authenticationCodeTypeMissedCall phone_number_prefix:string length:int32 = AuthenticationCodeType; -//@description An authentication code is delivered to https://fragment.com. The user must be logged in there via a wallet owning the phone number's NFT +//@description A digit-only authentication code is delivered to https://fragment.com. The user must be logged in there via a wallet owning the phone number's NFT //@url URL to open to receive the code //@length Length of the code authenticationCodeTypeFragment url:string length:int32 = AuthenticationCodeType; -//@description An authentication code is delivered via Firebase Authentication to the official Android application -//@nonce Nonce to pass to the SafetyNet Attestation API +//@description A digit-only authentication code is delivered via Firebase Authentication to the official Android application +//@device_verification_parameters Parameters to be used for device verification //@length Length of the code -authenticationCodeTypeFirebaseAndroid nonce:bytes length:int32 = AuthenticationCodeType; +authenticationCodeTypeFirebaseAndroid device_verification_parameters:FirebaseDeviceVerificationParameters length:int32 = AuthenticationCodeType; -//@description An authentication code is delivered via Firebase Authentication to the official iOS application -//@receipt Receipt of successful applikation token validation to compare with receipt from push notification -//@push_timeout Time after the next authentication method is supposed to be used if verification push notification isn't received, in seconds +//@description A digit-only authentication code is delivered via Firebase Authentication to the official iOS application +//@receipt Receipt of successful application token validation to compare with receipt from push notification +//@push_timeout Time after the next authentication method is expected to be used if verification push notification isn't received, in seconds //@length Length of the code authenticationCodeTypeFirebaseIos receipt:string push_timeout:int32 length:int32 = AuthenticationCodeType; @@ -75,7 +83,7 @@ authenticationCodeInfo phone_number:string type:AuthenticationCodeType next_type emailAddressAuthenticationCodeInfo email_address_pattern:string length:int32 = EmailAddressAuthenticationCodeInfo; -//@class EmailAddressAuthentication @description Contains authentication data for a email address +//@class EmailAddressAuthentication @description Contains authentication data for an email address //@description An authentication code delivered to a user's email address @code The code emailAddressAuthenticationCode code:string = EmailAddressAuthentication; @@ -87,6 +95,17 @@ emailAddressAuthenticationAppleId token:string = EmailAddressAuthentication; emailAddressAuthenticationGoogleId token:string = EmailAddressAuthentication; +//@class EmailAddressResetState @description Describes reset state of an email address + +//@description Email address can be reset after the given period. Call resetAuthenticationEmailAddress to reset it and allow the user to authorize with a code sent to the user's phone number +//@wait_period Time required to wait before the email address can be reset; 0 if the user is subscribed to Telegram Premium +emailAddressResetStateAvailable wait_period:int32 = EmailAddressResetState; + +//@description Email address reset has already been requested. Call resetAuthenticationEmailAddress to check whether immediate reset is possible +//@reset_in Left time before the email address will be reset, in seconds. updateAuthorizationState is not sent when this field changes +emailAddressResetStatePending reset_in:int32 = EmailAddressResetState; + + //@description Represents a part of the text that needs to be formatted in some unusual way @offset Offset of the entity, in UTF-16 code units @length Length of the entity, in UTF-16 code units @type Type of the entity textEntity offset:int32 length:int32 type:TextEntityType = TextEntity; @@ -94,22 +113,40 @@ textEntity offset:int32 length:int32 type:TextEntityType = TextEntity; textEntities entities:vector = TextEntities; //@description A text with some entities @text The text @entities Entities contained in the text. Entities can be nested, but must not mutually intersect with each other. -//-Pre, Code and PreCode entities can't contain other entities. Bold, Italic, Underline, Strikethrough, and Spoiler entities can contain and can be part of any other entities. All other entities can't contain each other +//-Pre, Code and PreCode entities can't contain other entities. BlockQuote entities can't contain other BlockQuote entities. Bold, Italic, Underline, Strikethrough, and Spoiler entities can contain and can be part of any other entities. All other entities can't contain each other formattedText text:string entities:vector = FormattedText; //@description Contains Telegram terms of service @text Text of the terms of service @min_user_age The minimum age of a user to be able to accept the terms; 0 if age isn't restricted @show_popup True, if a blocking popup with terms of service must be shown to the user termsOfService text:formattedText min_user_age:int32 show_popup:Bool = TermsOfService; +//@description Describes a passkey +//@id Unique identifier of the passkey +//@name Name of the passkey +//@addition_date Point in time (Unix timestamp) when the passkey was added +//@last_usage_date Point in time (Unix timestamp) when the passkey was used last time; 0 if never +//@software_icon_custom_emoji_id Identifier of the custom emoji that is used as the icon of the software, which created the passkey; 0 if unknown +passkey id:string name:string addition_date:int32 last_usage_date:int32 software_icon_custom_emoji_id:int64 = Passkey; + +//@description Contains a list of passkeys @passkeys List of passkeys +passkeys passkeys:vector = Passkeys; + //@class AuthorizationState @description Represents the current authorization state of the TDLib client -//@description Initializetion parameters are needed. Call setTdlibParameters to provide them +//@description Initialization parameters are needed. Call setTdlibParameters to provide them authorizationStateWaitTdlibParameters = AuthorizationState; -//@description TDLib needs the user's phone number to authorize. Call setAuthenticationPhoneNumber to provide the phone number, or use requestQrCodeAuthentication or checkAuthenticationBotToken for other authentication options +//@description TDLib needs the user's phone number to authorize. Call setAuthenticationPhoneNumber to provide the phone number, +//-or use requestQrCodeAuthentication, getAuthenticationPasskeyParameters, or checkAuthenticationBotToken for other authentication options authorizationStateWaitPhoneNumber = AuthorizationState; +//@description The user must buy Telegram Premium as an in-store purchase to log in. Call checkAuthenticationPremiumPurchase and then setAuthenticationPremiumPurchaseTransaction +//@store_product_id Identifier of the store product that must be bought +//@support_email_address Email address to use for support if the user has issues with Telegram Premium purchase +//@support_email_subject Subject for the email sent to the support email address +authorizationStateWaitPremiumPurchase store_product_id:string support_email_address:string support_email_subject:string = AuthorizationState; + //@description TDLib needs the user's email address to authorize. Call setAuthenticationEmailAddress to provide the email address, or directly call checkAuthenticationEmailCode with Apple ID/Google ID token if allowed //@allow_apple_id True, if authorization through Apple ID is allowed //@allow_google_id True, if authorization through Google ID is allowed @@ -119,8 +156,8 @@ authorizationStateWaitEmailAddress allow_apple_id:Bool allow_google_id:Bool = Au //@allow_apple_id True, if authorization through Apple ID is allowed //@allow_google_id True, if authorization through Google ID is allowed //@code_info Information about the sent authentication code -//@next_phone_number_authorization_date Point in time (Unix timestamp) when the user will be able to authorize with a code sent to the user's phone number; 0 if unknown -authorizationStateWaitEmailCode allow_apple_id:Bool allow_google_id:Bool code_info:emailAddressAuthenticationCodeInfo next_phone_number_authorization_date:int32 = AuthorizationState; +//@email_address_reset_state Reset state of the email address; may be null if the email address can't be reset +authorizationStateWaitEmailCode allow_apple_id:Bool allow_google_id:Bool code_info:emailAddressAuthenticationCodeInfo email_address_reset_state:EmailAddressResetState = AuthorizationState; //@description TDLib needs the user's authentication code to authorize. Call checkAuthenticationCode to check the code @code_info Information about the authorization code that was sent authorizationStateWaitCode code_info:authenticationCodeInfo = AuthorizationState; @@ -153,6 +190,17 @@ authorizationStateClosing = AuthorizationState; authorizationStateClosed = AuthorizationState; +//@class FirebaseDeviceVerificationParameters @description Describes parameters to be used for device verification + +//@description Device verification must be performed with the SafetyNet Attestation API @nonce Nonce to pass to the SafetyNet Attestation API +firebaseDeviceVerificationParametersSafetyNet nonce:bytes = FirebaseDeviceVerificationParameters; + +//@description Device verification must be performed with the classic Play Integrity verification (https://developer.android.com/google/play/integrity/classic) +//@nonce Base64url-encoded nonce to pass to the Play Integrity API +//@cloud_project_number Cloud project number to pass to the Play Integrity API +firebaseDeviceVerificationParametersPlayIntegrity nonce:string cloud_project_number:int64 = FirebaseDeviceVerificationParameters; + + //@description Represents the current state of 2-step verification //@has_password True, if a 2-step verification password is set //@password_hint Hint for the password; may be empty @@ -184,7 +232,7 @@ localFile path:string can_be_downloaded:Bool can_be_deleted:Bool is_downloading_ //@description Represents a remote file //@id Remote file identifier; may be empty. Can be used by the current user across application restarts or even from other devices. Uniquely identifies a file, but a file can have a lot of different valid identifiers. -//-If the ID starts with "http://" or "https://", it represents the HTTP URL of the file. TDLib is currently unable to download files if only their URL is known. +//-If the identifier starts with "http://" or "https://", it represents the HTTP URL of the file. TDLib is currently unable to download files if only their URL is known. //-If downloadFile/addFileToDownloads is called on such a file or if it is sent to a secret chat, TDLib starts a file generation process by sending updateFileGenerationStart to the application with the HTTP URL in the original_path and "#url#" as the conversion string. //-Application must generate the file by downloading it to the specified location //@unique_id Unique file identifier; may be empty if unknown. The unique file identifier which is the same for the same file even for different users and is persistent over time @@ -205,10 +253,10 @@ file id:int32 dc_id:int32 size:int53 expected_size:int53 local:localFile remote: //@class InputFile @description Points to a file -//@description A file defined by its unique ID @id Unique file identifier +//@description A file defined by its unique identifier @id Unique file identifier inputFileId id:int32 = InputFile; -//@description A file defined by its remote ID. The remote ID is guaranteed to be usable only if the corresponding file is still accessible to the user and known to TDLib. +//@description A file defined by its remote identifier. The remote identifier is guaranteed to be usable only if the corresponding file is still accessible to the user and known to TDLib. //-For example, if the file is from a message, then the message must be not deleted and accessible to the user. If the file database is disabled, then the corresponding object with the file must be preloaded by the application //@id Remote file identifier inputFileRemote id:string = InputFile; @@ -216,10 +264,10 @@ inputFileRemote id:string = InputFile; //@description A file defined by a local path @path Local path to the file inputFileLocal path:string = InputFile; -//@description A file generated by the application -//@original_path Local path to a file from which the file is generated; may be empty if there is no such file +//@description A file generated by the application. The application must handle updates updateFileGenerationStart and updateFileGenerationStop to generate the file when asked by TDLib +//@original_path Local path to a file from which the file is generated. The path doesn't have to be a valid path and is used by TDLib only to detect name and MIME type of the generated file //@conversion String specifying the conversion applied to the original file; must be persistent across application restarts. Conversions beginning with '#' are reserved for internal TDLib usage -//@expected_size Expected size of the generated file, in bytes; 0 if unknown +//@expected_size Expected size of the generated file, in bytes; pass 0 if unknown inputFileGenerated original_path:string conversion:string expected_size:int53 = InputFile; @@ -240,7 +288,7 @@ minithumbnail width:int32 height:int32 data:bytes = Minithumbnail; //@description The thumbnail is in JPEG format thumbnailFormatJpeg = ThumbnailFormat; -//@description The thumbnail is in static GIF format. It will be used only for some bot inline results +//@description The thumbnail is in static GIF format. It will be used only for some bot inline query results thumbnailFormatGif = ThumbnailFormat; //@description The thumbnail is in MPEG4 format. It will be used only for some animations and videos @@ -249,13 +297,13 @@ thumbnailFormatMpeg4 = ThumbnailFormat; //@description The thumbnail is in PNG format. It will be used only for background patterns thumbnailFormatPng = ThumbnailFormat; -//@description The thumbnail is in TGS format. It will be used only for TGS sticker sets +//@description The thumbnail is in TGS format. It will be used only for sticker sets thumbnailFormatTgs = ThumbnailFormat; -//@description The thumbnail is in WEBM format. It will be used only for WEBM sticker sets +//@description The thumbnail is in WEBM format. It will be used only for sticker sets thumbnailFormatWebm = ThumbnailFormat; -//@description The thumbnail is in WEBP format. It will be used only for some stickers +//@description The thumbnail is in WEBP format. It will be used only for some stickers and sticker sets thumbnailFormatWebp = ThumbnailFormat; @@ -301,7 +349,7 @@ stickerFormatTgs = StickerFormat; stickerFormatWebm = StickerFormat; -//@class StickerType @description Describes type of a sticker +//@class StickerType @description Describes type of sticker //@description The sticker is a regular sticker stickerTypeRegular = StickerType; @@ -327,20 +375,23 @@ stickerFullTypeMask mask_position:maskPosition = StickerFullType; stickerFullTypeCustomEmoji custom_emoji_id:int64 needs_repainting:Bool = StickerFullType; -//@description Represents a closed vector path. The path begins at the end point of the last command @commands List of vector path commands +//@description Represents a closed vector path. The path begins at the end point of the last command. The coordinate system origin is in the upper-left corner @commands List of vector path commands closedVectorPath commands:vector = ClosedVectorPath; +//@description Represents outline of an image @paths The list of closed vector paths +outline paths:vector = Outline; + //@description Describes one answer option of a poll -//@text Option text; 1-100 characters +//@text Option text; 1-100 characters. Only custom emoji entities are allowed //@voter_count Number of voters for this option, available only for closed or voted polls //@vote_percentage The percentage of votes for this option; 0-100 //@is_chosen True, if the option was chosen by the user //@is_being_chosen True, if the option is being chosen by a pending setPollAnswer request -pollOption text:string voter_count:int32 vote_percentage:int32 is_chosen:Bool is_being_chosen:Bool = PollOption; +pollOption text:formattedText voter_count:int32 vote_percentage:int32 is_chosen:Bool is_being_chosen:Bool = PollOption; -//@class PollType @description Describes the type of a poll +//@class PollType @description Describes the type of poll //@description A regular poll @allow_multiple_answers True, if multiple answer options can be chosen simultaneously pollTypeRegular allow_multiple_answers:Bool = PollType; @@ -351,6 +402,35 @@ pollTypeRegular allow_multiple_answers:Bool = PollType; pollTypeQuiz correct_option_id:int32 explanation:formattedText = PollType; +//@description Describes a task in a checklist +//@id Unique identifier of the task +//@text Text of the task; may contain only Bold, Italic, Underline, Strikethrough, Spoiler, CustomEmoji, Url, EmailAddress, Mention, Hashtag, Cashtag and PhoneNumber entities +//@completed_by Identifier of the user or chat that completed the task; may be null if the task isn't completed yet +//@completion_date Point in time (Unix timestamp) when the task was completed; 0 if the task isn't completed +checklistTask id:int32 text:formattedText completed_by:MessageSender completion_date:int32 = ChecklistTask; + +//@description Describes a task in a checklist to be sent +//@id Unique identifier of the task; must be positive +//@text Text of the task; 1-getOption("checklist_task_text_length_max") characters without line feeds. May contain only Bold, Italic, Underline, Strikethrough, Spoiler, and CustomEmoji entities +inputChecklistTask id:int32 text:formattedText = InputChecklistTask; + +//@description Describes a checklist +//@title Title of the checklist; may contain only Bold, Italic, Underline, Strikethrough, Spoiler, and CustomEmoji entities +//@tasks List of tasks in the checklist +//@others_can_add_tasks True, if users other than creator of the list can add tasks to the list +//@can_add_tasks True, if the current user can add tasks to the list if they have Telegram Premium subscription +//@others_can_mark_tasks_as_done True, if users other than creator of the list can mark tasks as done or not done. If true, then the checklist is called "group checklist" +//@can_mark_tasks_as_done True, if the current user can mark tasks as done or not done if they have Telegram Premium subscription +checklist title:formattedText tasks:vector others_can_add_tasks:Bool can_add_tasks:Bool others_can_mark_tasks_as_done:Bool can_mark_tasks_as_done:Bool = Checklist; + +//@description Describes a checklist to be sent +//@title Title of the checklist; 1-getOption("checklist_title_length_max") characters. May contain only Bold, Italic, Underline, Strikethrough, Spoiler, and CustomEmoji entities +//@tasks List of tasks in the checklist; 1-getOption("checklist_task_count_max") tasks +//@others_can_add_tasks True, if other users can add tasks to the list +//@others_can_mark_tasks_as_done True, if other users can mark tasks as done or not done +inputChecklist title:formattedText tasks:vector others_can_add_tasks:Bool others_can_mark_tasks_as_done:Bool = InputChecklist; + + //@description Describes an animation file. The animation must be encoded in GIF or MPEG4 format //@duration Duration of the animation, in seconds; as defined by the sender //@width Width of the animation @@ -370,11 +450,14 @@ animation duration:int32 width:int32 height:int32 file_name:string mime_type:str //@file_name Original name of the file; as defined by the sender //@mime_type The MIME type of the file; as defined by the sender //@album_cover_minithumbnail The minithumbnail of the album cover; may be null -//@album_cover_thumbnail The thumbnail of the album cover in JPEG format; as defined by the sender. The full size thumbnail is supposed to be extracted from the downloaded audio file; may be null +//@album_cover_thumbnail The thumbnail of the album cover in JPEG format; as defined by the sender. The full size thumbnail is expected to be extracted from the downloaded audio file; may be null //@external_album_covers Album cover variants to use if the downloaded audio file contains no album cover. Provided thumbnail dimensions are approximate //@audio File containing the audio audio duration:int32 title:string performer:string file_name:string mime_type:string album_cover_minithumbnail:minithumbnail album_cover_thumbnail:thumbnail external_album_covers:vector audio:file = Audio; +//@description Contains a list of audio files @total_count Approximate total number of audio files found @audios List of audio files +audios total_count:int32 audios:vector